content stringlengths 7 1.05M | fixed_cases stringlengths 1 1.28M |
|---|---|
'''Pygame Drawing algorithms written in Python. (Work in Progress)
Implement Pygame's Drawing Algorithms in a Python version for testing
and debugging.
'''
# FIXME : the import of the builtin math module is broken, even with :
# from __future__ import relative_imports
# from math import floor, ceil, trunc
# H E L P E R F U N C T I O N S #
# fractional part of x
def fpart(x):
'''return fractional part of x'''
return x - floor(x)
def rfpart(x):
'''return inverse fractional part of x'''
return 1 - (x - floor(x)) # eg, 1 - fpart(x)
# L O W L E V E L D R A W F U N C T I O N S #
# (They are too low-level to be translated into python, right?)
def set_at(surf, x, y, color):
surf.set_at((x, y), color)
def drawhorzline(surf, color, x_from, y, x_to):
if x_from == x_to:
surf.set_at((x_from, y), color)
return
start, end = (x_from, x_to) if x_from <= x_to else (x_to, x_from)
for x in range(start, end + 1):
surf.set_at((x, y), color)
def drawvertline(surf, color, x, y_from, y_to):
if y_from == y_to:
surf.set_at((x, y_from), color)
return
start, end = (y_from, y_to) if y_from <= y_to else (y_to, y_from)
for y in range(start, end + 1):
surf.set_at((x, y), color)
# D R A W L I N E F U N C T I O N S #
def drawhorzlineclip(surf, color, x_from, y, x_to):
'''draw clipped horizontal line.'''
# check Y inside surf
clip = surf.get_clip()
if y < clip.y or y >= clip.y + clip.h:
return
x_from = max(x_from, clip.x)
x_to = min(x_to, clip.x + clip.w - 1)
# check any x inside surf
if x_to < clip.x or x_from >= clip.x + clip.w:
return
drawhorzline(surf, color, x_from, y, x_to)
def drawvertlineclip(surf, color, x, y_from, y_to):
'''draw clipped vertical line.'''
# check X inside surf
clip = surf.get_clip()
if x < clip.x or x >= clip.x + clip.w:
return
y_from = max(y_from, clip.y)
y_to = min(y_to, clip.y + clip.h - 1)
# check any y inside surf
if y_to < clip.y or y_from >= clip.y + clip.h:
return
drawvertline(surf, color, x, y_from, y_to)
LEFT_EDGE = 0x1
RIGHT_EDGE = 0x2
BOTTOM_EDGE = 0x4
TOP_EDGE = 0x8
def encode(x, y, left, top, right, bottom):
return ((x < left) * LEFT_EDGE +
(x > right) * RIGHT_EDGE +
(y < top) * TOP_EDGE +
(y > bottom) * BOTTOM_EDGE)
INSIDE = lambda a: not a
ACCEPT = lambda a, b: not (a or b)
REJECT = lambda a, b: a and b
def clip_line(line, left, top, right, bottom):
assert isinstance(line, list)
x1, y1, x2, y2 = line
while True:
code1 = encode(x1, y1, left, top, right, bottom)
code2 = encode(x2, y2, left, top, right, bottom)
if ACCEPT(code1, code2):
line[:] = x1, y1, x2, y2
return True
if REJECT(code1, code2):
return False
if INSIDE(code1):
x1, x2 = x2, x1
y1, y2 = y2, y1
code1, code2 = code2, code1
if (x2 != x1):
m = (y2 - y1) / float(x2 - x1)
else:
m = 1.0
if code1 & LEFT_EDGE:
y1 += int((left - x1) * m)
x1 = left
elif code1 & RIGHT_EDGE:
y1 += int((right - x1) * m)
x1 = right
elif code1 & BOTTOM_EDGE:
if x2 != x1:
x1 += int((bottom - y1) / m)
y1 = bottom
elif code1 & TOP_EDGE:
if x2 != x1:
x1 += int((top - y1) / m)
y1 = top
def clip_and_draw_line(surf, rect, color, pts):
if not clip_line(pts, rect.x, rect.y, rect.x + rect.w - 1,
rect.y + rect.h - 1):
# not crossing the rectangle...
return 0
# pts == x1, y1, x2, y2 ...
if pts[1] == pts[3]:
drawhorzline(surf, color, pts[0], pts[1], pts[2])
elif pts[0] == pts[2]:
drawvertline(surf, color, pts[0], pts[1], pts[3])
else:
draw_line(surf, color, pts[0], pts[1], pts[2], pts[3])
return 1
# Variant of https://en.wikipedia.org/wiki/Bresenham's_line_algorithm
# This strongly differs from craw.c implementation, because we do not
# handle BytesPerPixel, and we use "slope" and "error" variables.
def draw_line(surf, color, x1, y1, x2, y2):
if x1 == x2:
# This case should not happen...
raise ValueError
slope = abs((y2 - y1) / (x2 - x1))
error = 0.0
if slope < 1:
# Here, it's a rather horizontal line
# 1. check in which octants we are & set init values
if x2 < x1:
x1, x2 = x2, x1
y1, y2 = y2, y1
y = y1
dy_sign = 1 if (y1 < y2) else -1
# 2. step along x coordinate
for x in range(x1, x2 + 1):
set_at(surf, x, y, color)
error += slope
if error >= 0.5:
y += dy_sign
error -= 1
else:
# Case of a rather vertical line
# 1. check in which octants we are & set init values
if y1 > y2:
x1, x2 = x2, x1
y1, y2 = y2, y1
x = x1
slope = 1 / slope
dx_sign = 1 if (x1 < x2) else -1
# 2. step along y coordinate
for y in range(y1, y2 + 1):
set_at(surf, x, y, color)
error += slope
if error >= 0.5:
x += dx_sign
error -= 1
def clip_and_draw_line_width(surf, rect, color, width, line):
yinc = xinc = 0
if abs(line[0] - line[2]) > abs(line[1] - line[3]):
yinc = 1
else:
xinc = 1
newpts = line[:]
if clip_and_draw_line(surf, rect, color, newpts):
anydrawn = 1
frame = newpts[:]
else:
anydrawn = 0
frame = [10000, 10000, -10000, -10000]
for loop in range(1, width // 2 + 1):
newpts[0] = line[0] + xinc * loop
newpts[1] = line[1] + yinc * loop
newpts[2] = line[2] + xinc * loop
newpts[3] = line[3] + yinc * loop
if clip_and_draw_line(surf, rect, color, newpts):
anydrawn = 1
frame[0] = min(newpts[0], frame[0])
frame[1] = min(newpts[1], frame[1])
frame[2] = max(newpts[2], frame[2])
frame[3] = max(newpts[3], frame[3])
if loop * 2 < width:
newpts[0] = line[0] - xinc * loop
newpts[1] = line[1] - yinc * loop
newpts[2] = line[2] - xinc * loop
newpts[3] = line[3] - yinc * loop
if clip_and_draw_line(surf, rect, color, newpts):
anydrawn = 1
frame[0] = min(newpts[0], frame[0])
frame[1] = min(newpts[1], frame[1])
frame[2] = max(newpts[2], frame[2])
frame[3] = max(newpts[3], frame[3])
return anydrawn
def draw_aaline(surf, color, from_point, to_point, blend):
'''draw anti-alisiased line between two endpoints.'''
# TODO
# M U L T I L I N E F U N C T I O N S #
def draw_lines(surf, color, closed, points, width):
length = len(points)
if length <= 2:
raise TypeError
line = [0] * 4 # store x1, y1 & x2, y2 of the lines to be drawn
x, y = points[0]
left = right = line[0] = x
top = bottom = line[1] = y
for loop in range(1, length):
line[0] = x
line[1] = y
x, y = points[loop]
line[2] = x
line[3] = y
if clip_and_draw_line_width(surf, surf.get_clip(), color, width, line):
left = min(line[2], left)
top = min(line[3], top)
right = max(line[2], right)
bottom = max(line[3], bottom)
if closed:
line[0] = x
line[1] = y
x, y = points[0]
line[2] = x
line[3] = y
clip_and_draw_line_width(surf, surf.get_clip(), color, width, line)
return # TODO Rect(...)
def draw_polygon(surface, color, points, width):
if width:
draw_lines(surface, color, 1, points, width)
return # TODO Rect(...)
num_points = len(points)
point_x = [x for x, y in points]
point_y = [y for x, y in points]
miny = min(point_y)
maxy = max(point_y)
if miny == maxy:
minx = min(point_x)
maxx = max(point_x)
drawhorzlineclip(surface, color, minx, miny, maxx)
return # TODO Rect(...)
for y in range(miny, maxy + 1):
x_intersect = []
for i in range(num_points):
i_prev = i - 1 if i else num_points - 1
y1 = point_y[i_prev]
y2 = point_y[i]
if y1 < y2:
x1 = point_x[i_prev]
x2 = point_x[i]
elif y1 > y2:
y2 = point_y[i_prev]
y1 = point_y[i]
x2 = point_x[i_prev]
x1 = point_x[i]
else: # special case handled below
continue
if ( ((y >= y1) and (y < y2)) or ((y == maxy) and (y <= y2))) :
x_sect = (y - y1) * (x2 - x1) // (y2 - y1) + x1
x_intersect.append(x_sect)
x_intersect.sort()
for i in range(0, len(x_intersect), 2):
drawhorzlineclip(surface, color, x_intersect[i], y,
x_intersect[i + 1])
# special case : horizontal border lines
for i in range(num_points):
i_prev = i - 1 if i else num_points - 1
y = point_y[i]
if miny < y == point_y[i_prev] < maxy:
drawhorzlineclip(surface, color, point_x[i], y, point_x[i_prev])
return # TODO Rect(...)
| """Pygame Drawing algorithms written in Python. (Work in Progress)
Implement Pygame's Drawing Algorithms in a Python version for testing
and debugging.
"""
def fpart(x):
"""return fractional part of x"""
return x - floor(x)
def rfpart(x):
"""return inverse fractional part of x"""
return 1 - (x - floor(x))
def set_at(surf, x, y, color):
surf.set_at((x, y), color)
def drawhorzline(surf, color, x_from, y, x_to):
if x_from == x_to:
surf.set_at((x_from, y), color)
return
(start, end) = (x_from, x_to) if x_from <= x_to else (x_to, x_from)
for x in range(start, end + 1):
surf.set_at((x, y), color)
def drawvertline(surf, color, x, y_from, y_to):
if y_from == y_to:
surf.set_at((x, y_from), color)
return
(start, end) = (y_from, y_to) if y_from <= y_to else (y_to, y_from)
for y in range(start, end + 1):
surf.set_at((x, y), color)
def drawhorzlineclip(surf, color, x_from, y, x_to):
"""draw clipped horizontal line."""
clip = surf.get_clip()
if y < clip.y or y >= clip.y + clip.h:
return
x_from = max(x_from, clip.x)
x_to = min(x_to, clip.x + clip.w - 1)
if x_to < clip.x or x_from >= clip.x + clip.w:
return
drawhorzline(surf, color, x_from, y, x_to)
def drawvertlineclip(surf, color, x, y_from, y_to):
"""draw clipped vertical line."""
clip = surf.get_clip()
if x < clip.x or x >= clip.x + clip.w:
return
y_from = max(y_from, clip.y)
y_to = min(y_to, clip.y + clip.h - 1)
if y_to < clip.y or y_from >= clip.y + clip.h:
return
drawvertline(surf, color, x, y_from, y_to)
left_edge = 1
right_edge = 2
bottom_edge = 4
top_edge = 8
def encode(x, y, left, top, right, bottom):
return (x < left) * LEFT_EDGE + (x > right) * RIGHT_EDGE + (y < top) * TOP_EDGE + (y > bottom) * BOTTOM_EDGE
inside = lambda a: not a
accept = lambda a, b: not (a or b)
reject = lambda a, b: a and b
def clip_line(line, left, top, right, bottom):
assert isinstance(line, list)
(x1, y1, x2, y2) = line
while True:
code1 = encode(x1, y1, left, top, right, bottom)
code2 = encode(x2, y2, left, top, right, bottom)
if accept(code1, code2):
line[:] = (x1, y1, x2, y2)
return True
if reject(code1, code2):
return False
if inside(code1):
(x1, x2) = (x2, x1)
(y1, y2) = (y2, y1)
(code1, code2) = (code2, code1)
if x2 != x1:
m = (y2 - y1) / float(x2 - x1)
else:
m = 1.0
if code1 & LEFT_EDGE:
y1 += int((left - x1) * m)
x1 = left
elif code1 & RIGHT_EDGE:
y1 += int((right - x1) * m)
x1 = right
elif code1 & BOTTOM_EDGE:
if x2 != x1:
x1 += int((bottom - y1) / m)
y1 = bottom
elif code1 & TOP_EDGE:
if x2 != x1:
x1 += int((top - y1) / m)
y1 = top
def clip_and_draw_line(surf, rect, color, pts):
if not clip_line(pts, rect.x, rect.y, rect.x + rect.w - 1, rect.y + rect.h - 1):
return 0
if pts[1] == pts[3]:
drawhorzline(surf, color, pts[0], pts[1], pts[2])
elif pts[0] == pts[2]:
drawvertline(surf, color, pts[0], pts[1], pts[3])
else:
draw_line(surf, color, pts[0], pts[1], pts[2], pts[3])
return 1
def draw_line(surf, color, x1, y1, x2, y2):
if x1 == x2:
raise ValueError
slope = abs((y2 - y1) / (x2 - x1))
error = 0.0
if slope < 1:
if x2 < x1:
(x1, x2) = (x2, x1)
(y1, y2) = (y2, y1)
y = y1
dy_sign = 1 if y1 < y2 else -1
for x in range(x1, x2 + 1):
set_at(surf, x, y, color)
error += slope
if error >= 0.5:
y += dy_sign
error -= 1
else:
if y1 > y2:
(x1, x2) = (x2, x1)
(y1, y2) = (y2, y1)
x = x1
slope = 1 / slope
dx_sign = 1 if x1 < x2 else -1
for y in range(y1, y2 + 1):
set_at(surf, x, y, color)
error += slope
if error >= 0.5:
x += dx_sign
error -= 1
def clip_and_draw_line_width(surf, rect, color, width, line):
yinc = xinc = 0
if abs(line[0] - line[2]) > abs(line[1] - line[3]):
yinc = 1
else:
xinc = 1
newpts = line[:]
if clip_and_draw_line(surf, rect, color, newpts):
anydrawn = 1
frame = newpts[:]
else:
anydrawn = 0
frame = [10000, 10000, -10000, -10000]
for loop in range(1, width // 2 + 1):
newpts[0] = line[0] + xinc * loop
newpts[1] = line[1] + yinc * loop
newpts[2] = line[2] + xinc * loop
newpts[3] = line[3] + yinc * loop
if clip_and_draw_line(surf, rect, color, newpts):
anydrawn = 1
frame[0] = min(newpts[0], frame[0])
frame[1] = min(newpts[1], frame[1])
frame[2] = max(newpts[2], frame[2])
frame[3] = max(newpts[3], frame[3])
if loop * 2 < width:
newpts[0] = line[0] - xinc * loop
newpts[1] = line[1] - yinc * loop
newpts[2] = line[2] - xinc * loop
newpts[3] = line[3] - yinc * loop
if clip_and_draw_line(surf, rect, color, newpts):
anydrawn = 1
frame[0] = min(newpts[0], frame[0])
frame[1] = min(newpts[1], frame[1])
frame[2] = max(newpts[2], frame[2])
frame[3] = max(newpts[3], frame[3])
return anydrawn
def draw_aaline(surf, color, from_point, to_point, blend):
"""draw anti-alisiased line between two endpoints."""
def draw_lines(surf, color, closed, points, width):
length = len(points)
if length <= 2:
raise TypeError
line = [0] * 4
(x, y) = points[0]
left = right = line[0] = x
top = bottom = line[1] = y
for loop in range(1, length):
line[0] = x
line[1] = y
(x, y) = points[loop]
line[2] = x
line[3] = y
if clip_and_draw_line_width(surf, surf.get_clip(), color, width, line):
left = min(line[2], left)
top = min(line[3], top)
right = max(line[2], right)
bottom = max(line[3], bottom)
if closed:
line[0] = x
line[1] = y
(x, y) = points[0]
line[2] = x
line[3] = y
clip_and_draw_line_width(surf, surf.get_clip(), color, width, line)
return
def draw_polygon(surface, color, points, width):
if width:
draw_lines(surface, color, 1, points, width)
return
num_points = len(points)
point_x = [x for (x, y) in points]
point_y = [y for (x, y) in points]
miny = min(point_y)
maxy = max(point_y)
if miny == maxy:
minx = min(point_x)
maxx = max(point_x)
drawhorzlineclip(surface, color, minx, miny, maxx)
return
for y in range(miny, maxy + 1):
x_intersect = []
for i in range(num_points):
i_prev = i - 1 if i else num_points - 1
y1 = point_y[i_prev]
y2 = point_y[i]
if y1 < y2:
x1 = point_x[i_prev]
x2 = point_x[i]
elif y1 > y2:
y2 = point_y[i_prev]
y1 = point_y[i]
x2 = point_x[i_prev]
x1 = point_x[i]
else:
continue
if y >= y1 and y < y2 or (y == maxy and y <= y2):
x_sect = (y - y1) * (x2 - x1) // (y2 - y1) + x1
x_intersect.append(x_sect)
x_intersect.sort()
for i in range(0, len(x_intersect), 2):
drawhorzlineclip(surface, color, x_intersect[i], y, x_intersect[i + 1])
for i in range(num_points):
i_prev = i - 1 if i else num_points - 1
y = point_y[i]
if miny < y == point_y[i_prev] < maxy:
drawhorzlineclip(surface, color, point_x[i], y, point_x[i_prev])
return |
class Solution:
def rob(self, nums):
rob, not_rob = 0, 0
for num in nums:
rob, not_rob = not_rob + num, max(rob, not_rob)
return max(rob, not_rob) | class Solution:
def rob(self, nums):
(rob, not_rob) = (0, 0)
for num in nums:
(rob, not_rob) = (not_rob + num, max(rob, not_rob))
return max(rob, not_rob) |
MISS_POSITION = 'miss position'
OUT_OF_RANGE = 'out of range'
TIME_OVER = 'time over'
OUTPUT_ERROR = 'output error'
RUNTIME_ERROR = 'runtime error'
TYPE_ERROR = 'not correct type'
GAME_ERROR = 'game error'
SERVER_ERROR = 'server error'
| miss_position = 'miss position'
out_of_range = 'out of range'
time_over = 'time over'
output_error = 'output error'
runtime_error = 'runtime error'
type_error = 'not correct type'
game_error = 'game error'
server_error = 'server error' |
"""
*
* Author: Juarez Paulino(coderemite)
* Email: juarez.paulino@gmail.com
*
"""
n=input()
k=len(n)-1
r=k*9+int(n[0])-1
n=str(int(n)-int(str(int(n[0])-1)+'9'*k))
for x in n:r+=int(x)
print(r) | """
*
* Author: Juarez Paulino(coderemite)
* Email: juarez.paulino@gmail.com
*
"""
n = input()
k = len(n) - 1
r = k * 9 + int(n[0]) - 1
n = str(int(n) - int(str(int(n[0]) - 1) + '9' * k))
for x in n:
r += int(x)
print(r) |
def arevaluesthesame(value1, value2, relative_tolerance, abs_tol=0.0):
# Use math.isclose algorithm, it is better than numpy.isclose method.
# See https://github.com/numpy/numpy/issues/10161 for more on the discussion
# Since some python version don't come with math.isclose we implement it here directly
return abs(value1 - value2) <= max(relative_tolerance * max(abs(value1), abs(value2)), abs_tol)
def getfloat(value):
"""
Gets the floating point value from a string
Will allow for fortran style floats, i.e -2.34321-308
If it is neither then it will return "nan"
"""
if istradiationalfloat(value):
return float(value)
else:
return getfortranfloat(value)
def istradiationalfloat(value):
"""
Checks if the string can be converted to a floating point value
Does not allow for fortran style floats, i.e -2.34321-308
only standard floats.
"""
try:
float(value)
return True
except ValueError:
return False
def isfloat(value):
"""
Checks if the string can be converted to a floating point value
Will allow for fortran style floats, i.e -2.34321-308
If it is neither then it will return False
"""
return (istradiationalfloat(value) or isfortranfloat(value))
def isfortranfloat(value):
passfunc = lambda sign, esign, parts: True
failfunc = lambda: False
return _fortranfloat(value, passfunc, failfunc)
def getfortranfloat(value):
passfunc = lambda sign, esign, parts: float(sign + parts[0] + 'E' + esign + parts[1])
failfunc = lambda: "nan"
return _fortranfloat(value, passfunc, failfunc)
def _fortranfloat(value, passfunc, failfunc):
# could be 2.3
# 2.3e+10
# -2.3e+10
# -2.3+10
# -2.3-10
# 2.3-10
# +2.3-10
# +2.3+10
# -2.3+10
signs = ['-', '+']
valueasstring = str(value)
sign = ""
if len(valueasstring) > 0:
# check for sign at the front
if valueasstring[0] in signs:
sign = valueasstring[0]
valueasstring = valueasstring[1:]
# cannot have both separators in the value for a valid float
if not all(s in valueasstring for s in signs):
# check the values in both parts recursively
for sn in signs:
if sn in valueasstring:
parts = valueasstring.split(sn, 1)
if istradiationalfloat(parts[0]) and \
istradiationalfloat(parts[1]) and \
'.' in parts[0] and not '.' in parts[1]:
return passfunc(sign, sn, parts)
return failfunc()
| def arevaluesthesame(value1, value2, relative_tolerance, abs_tol=0.0):
return abs(value1 - value2) <= max(relative_tolerance * max(abs(value1), abs(value2)), abs_tol)
def getfloat(value):
"""
Gets the floating point value from a string
Will allow for fortran style floats, i.e -2.34321-308
If it is neither then it will return "nan"
"""
if istradiationalfloat(value):
return float(value)
else:
return getfortranfloat(value)
def istradiationalfloat(value):
"""
Checks if the string can be converted to a floating point value
Does not allow for fortran style floats, i.e -2.34321-308
only standard floats.
"""
try:
float(value)
return True
except ValueError:
return False
def isfloat(value):
"""
Checks if the string can be converted to a floating point value
Will allow for fortran style floats, i.e -2.34321-308
If it is neither then it will return False
"""
return istradiationalfloat(value) or isfortranfloat(value)
def isfortranfloat(value):
passfunc = lambda sign, esign, parts: True
failfunc = lambda : False
return _fortranfloat(value, passfunc, failfunc)
def getfortranfloat(value):
passfunc = lambda sign, esign, parts: float(sign + parts[0] + 'E' + esign + parts[1])
failfunc = lambda : 'nan'
return _fortranfloat(value, passfunc, failfunc)
def _fortranfloat(value, passfunc, failfunc):
signs = ['-', '+']
valueasstring = str(value)
sign = ''
if len(valueasstring) > 0:
if valueasstring[0] in signs:
sign = valueasstring[0]
valueasstring = valueasstring[1:]
if not all((s in valueasstring for s in signs)):
for sn in signs:
if sn in valueasstring:
parts = valueasstring.split(sn, 1)
if istradiationalfloat(parts[0]) and istradiationalfloat(parts[1]) and ('.' in parts[0]) and (not '.' in parts[1]):
return passfunc(sign, sn, parts)
return failfunc() |
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
"""
Created on Tue Dec 31 15:45:48 2019
@author: descentis
"""
| """
Created on Tue Dec 31 15:45:48 2019
@author: descentis
""" |
def insert(connection, transaction_id, item_id, item_price, transaction_amount):
if not isinstance(item_price, float) or item_price < 0:
raise TypeError("Argument 'transaction_id' must be a non-negative integer!")
if not isinstance(transaction_amount, int) or transaction_amount < 0:
raise TypeError("Argument 'transaction_id' must be a non-negative integer!")
cur = connection.cursor()
cur.execute(
'''INSERT INTO TransactionDetail (transactionID, itemID, itemPrice, transactionAmount) VALUES (?,?,?,?)''',
(transaction_id, item_id, item_price, transaction_amount))
connection.commit()
def search_by_transaction_id(connection, transaction_id=None):
cur = connection.cursor()
if transaction_id is None:
return cur.execute('''SELECT * FROM TransactionDetail LIMIT 0''').fetchall()
return cur.execute('''SELECT * FROM TransactionDetail WHERE transactionID = ?''', (transaction_id,)).fetchall()
def columns_names(connection):
cur = connection.cursor()
cur.execute('''SELECT * FROM TransactionDetail LIMIT 0''')
columns = [i[0] for i in cur.description]
return columns
| def insert(connection, transaction_id, item_id, item_price, transaction_amount):
if not isinstance(item_price, float) or item_price < 0:
raise type_error("Argument 'transaction_id' must be a non-negative integer!")
if not isinstance(transaction_amount, int) or transaction_amount < 0:
raise type_error("Argument 'transaction_id' must be a non-negative integer!")
cur = connection.cursor()
cur.execute('INSERT INTO TransactionDetail (transactionID, itemID, itemPrice, transactionAmount) VALUES (?,?,?,?)', (transaction_id, item_id, item_price, transaction_amount))
connection.commit()
def search_by_transaction_id(connection, transaction_id=None):
cur = connection.cursor()
if transaction_id is None:
return cur.execute('SELECT * FROM TransactionDetail LIMIT 0').fetchall()
return cur.execute('SELECT * FROM TransactionDetail WHERE transactionID = ?', (transaction_id,)).fetchall()
def columns_names(connection):
cur = connection.cursor()
cur.execute('SELECT * FROM TransactionDetail LIMIT 0')
columns = [i[0] for i in cur.description]
return columns |
# Copyright 2017 The Bazel Authors. All rights reserved.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
"""The ts_devserver rule brings up our "getting started" devserver.
See the README.md.
"""
load("@build_bazel_rules_nodejs//internal:node.bzl",
"sources_aspect",
)
def _ts_devserver(ctx):
files = depset()
for d in ctx.attr.deps:
if hasattr(d, "node_sources"):
files += d.node_sources
elif hasattr(d, "files"):
files += d.files
if ctx.label.workspace_root:
# We need the workspace_name for the target being visited.
# Skylark doesn't have this - instead they have a workspace_root
# which looks like "external/repo_name" - so grab the second path segment.
# TODO(alexeagle): investigate a better way to get the workspace name
workspace_name = ctx.label.workspace_root.split("/")[1]
else:
workspace_name = ctx.workspace_name
# Create a manifest file with the sources in arbitrary order, and without
# bazel-bin prefixes ("root-relative paths").
# TODO(alexeagle): we should experiment with keeping the files toposorted, to
# see if we can get performance gains out of the module loader.
ctx.actions.write(ctx.outputs.manifest, "".join([
workspace_name + "/" + f.short_path + "\n" for f in files
]))
# Requirejs is always needed so its included as the first script
# in script_files before any user specified scripts for the devserver
# to concat in order.
script_files = depset()
script_files += ctx.files._requirejs_script
script_files += ctx.files.scripts
ctx.actions.write(ctx.outputs.scripts_manifest, "".join([
workspace_name + "/" + f.short_path + "\n" for f in script_files
]))
devserver_runfiles = [
ctx.executable._devserver,
ctx.outputs.manifest,
ctx.outputs.scripts_manifest,
ctx.file._requirejs_script]
devserver_runfiles += ctx.files.static_files
devserver_runfiles += ctx.files.scripts
serving_arg = ""
if ctx.attr.serving_path:
serving_arg = "-serving_path=%s" % ctx.attr.serving_path
# FIXME: more bash dependencies makes Windows support harder
ctx.actions.write(
output = ctx.outputs.executable,
is_executable = True,
content = """#!/bin/sh
RUNFILES="$PWD/.."
{main} {serving_arg} \
-base "$RUNFILES" \
-packages={workspace}/{package} \
-manifest={workspace}/{manifest} \
-scripts_manifest={workspace}/{scripts_manifest} \
-entry_module={entry_module} \
"$@"
""".format(
main = ctx.executable._devserver.short_path,
serving_arg = serving_arg,
workspace = workspace_name,
package = ctx.label.package,
manifest = ctx.outputs.manifest.short_path,
scripts_manifest = ctx.outputs.scripts_manifest.short_path,
entry_module = ctx.attr.entry_module))
return [DefaultInfo(
runfiles = ctx.runfiles(
files = devserver_runfiles,
# We don't expect executable targets to depend on the devserver, but if they do,
# they can see the JavaScript code.
transitive_files = depset(ctx.files.data) + files,
collect_data = True,
collect_default = True,
)
)]
ts_devserver = rule(
implementation = _ts_devserver,
attrs = {
"deps": attr.label_list(allow_files = True, aspects = [sources_aspect]),
"serving_path": attr.string(),
"data": attr.label_list(allow_files = True, cfg = "data"),
"static_files": attr.label_list(allow_files = True),
# User scripts for the devserver to concat before the source files
"scripts": attr.label_list(allow_files = True),
# The entry_module should be the AMD module name of the entry module such as "__main__/src/index"
# Devserver concats the following snippet after the bundle to load the application: require(["entry_module"]);
"entry_module": attr.string(),
"_requirejs_script": attr.label(allow_files = True, single_file = True, default = Label("@build_bazel_rules_typescript_devserver_deps//:node_modules/requirejs/require.js")),
"_devserver": attr.label(
default = Label("//internal/devserver/main"),
executable = True,
cfg = "host",
),
},
outputs = {
"manifest": "%{name}.MF",
"scripts_manifest": "scripts_%{name}.MF",
},
executable = True,
)
def ts_devserver_macro(tags = [], **kwargs):
ts_devserver(
# Users don't need to know that these tags are required to run under ibazel
tags = tags + [
# Tell ibazel not to restart the devserver when its deps change.
"ibazel_notify_changes",
# Tell ibazel to serve the live reload script, since we expect a browser will connect to
# this program.
"ibazel_live_reload",
],
**kwargs
)
| """The ts_devserver rule brings up our "getting started" devserver.
See the README.md.
"""
load('@build_bazel_rules_nodejs//internal:node.bzl', 'sources_aspect')
def _ts_devserver(ctx):
files = depset()
for d in ctx.attr.deps:
if hasattr(d, 'node_sources'):
files += d.node_sources
elif hasattr(d, 'files'):
files += d.files
if ctx.label.workspace_root:
workspace_name = ctx.label.workspace_root.split('/')[1]
else:
workspace_name = ctx.workspace_name
ctx.actions.write(ctx.outputs.manifest, ''.join([workspace_name + '/' + f.short_path + '\n' for f in files]))
script_files = depset()
script_files += ctx.files._requirejs_script
script_files += ctx.files.scripts
ctx.actions.write(ctx.outputs.scripts_manifest, ''.join([workspace_name + '/' + f.short_path + '\n' for f in script_files]))
devserver_runfiles = [ctx.executable._devserver, ctx.outputs.manifest, ctx.outputs.scripts_manifest, ctx.file._requirejs_script]
devserver_runfiles += ctx.files.static_files
devserver_runfiles += ctx.files.scripts
serving_arg = ''
if ctx.attr.serving_path:
serving_arg = '-serving_path=%s' % ctx.attr.serving_path
ctx.actions.write(output=ctx.outputs.executable, is_executable=True, content='#!/bin/sh\nRUNFILES="$PWD/.."\n{main} {serving_arg} -base "$RUNFILES" -packages={workspace}/{package} -manifest={workspace}/{manifest} -scripts_manifest={workspace}/{scripts_manifest} -entry_module={entry_module} "$@"\n'.format(main=ctx.executable._devserver.short_path, serving_arg=serving_arg, workspace=workspace_name, package=ctx.label.package, manifest=ctx.outputs.manifest.short_path, scripts_manifest=ctx.outputs.scripts_manifest.short_path, entry_module=ctx.attr.entry_module))
return [default_info(runfiles=ctx.runfiles(files=devserver_runfiles, transitive_files=depset(ctx.files.data) + files, collect_data=True, collect_default=True))]
ts_devserver = rule(implementation=_ts_devserver, attrs={'deps': attr.label_list(allow_files=True, aspects=[sources_aspect]), 'serving_path': attr.string(), 'data': attr.label_list(allow_files=True, cfg='data'), 'static_files': attr.label_list(allow_files=True), 'scripts': attr.label_list(allow_files=True), 'entry_module': attr.string(), '_requirejs_script': attr.label(allow_files=True, single_file=True, default=label('@build_bazel_rules_typescript_devserver_deps//:node_modules/requirejs/require.js')), '_devserver': attr.label(default=label('//internal/devserver/main'), executable=True, cfg='host')}, outputs={'manifest': '%{name}.MF', 'scripts_manifest': 'scripts_%{name}.MF'}, executable=True)
def ts_devserver_macro(tags=[], **kwargs):
ts_devserver(tags=tags + ['ibazel_notify_changes', 'ibazel_live_reload'], **kwargs) |
'''
Pattern:
Enter number of rows: 5
1
12
123
1234
12345
1234
123
12
1
'''
print('Number of patterns: ')
number_rows=int(input('Enter number of rows: '))
#upper part of the pattern
for row in range(1,number_rows+1):
for column in range(1,row+1):
print('%-2d'%column,end='')
print()
#lowe part of the pattern
for row in range(number_rows-1,0,-1):
for column in range(1,row+1):
print('%-2d'%column,end='')
print()
| """
Pattern:
Enter number of rows: 5
1
12
123
1234
12345
1234
123
12
1
"""
print('Number of patterns: ')
number_rows = int(input('Enter number of rows: '))
for row in range(1, number_rows + 1):
for column in range(1, row + 1):
print('%-2d' % column, end='')
print()
for row in range(number_rows - 1, 0, -1):
for column in range(1, row + 1):
print('%-2d' % column, end='')
print() |
{
'1': 'Identity',
'2': "Narrator's responses",
'2.1': 'Terror and Madness Trailer',
'2.2': 'Intro cinematic',
'2.3': 'Tutorial lines',
'2.3.1': 'Entering a building for the first time',
'2.4': 'Entering the hamlet',
'2.5': 'Upgrading buildings',
'2.6': 'Recruiting heroes',
'2.7': 'Dismissing a hero from the roster',
'2.8': 'Starting an expedition to kill a boss',
'2.8.1': 'Ruins',
'2.8.2': 'Weald',
'2.8.3': 'Warrens',
'2.8.4': 'Cove',
'2.9': 'Entering the Ruins',
'2.10': 'Entering the Weald',
'2.11': 'Entering the Warrens',
'2.12': 'Entering the Coves',
'2.13': 'Succeeding an expedition',
'2.13.1': 'Ruins',
'2.13.2': 'Weald',
'2.13.3': 'Warrens',
'2.13.4': 'Cove',
'2.14': 'Failing an expedition',
'2.15': 'Encountering a boss',
'2.16': 'Encountering a Color of Madness boss',
'2.17': 'Encountering a mini-boss',
'2.17.1': 'The Collector',
'2.17.2': 'The Shambler',
'2.18': 'Encountering a Color of Madness mini-boss',
'2.18.1': 'The Thing from the Stars',
'2.19': 'Raising the Light Meter to 100',
'2.20': 'Light Meter dropping to 0',
'2.21': 'Obtaining loot',
'2.22': 'Camping',
'2.23': 'Getting hit by a trap',
'2.24': 'Facing obstacles',
'2.25': 'Failing to satiate the party',
'2.26': 'Healing',
'2.26.1': 'Receiving healing through skills and/or food',
'2.26.2': 'Getting a critical hit when healing',
'2.26.3': "Healing while at Death's Door",
'2.27': 'Killing an enemy',
'2.27.1': 'Killing the first enemy',
'2.27.2': 'Killing a weak enemy',
'2.27.3': 'Killing an enemy with a strong attack',
'2.27.4': 'Killing a large enemy',
'2.27.5': 'Killing an enemy with blight or bleed',
'2.28': 'Striking a critical hit',
'2.29': 'Receiving a critical hit',
'2.30': 'Receiving a Debuff',
'2.30.1': 'Being inflicted Horror',
'2.31': 'Receiving a Buff',
'2.32': "Having a hero reach Death's Door",
'2.33': 'Having a hero receive the deathblow',
'2.34': 'Winning a battle',
'2.35': 'Filling your inventory',
'2.36': 'Failing to retreat from a battle',
'2.37': 'Retreating from a battle',
'2.38': 'Having a hero reach 50% stress or health',
'2.39': 'Gaining afflictions',
'2.40': 'Gaining virtues',
'2.41': 'Crimson Court DLC cinematic - "Younger Years"',
'2.42': 'Crimson Court DLC cinematic - "Forbidden Tannin"',
'2.43': 'Encountering Darkest Dungeon bosses',
'2.43.1': 'Heart of Darkness'
} | {'1': 'Identity', '2': "Narrator's responses", '2.1': 'Terror and Madness Trailer', '2.2': 'Intro cinematic', '2.3': 'Tutorial lines', '2.3.1': 'Entering a building for the first time', '2.4': 'Entering the hamlet', '2.5': 'Upgrading buildings', '2.6': 'Recruiting heroes', '2.7': 'Dismissing a hero from the roster', '2.8': 'Starting an expedition to kill a boss', '2.8.1': 'Ruins', '2.8.2': 'Weald', '2.8.3': 'Warrens', '2.8.4': 'Cove', '2.9': 'Entering the Ruins', '2.10': 'Entering the Weald', '2.11': 'Entering the Warrens', '2.12': 'Entering the Coves', '2.13': 'Succeeding an expedition', '2.13.1': 'Ruins', '2.13.2': 'Weald', '2.13.3': 'Warrens', '2.13.4': 'Cove', '2.14': 'Failing an expedition', '2.15': 'Encountering a boss', '2.16': 'Encountering a Color of Madness boss', '2.17': 'Encountering a mini-boss', '2.17.1': 'The Collector', '2.17.2': 'The Shambler', '2.18': 'Encountering a Color of Madness mini-boss', '2.18.1': 'The Thing from the Stars', '2.19': 'Raising the Light Meter to 100', '2.20': 'Light Meter dropping to 0', '2.21': 'Obtaining loot', '2.22': 'Camping', '2.23': 'Getting hit by a trap', '2.24': 'Facing obstacles', '2.25': 'Failing to satiate the party', '2.26': 'Healing', '2.26.1': 'Receiving healing through skills and/or food', '2.26.2': 'Getting a critical hit when healing', '2.26.3': "Healing while at Death's Door", '2.27': 'Killing an enemy', '2.27.1': 'Killing the first enemy', '2.27.2': 'Killing a weak enemy', '2.27.3': 'Killing an enemy with a strong attack', '2.27.4': 'Killing a large enemy', '2.27.5': 'Killing an enemy with blight or bleed', '2.28': 'Striking a critical hit', '2.29': 'Receiving a critical hit', '2.30': 'Receiving a Debuff', '2.30.1': 'Being inflicted Horror', '2.31': 'Receiving a Buff', '2.32': "Having a hero reach Death's Door", '2.33': 'Having a hero receive the deathblow', '2.34': 'Winning a battle', '2.35': 'Filling your inventory', '2.36': 'Failing to retreat from a battle', '2.37': 'Retreating from a battle', '2.38': 'Having a hero reach 50% stress or health', '2.39': 'Gaining afflictions', '2.40': 'Gaining virtues', '2.41': 'Crimson Court DLC cinematic - "Younger Years"', '2.42': 'Crimson Court DLC cinematic - "Forbidden Tannin"', '2.43': 'Encountering Darkest Dungeon bosses', '2.43.1': 'Heart of Darkness'} |
file=open("demo.txt",'r')
# we ave to done something with file
content=file.read()
print(content)
# content1=file.read(10)
# print(content1)
# content2=file.readlines()
# print(content2)
# file.close()
# file.write("This is a python programm")
# file.close()
# file=open("demo.txt",'a')
# file.write("\nthis is new line in programm")
# file.close()
file=open("demo.txt",'a')
# file.write("pallavi")
# file.close()
file.write("good girl")
file.close() | file = open('demo.txt', 'r')
content = file.read()
print(content)
file = open('demo.txt', 'a')
file.write('good girl')
file.close() |
#!/usr/bin/env python
"""
WorkQueue_t.DataStructs_t
"""
__all__ = []
| """
WorkQueue_t.DataStructs_t
"""
__all__ = [] |
mod = 10**9 + 7
n = int(input())
include_none = 1
include_or = 0
include_and = 0
for _ in range(n):
include_and = include_and*10 + include_or
include_or = include_or*9 + include_none*2
include_none = include_none * 8
include_and %= mod
include_or %= mod
include_none %= mod
print(include_and)
| mod = 10 ** 9 + 7
n = int(input())
include_none = 1
include_or = 0
include_and = 0
for _ in range(n):
include_and = include_and * 10 + include_or
include_or = include_or * 9 + include_none * 2
include_none = include_none * 8
include_and %= mod
include_or %= mod
include_none %= mod
print(include_and) |
def pipeline_success(account,execution_id,pipeline,region, pipeline_id):
tmp = "arn:aws:codepipeline:{0}:{1}:{2}".format(region, account,pipeline)
arn =[tmp]
chamada_api = []
chamada_api.append({"account": account, "region": region, "detail": {"execution-id": execution_id, "pipeline": pipeline, "region":region, "state": "STARTED", "version": 2.0, "action": "Compilacao", "type": {"owner": "AWS", "category": "Build", "version": "1", "provider": "CodeBuild"}, "stage": "CI"}, "detail-type": "CodePipeline Action Execution State Change", "source": "aws.codepipeline", "version": "0", "time": "2019-07-30T20:50:25Z", "id": pipeline_id, "resources": arn})
chamada_api.append({"account": account, "region": region, "detail": {"execution-id": execution_id, "pipeline": pipeline, "version": 2.0, "state": "STARTED", "stage": "CI"}, "detail-type": "CodePipeline Stage Execution State Change", "source": "aws.codepipeline", "version": "0", "time": "2019-07-30T20:50:24Z", "id": pipeline_id, "resources": arn})
chamada_api.append({"account": account, "region": region, "detail": {"execution-id": execution_id, "pipeline": pipeline, "region": region, "state": "SUCCEEDED", "version": 2.0, "action": "TestUnit", "type": {"owner": "AWS", "category": "Build", "version": "1", "provider": "CodeBuild"}, "stage": "CI"}, "detail-type": "CodePipeline Action Execution State Change", "source": "aws.codepipeline", "version": "0", "time": "2019-07-30T20:51:27Z", "id": pipeline_id, "resources": arn})
chamada_api.append({"account": account, "region": region, "detail": {"execution-id": execution_id, "pipeline": pipeline, "version": 2.0, "state": "SUCCEEDED", "stage": "SourceCode"}, "detail-type": "CodePipeline Stage Execution State Change", "source": "aws.codepipeline", "version": "0", "time": "2019-07-30T20:50:24Z", "id": pipeline_id, "resources": arn})
chamada_api.append({"account": account, "region": region, "detail": {"execution-id": execution_id, "pipeline": pipeline, "region": region, "state": "SUCCEEDED", "version": 2.0, "action": "Compilacao", "type": {"owner": "AWS", "category": "Build", "version": "1", "provider": "CodeBuild"}, "stage": "CI"}, "detail-type": "CodePipeline Action Execution State Change", "source": "aws.codepipeline", "version": "0", "time": "2019-07-30T20:51:28Z", "id": pipeline_id, "resources": arn})
chamada_api.append({"account": account, "region": region, "detail": {"execution-id": execution_id, "pipeline": pipeline, "version": 2.0, "state": "STARTED", "stage": "Publish"}, "detail-type": "CodePipeline Stage Execution State Change", "source": "aws.codepipeline", "version": "0", "time": "2019-07-30T20:52:32Z", "id": pipeline_id, "resources": arn})
chamada_api.append({"account": account, "region": region, "detail": {"execution-id": execution_id, "pipeline": pipeline, "region": region, "state": "SUCCEEDED", "version": 2.0, "action": "Source", "type": {"owner": "AWS", "category": "Source", "version": "1", "provider": "CodeCommit"}, "stage": "SourceCode"}, "detail-type": "CodePipeline Action Execution State Change", "source": "aws.codepipeline", "version": "0", "time": "2019-07-30T20:50:23Z", "id": pipeline_id, "resources": arn})
chamada_api.append({"account": account, "region": region, "detail": {"execution-id": execution_id, "pipeline": pipeline, "version": 2.0, "state": "STARTED"}, "detail-type": "CodePipeline Pipeline Execution State Change", "source": "aws.codepipeline", "version": "0", "time": "2019-07-30T20:50:17Z", "id": pipeline_id, "resources": arn})
chamada_api.append({"account": account, "region": region, "detail": {"execution-id": execution_id, "pipeline": pipeline, "region": region, "state": "SUCCEEDED", "version": 2.0, "action": "Scan", "type": {"owner": "AWS", "category": "Build", "version": "1", "provider": "CodeBuild"}, "stage": "CI"}, "detail-type": "CodePipeline Action Execution State Change", "source": "aws.codepipeline", "version": "0", "time": "2019-07-30T20:52:32Z", "id": pipeline_id, "resources": arn})
chamada_api.append({"account": account, "region": region, "detail": {"execution-id": execution_id, "pipeline": pipeline, "version": 2.0, "state": "STARTED", "stage": "SourceCode"}, "detail-type": "CodePipeline Stage Execution State Change", "source": "aws.codepipeline", "version": "0", "time": "2019-07-30T20:50:17Z", "id": pipeline_id, "resources": arn})
chamada_api.append({"account": account, "region": region, "detail": {"execution-id": execution_id, "pipeline": pipeline, "region": region, "state": "STARTED", "version": 2.0, "action": "TestUnit", "type": {"owner": "AWS", "category": "Build", "version": "1", "provider": "CodeBuild"}, "stage": "CI"}, "detail-type": "CodePipeline Action Execution State Change", "source": "aws.codepipeline", "version": "0", "time": "2019-07-30T20:50:24Z", "id": pipeline_id, "resources": arn})
chamada_api.append({"account": account, "region": region, "detail": {"execution-id": execution_id, "pipeline": pipeline, "version": 2.0, "state": "SUCCEEDED", "stage": "Publish"}, "detail-type": "CodePipeline Stage Execution State Change", "source": "aws.codepipeline", "version": "0", "time": "2019-07-30T20:53:36Z", "id": pipeline_id, "resources": arn})
chamada_api.append({"account": account, "region": region, "detail": {"execution-id": execution_id, "pipeline": pipeline, "version": 2.0, "state": "SUCCEEDED"}, "detail-type": "CodePipeline Pipeline Execution State Change", "source": "aws.codepipeline", "version": "0", "time": "2019-07-30T20:53:36Z", "id": pipeline_id, "resources": arn})
chamada_api.append({"account": account, "region": region, "detail": {"eventVersion": "1.05", "eventID": "28f9c968-9ab7-49b1-ab53-f23d8ca9c986", "eventTime": "2019-07-30T20:50:17Z", "requestParameters": {"name": pipeline, "clientRequestToken": "27da5ffc-79fe-4387-b55c-0e0fbbe108d5"}, "eventType": "AwsApiCall", "responseElements": {"pipelineExecutionId": execution_id}, "awsRegion": region, "eventName": "StartPipelineExecution", "userIdentity": {"userName": "jose@localhost", "principalId": "123123123", "accessKeyId": "324234324", "invokedBy": "signin.amazonaws.com", "sessionContext": {"attributes": {"creationDate": "2019-07-30T20:42:54Z", "mfaAuthenticated": "false"}}, "type": "IAMUser", "arn": "arn:aws:iam::325847872862:user/clodonil.trigo@itau-unibanco.com.br", "accountId": account}, "eventSource": "codepipeline.amazonaws.com", "requestID": "b72b78a0-dacd-4def-a963-79fe6fdc3e8f", "userAgent": "signin.amazonaws.com", "sourceIPAddress": "200.196.153.14"}, "detail-type": "AWS API Call via CloudTrail", "source": "aws.codepipeline", "version": "0", "time": "2019-07-30T20:50:17Z", "id": "f591323b-3cfd-4dc4-6efc-37903edf77ec", "resources": []})
chamada_api.append({"account": account, "region": region, "detail": {"execution-id": execution_id, "pipeline": pipeline, "region": region, "state": "SUCCEEDED", "version": 2.0, "action": "ECR", "type": {"owner": "AWS", "category": "Build", "version": "1", "provider": "CodeBuild"}, "stage": "Publish"}, "detail-type": "CodePipeline Action Execution State Change", "source": "aws.codepipeline", "version": "0", "time": "2019-07-30T20:53:36Z", "id": pipeline_id, "resources": arn})
chamada_api.append({"account": account, "region": region, "detail": {"execution-id": execution_id, "pipeline": pipeline, "region": region, "state": "STARTED", "version": 2.0, "action": "Scan", "type": {"owner": "AWS", "category": "Build", "version": "1", "provider": "CodeBuild"}, "stage": "CI"}, "detail-type": "CodePipeline Action Execution State Change", "source": "aws.codepipeline", "version": "0", "time": "2019-07-30T20:51:29Z", "id": pipeline_id, "resources": arn})
chamada_api.append({"account": account, "region": region, "detail": {"execution-id": execution_id, "pipeline": pipeline, "region": region, "state": "STARTED", "version": 2.0, "action": "ECR", "type": {"owner": "AWS", "category": "Build", "version": "1", "provider": "CodeBuild"}, "stage": "Publish"}, "detail-type": "CodePipeline Action Execution State Change", "source": "aws.codepipeline", "version": "0", "time": "2019-07-30T20:52:33Z", "id": pipeline_id, "resources": arn})
chamada_api.append({"account": account, "region": region, "detail": {"execution-id": execution_id, "pipeline": pipeline, "region": region, "state": "STARTED", "version": 2.0, "action": "Source", "type": {"owner": "AWS", "category": "Source", "version": "1", "provider": "CodeCommit"}, "stage": "SourceCode"}, "detail-type": "CodePipeline Action Execution State Change", "source": "aws.codepipeline", "version": "0", "time": "2019-07-30T20:50:18Z", "id": pipeline_id, "resources": arn})
chamada_api.append({"account": account, "region": region, "detail": {"execution-id": execution_id, "pipeline": pipeline, "version": 2.0, "state": "SUCCEEDED", "stage": "CI"}, "detail-type": "CodePipeline Stage Execution State Change", "source": "aws.codepipeline", "version": "0", "time": "2019-07-30T20:52:32Z", "id": pipeline_id, "resources": arn})
return chamada_api
def pipeline_faild(account,execution_id,pipeline,region, pipeline_id):
tmp = "arn:aws:codepipeline:{0}:{1}:{2}".format(region, account,pipeline)
arn =[tmp]
chamada_api = []
chamada_api.append({"account": account, "region": region, "detail": {"execution-id": execution_id, "pipeline": pipeline, "region":region, "state": "STARTED", "version": 2.0, "action": "Compilacao", "type": {"owner": "AWS", "category": "Build", "version": "1", "provider": "CodeBuild"}, "stage": "CI"}, "detail-type": "CodePipeline Action Execution State Change", "source": "aws.codepipeline", "version": "0", "time": "2019-07-30T20:50:25Z", "id": pipeline_id, "resources": arn})
chamada_api.append({"account": account, "region": region, "detail": {"execution-id": execution_id, "pipeline": pipeline, "version": 2.0, "state": "STARTED", "stage": "CI"}, "detail-type": "CodePipeline Stage Execution State Change", "source": "aws.codepipeline", "version": "0", "time": "2019-07-30T20:50:24Z", "id": pipeline_id, "resources": arn})
chamada_api.append({"account": account, "region": region, "detail": {"execution-id": execution_id, "pipeline": pipeline, "region": region, "state": "SUCCEEDED", "version": 2.0, "action": "TestUnit", "type": {"owner": "AWS", "category": "Build", "version": "1", "provider": "CodeBuild"}, "stage": "CI"}, "detail-type": "CodePipeline Action Execution State Change", "source": "aws.codepipeline", "version": "0", "time": "2019-07-30T20:51:27Z", "id": pipeline_id, "resources": arn})
chamada_api.append({"account": account, "region": region, "detail": {"execution-id": execution_id, "pipeline": pipeline, "version": 2.0, "state": "SUCCEEDED", "stage": "SourceCode"}, "detail-type": "CodePipeline Stage Execution State Change", "source": "aws.codepipeline", "version": "0", "time": "2019-07-30T20:50:24Z", "id": pipeline_id, "resources": arn})
chamada_api.append({"account": account, "region": region, "detail": {"execution-id": execution_id, "pipeline": pipeline, "region": region, "state": "SUCCEEDED", "version": 2.0, "action": "Compilacao", "type": {"owner": "AWS", "category": "Build", "version": "1", "provider": "CodeBuild"}, "stage": "CI"}, "detail-type": "CodePipeline Action Execution State Change", "source": "aws.codepipeline", "version": "0", "time": "2019-07-30T20:51:28Z", "id": pipeline_id, "resources": arn})
chamada_api.append({"account": account, "region": region, "detail": {"execution-id": execution_id, "pipeline": pipeline, "version": 2.0, "state": "STARTED", "stage": "Publish"}, "detail-type": "CodePipeline Stage Execution State Change", "source": "aws.codepipeline", "version": "0", "time": "2019-07-30T20:52:32Z", "id": pipeline_id, "resources": arn})
chamada_api.append({"account": account, "region": region, "detail": {"execution-id": execution_id, "pipeline": pipeline, "region": region, "state": "SUCCEEDED", "version": 2.0, "action": "Source", "type": {"owner": "AWS", "category": "Source", "version": "1", "provider": "CodeCommit"}, "stage": "SourceCode"}, "detail-type": "CodePipeline Action Execution State Change", "source": "aws.codepipeline", "version": "0", "time": "2019-07-30T20:50:23Z", "id": pipeline_id, "resources": arn})
chamada_api.append({"account": account, "region": region, "detail": {"execution-id": execution_id, "pipeline": pipeline, "version": 2.0, "state": "STARTED"}, "detail-type": "CodePipeline Pipeline Execution State Change", "source": "aws.codepipeline", "version": "0", "time": "2019-07-30T20:50:17Z", "id": pipeline_id, "resources": arn})
chamada_api.append({"account": account, "region": region, "detail": {"execution-id": execution_id, "pipeline": pipeline, "region": region, "state": "SUCCEEDED", "version": 2.0, "action": "Scan", "type": {"owner": "AWS", "category": "Build", "version": "1", "provider": "CodeBuild"}, "stage": "CI"}, "detail-type": "CodePipeline Action Execution State Change", "source": "aws.codepipeline", "version": "0", "time": "2019-07-30T20:52:32Z", "id": pipeline_id, "resources": arn})
chamada_api.append({"account": account, "region": region, "detail": {"execution-id": execution_id, "pipeline": pipeline, "version": 2.0, "state": "STARTED", "stage": "SourceCode"}, "detail-type": "CodePipeline Stage Execution State Change", "source": "aws.codepipeline", "version": "0", "time": "2019-07-30T20:50:17Z", "id": pipeline_id, "resources": arn})
chamada_api.append({"account": account, "region": region, "detail": {"execution-id": execution_id, "pipeline": pipeline, "region": region, "state": "STARTED", "version": 2.0, "action": "TestUnit", "type": {"owner": "AWS", "category": "Build", "version": "1", "provider": "CodeBuild"}, "stage": "CI"}, "detail-type": "CodePipeline Action Execution State Change", "source": "aws.codepipeline", "version": "0", "time": "2019-07-30T20:50:24Z", "id": pipeline_id, "resources": arn})
chamada_api.append({"account": account, "region": region, "detail": {"execution-id": execution_id, "pipeline": pipeline, "version": 2.0, "state": "FAILED", "stage": "Publish"}, "detail-type": "CodePipeline Stage Execution State Change", "source": "aws.codepipeline", "version": "0", "time": "2019-07-30T20:53:36Z", "id": pipeline_id, "resources": arn})
chamada_api.append({"account": account, "region": region, "detail": {"execution-id": execution_id, "pipeline": pipeline, "version": 2.0, "state": "FAILED"}, "detail-type": "CodePipeline Pipeline Execution State Change", "source": "aws.codepipeline", "version": "0", "time": "2019-07-30T20:53:36Z", "id": pipeline_id, "resources": arn})
chamada_api.append({"account": account, "region": region, "detail": {"eventVersion": "1.05", "eventID": "28f9c968-9ab7-49b1-ab53-f23d8ca9c986", "eventTime": "2019-07-30T20:50:17Z", "requestParameters": {"name": pipeline, "clientRequestToken": "27da5ffc-79fe-4387-b55c-0e0fbbe108d5"}, "eventType": "AwsApiCall", "responseElements": {"pipelineExecutionId": execution_id}, "awsRegion": region, "eventName": "StartPipelineExecution", "userIdentity": {"userName": "jose@localhost", "principalId": "123123123", "accessKeyId": "324234324", "invokedBy": "signin.amazonaws.com", "sessionContext": {"attributes": {"creationDate": "2019-07-30T20:42:54Z", "mfaAuthenticated": "false"}}, "type": "IAMUser", "arn": "arn:aws:iam::325847872862:user/clodonil.trigo@itau-unibanco.com.br", "accountId": account}, "eventSource": "codepipeline.amazonaws.com", "requestID": "b72b78a0-dacd-4def-a963-79fe6fdc3e8f", "userAgent": "signin.amazonaws.com", "sourceIPAddress": "200.196.153.14"}, "detail-type": "AWS API Call via CloudTrail", "source": "aws.codepipeline", "version": "0", "time": "2019-07-30T20:50:17Z", "id": "f591323b-3cfd-4dc4-6efc-37903edf77ec", "resources": []})
chamada_api.append({"account": account, "region": region, "detail": {"execution-id": execution_id, "pipeline": pipeline, "region": region, "state": "FAILED", "version": 2.0, "action": "ECR", "type": {"owner": "AWS", "category": "Build", "version": "1", "provider": "CodeBuild"}, "stage": "Publish"}, "detail-type": "CodePipeline Action Execution State Change", "source": "aws.codepipeline", "version": "0", "time": "2019-07-30T20:53:36Z", "id": pipeline_id, "resources": arn})
chamada_api.append({"account": account, "region": region, "detail": {"execution-id": execution_id, "pipeline": pipeline, "region": region, "state": "STARTED", "version": 2.0, "action": "Scan", "type": {"owner": "AWS", "category": "Build", "version": "1", "provider": "CodeBuild"}, "stage": "CI"}, "detail-type": "CodePipeline Action Execution State Change", "source": "aws.codepipeline", "version": "0", "time": "2019-07-30T20:51:29Z", "id": pipeline_id, "resources": arn})
chamada_api.append({"account": account, "region": region, "detail": {"execution-id": execution_id, "pipeline": pipeline, "region": region, "state": "STARTED", "version": 2.0, "action": "ECR", "type": {"owner": "AWS", "category": "Build", "version": "1", "provider": "CodeBuild"}, "stage": "Publish"}, "detail-type": "CodePipeline Action Execution State Change", "source": "aws.codepipeline", "version": "0", "time": "2019-07-30T20:52:33Z", "id": pipeline_id, "resources": arn})
chamada_api.append({"account": account, "region": region, "detail": {"execution-id": execution_id, "pipeline": pipeline, "region": region, "state": "STARTED", "version": 2.0, "action": "Source", "type": {"owner": "AWS", "category": "Source", "version": "1", "provider": "CodeCommit"}, "stage": "SourceCode"}, "detail-type": "CodePipeline Action Execution State Change", "source": "aws.codepipeline", "version": "0", "time": "2019-07-30T20:50:18Z", "id": pipeline_id, "resources": arn})
chamada_api.append({"account": account, "region": region, "detail": {"execution-id": execution_id, "pipeline": pipeline, "version": 2.0, "state": "SUCCEEDED", "stage": "CI"}, "detail-type": "CodePipeline Stage Execution State Change", "source": "aws.codepipeline", "version": "0", "time": "2019-07-30T20:52:32Z", "id": pipeline_id, "resources": arn})
return chamada_api
| def pipeline_success(account, execution_id, pipeline, region, pipeline_id):
tmp = 'arn:aws:codepipeline:{0}:{1}:{2}'.format(region, account, pipeline)
arn = [tmp]
chamada_api = []
chamada_api.append({'account': account, 'region': region, 'detail': {'execution-id': execution_id, 'pipeline': pipeline, 'region': region, 'state': 'STARTED', 'version': 2.0, 'action': 'Compilacao', 'type': {'owner': 'AWS', 'category': 'Build', 'version': '1', 'provider': 'CodeBuild'}, 'stage': 'CI'}, 'detail-type': 'CodePipeline Action Execution State Change', 'source': 'aws.codepipeline', 'version': '0', 'time': '2019-07-30T20:50:25Z', 'id': pipeline_id, 'resources': arn})
chamada_api.append({'account': account, 'region': region, 'detail': {'execution-id': execution_id, 'pipeline': pipeline, 'version': 2.0, 'state': 'STARTED', 'stage': 'CI'}, 'detail-type': 'CodePipeline Stage Execution State Change', 'source': 'aws.codepipeline', 'version': '0', 'time': '2019-07-30T20:50:24Z', 'id': pipeline_id, 'resources': arn})
chamada_api.append({'account': account, 'region': region, 'detail': {'execution-id': execution_id, 'pipeline': pipeline, 'region': region, 'state': 'SUCCEEDED', 'version': 2.0, 'action': 'TestUnit', 'type': {'owner': 'AWS', 'category': 'Build', 'version': '1', 'provider': 'CodeBuild'}, 'stage': 'CI'}, 'detail-type': 'CodePipeline Action Execution State Change', 'source': 'aws.codepipeline', 'version': '0', 'time': '2019-07-30T20:51:27Z', 'id': pipeline_id, 'resources': arn})
chamada_api.append({'account': account, 'region': region, 'detail': {'execution-id': execution_id, 'pipeline': pipeline, 'version': 2.0, 'state': 'SUCCEEDED', 'stage': 'SourceCode'}, 'detail-type': 'CodePipeline Stage Execution State Change', 'source': 'aws.codepipeline', 'version': '0', 'time': '2019-07-30T20:50:24Z', 'id': pipeline_id, 'resources': arn})
chamada_api.append({'account': account, 'region': region, 'detail': {'execution-id': execution_id, 'pipeline': pipeline, 'region': region, 'state': 'SUCCEEDED', 'version': 2.0, 'action': 'Compilacao', 'type': {'owner': 'AWS', 'category': 'Build', 'version': '1', 'provider': 'CodeBuild'}, 'stage': 'CI'}, 'detail-type': 'CodePipeline Action Execution State Change', 'source': 'aws.codepipeline', 'version': '0', 'time': '2019-07-30T20:51:28Z', 'id': pipeline_id, 'resources': arn})
chamada_api.append({'account': account, 'region': region, 'detail': {'execution-id': execution_id, 'pipeline': pipeline, 'version': 2.0, 'state': 'STARTED', 'stage': 'Publish'}, 'detail-type': 'CodePipeline Stage Execution State Change', 'source': 'aws.codepipeline', 'version': '0', 'time': '2019-07-30T20:52:32Z', 'id': pipeline_id, 'resources': arn})
chamada_api.append({'account': account, 'region': region, 'detail': {'execution-id': execution_id, 'pipeline': pipeline, 'region': region, 'state': 'SUCCEEDED', 'version': 2.0, 'action': 'Source', 'type': {'owner': 'AWS', 'category': 'Source', 'version': '1', 'provider': 'CodeCommit'}, 'stage': 'SourceCode'}, 'detail-type': 'CodePipeline Action Execution State Change', 'source': 'aws.codepipeline', 'version': '0', 'time': '2019-07-30T20:50:23Z', 'id': pipeline_id, 'resources': arn})
chamada_api.append({'account': account, 'region': region, 'detail': {'execution-id': execution_id, 'pipeline': pipeline, 'version': 2.0, 'state': 'STARTED'}, 'detail-type': 'CodePipeline Pipeline Execution State Change', 'source': 'aws.codepipeline', 'version': '0', 'time': '2019-07-30T20:50:17Z', 'id': pipeline_id, 'resources': arn})
chamada_api.append({'account': account, 'region': region, 'detail': {'execution-id': execution_id, 'pipeline': pipeline, 'region': region, 'state': 'SUCCEEDED', 'version': 2.0, 'action': 'Scan', 'type': {'owner': 'AWS', 'category': 'Build', 'version': '1', 'provider': 'CodeBuild'}, 'stage': 'CI'}, 'detail-type': 'CodePipeline Action Execution State Change', 'source': 'aws.codepipeline', 'version': '0', 'time': '2019-07-30T20:52:32Z', 'id': pipeline_id, 'resources': arn})
chamada_api.append({'account': account, 'region': region, 'detail': {'execution-id': execution_id, 'pipeline': pipeline, 'version': 2.0, 'state': 'STARTED', 'stage': 'SourceCode'}, 'detail-type': 'CodePipeline Stage Execution State Change', 'source': 'aws.codepipeline', 'version': '0', 'time': '2019-07-30T20:50:17Z', 'id': pipeline_id, 'resources': arn})
chamada_api.append({'account': account, 'region': region, 'detail': {'execution-id': execution_id, 'pipeline': pipeline, 'region': region, 'state': 'STARTED', 'version': 2.0, 'action': 'TestUnit', 'type': {'owner': 'AWS', 'category': 'Build', 'version': '1', 'provider': 'CodeBuild'}, 'stage': 'CI'}, 'detail-type': 'CodePipeline Action Execution State Change', 'source': 'aws.codepipeline', 'version': '0', 'time': '2019-07-30T20:50:24Z', 'id': pipeline_id, 'resources': arn})
chamada_api.append({'account': account, 'region': region, 'detail': {'execution-id': execution_id, 'pipeline': pipeline, 'version': 2.0, 'state': 'SUCCEEDED', 'stage': 'Publish'}, 'detail-type': 'CodePipeline Stage Execution State Change', 'source': 'aws.codepipeline', 'version': '0', 'time': '2019-07-30T20:53:36Z', 'id': pipeline_id, 'resources': arn})
chamada_api.append({'account': account, 'region': region, 'detail': {'execution-id': execution_id, 'pipeline': pipeline, 'version': 2.0, 'state': 'SUCCEEDED'}, 'detail-type': 'CodePipeline Pipeline Execution State Change', 'source': 'aws.codepipeline', 'version': '0', 'time': '2019-07-30T20:53:36Z', 'id': pipeline_id, 'resources': arn})
chamada_api.append({'account': account, 'region': region, 'detail': {'eventVersion': '1.05', 'eventID': '28f9c968-9ab7-49b1-ab53-f23d8ca9c986', 'eventTime': '2019-07-30T20:50:17Z', 'requestParameters': {'name': pipeline, 'clientRequestToken': '27da5ffc-79fe-4387-b55c-0e0fbbe108d5'}, 'eventType': 'AwsApiCall', 'responseElements': {'pipelineExecutionId': execution_id}, 'awsRegion': region, 'eventName': 'StartPipelineExecution', 'userIdentity': {'userName': 'jose@localhost', 'principalId': '123123123', 'accessKeyId': '324234324', 'invokedBy': 'signin.amazonaws.com', 'sessionContext': {'attributes': {'creationDate': '2019-07-30T20:42:54Z', 'mfaAuthenticated': 'false'}}, 'type': 'IAMUser', 'arn': 'arn:aws:iam::325847872862:user/clodonil.trigo@itau-unibanco.com.br', 'accountId': account}, 'eventSource': 'codepipeline.amazonaws.com', 'requestID': 'b72b78a0-dacd-4def-a963-79fe6fdc3e8f', 'userAgent': 'signin.amazonaws.com', 'sourceIPAddress': '200.196.153.14'}, 'detail-type': 'AWS API Call via CloudTrail', 'source': 'aws.codepipeline', 'version': '0', 'time': '2019-07-30T20:50:17Z', 'id': 'f591323b-3cfd-4dc4-6efc-37903edf77ec', 'resources': []})
chamada_api.append({'account': account, 'region': region, 'detail': {'execution-id': execution_id, 'pipeline': pipeline, 'region': region, 'state': 'SUCCEEDED', 'version': 2.0, 'action': 'ECR', 'type': {'owner': 'AWS', 'category': 'Build', 'version': '1', 'provider': 'CodeBuild'}, 'stage': 'Publish'}, 'detail-type': 'CodePipeline Action Execution State Change', 'source': 'aws.codepipeline', 'version': '0', 'time': '2019-07-30T20:53:36Z', 'id': pipeline_id, 'resources': arn})
chamada_api.append({'account': account, 'region': region, 'detail': {'execution-id': execution_id, 'pipeline': pipeline, 'region': region, 'state': 'STARTED', 'version': 2.0, 'action': 'Scan', 'type': {'owner': 'AWS', 'category': 'Build', 'version': '1', 'provider': 'CodeBuild'}, 'stage': 'CI'}, 'detail-type': 'CodePipeline Action Execution State Change', 'source': 'aws.codepipeline', 'version': '0', 'time': '2019-07-30T20:51:29Z', 'id': pipeline_id, 'resources': arn})
chamada_api.append({'account': account, 'region': region, 'detail': {'execution-id': execution_id, 'pipeline': pipeline, 'region': region, 'state': 'STARTED', 'version': 2.0, 'action': 'ECR', 'type': {'owner': 'AWS', 'category': 'Build', 'version': '1', 'provider': 'CodeBuild'}, 'stage': 'Publish'}, 'detail-type': 'CodePipeline Action Execution State Change', 'source': 'aws.codepipeline', 'version': '0', 'time': '2019-07-30T20:52:33Z', 'id': pipeline_id, 'resources': arn})
chamada_api.append({'account': account, 'region': region, 'detail': {'execution-id': execution_id, 'pipeline': pipeline, 'region': region, 'state': 'STARTED', 'version': 2.0, 'action': 'Source', 'type': {'owner': 'AWS', 'category': 'Source', 'version': '1', 'provider': 'CodeCommit'}, 'stage': 'SourceCode'}, 'detail-type': 'CodePipeline Action Execution State Change', 'source': 'aws.codepipeline', 'version': '0', 'time': '2019-07-30T20:50:18Z', 'id': pipeline_id, 'resources': arn})
chamada_api.append({'account': account, 'region': region, 'detail': {'execution-id': execution_id, 'pipeline': pipeline, 'version': 2.0, 'state': 'SUCCEEDED', 'stage': 'CI'}, 'detail-type': 'CodePipeline Stage Execution State Change', 'source': 'aws.codepipeline', 'version': '0', 'time': '2019-07-30T20:52:32Z', 'id': pipeline_id, 'resources': arn})
return chamada_api
def pipeline_faild(account, execution_id, pipeline, region, pipeline_id):
tmp = 'arn:aws:codepipeline:{0}:{1}:{2}'.format(region, account, pipeline)
arn = [tmp]
chamada_api = []
chamada_api.append({'account': account, 'region': region, 'detail': {'execution-id': execution_id, 'pipeline': pipeline, 'region': region, 'state': 'STARTED', 'version': 2.0, 'action': 'Compilacao', 'type': {'owner': 'AWS', 'category': 'Build', 'version': '1', 'provider': 'CodeBuild'}, 'stage': 'CI'}, 'detail-type': 'CodePipeline Action Execution State Change', 'source': 'aws.codepipeline', 'version': '0', 'time': '2019-07-30T20:50:25Z', 'id': pipeline_id, 'resources': arn})
chamada_api.append({'account': account, 'region': region, 'detail': {'execution-id': execution_id, 'pipeline': pipeline, 'version': 2.0, 'state': 'STARTED', 'stage': 'CI'}, 'detail-type': 'CodePipeline Stage Execution State Change', 'source': 'aws.codepipeline', 'version': '0', 'time': '2019-07-30T20:50:24Z', 'id': pipeline_id, 'resources': arn})
chamada_api.append({'account': account, 'region': region, 'detail': {'execution-id': execution_id, 'pipeline': pipeline, 'region': region, 'state': 'SUCCEEDED', 'version': 2.0, 'action': 'TestUnit', 'type': {'owner': 'AWS', 'category': 'Build', 'version': '1', 'provider': 'CodeBuild'}, 'stage': 'CI'}, 'detail-type': 'CodePipeline Action Execution State Change', 'source': 'aws.codepipeline', 'version': '0', 'time': '2019-07-30T20:51:27Z', 'id': pipeline_id, 'resources': arn})
chamada_api.append({'account': account, 'region': region, 'detail': {'execution-id': execution_id, 'pipeline': pipeline, 'version': 2.0, 'state': 'SUCCEEDED', 'stage': 'SourceCode'}, 'detail-type': 'CodePipeline Stage Execution State Change', 'source': 'aws.codepipeline', 'version': '0', 'time': '2019-07-30T20:50:24Z', 'id': pipeline_id, 'resources': arn})
chamada_api.append({'account': account, 'region': region, 'detail': {'execution-id': execution_id, 'pipeline': pipeline, 'region': region, 'state': 'SUCCEEDED', 'version': 2.0, 'action': 'Compilacao', 'type': {'owner': 'AWS', 'category': 'Build', 'version': '1', 'provider': 'CodeBuild'}, 'stage': 'CI'}, 'detail-type': 'CodePipeline Action Execution State Change', 'source': 'aws.codepipeline', 'version': '0', 'time': '2019-07-30T20:51:28Z', 'id': pipeline_id, 'resources': arn})
chamada_api.append({'account': account, 'region': region, 'detail': {'execution-id': execution_id, 'pipeline': pipeline, 'version': 2.0, 'state': 'STARTED', 'stage': 'Publish'}, 'detail-type': 'CodePipeline Stage Execution State Change', 'source': 'aws.codepipeline', 'version': '0', 'time': '2019-07-30T20:52:32Z', 'id': pipeline_id, 'resources': arn})
chamada_api.append({'account': account, 'region': region, 'detail': {'execution-id': execution_id, 'pipeline': pipeline, 'region': region, 'state': 'SUCCEEDED', 'version': 2.0, 'action': 'Source', 'type': {'owner': 'AWS', 'category': 'Source', 'version': '1', 'provider': 'CodeCommit'}, 'stage': 'SourceCode'}, 'detail-type': 'CodePipeline Action Execution State Change', 'source': 'aws.codepipeline', 'version': '0', 'time': '2019-07-30T20:50:23Z', 'id': pipeline_id, 'resources': arn})
chamada_api.append({'account': account, 'region': region, 'detail': {'execution-id': execution_id, 'pipeline': pipeline, 'version': 2.0, 'state': 'STARTED'}, 'detail-type': 'CodePipeline Pipeline Execution State Change', 'source': 'aws.codepipeline', 'version': '0', 'time': '2019-07-30T20:50:17Z', 'id': pipeline_id, 'resources': arn})
chamada_api.append({'account': account, 'region': region, 'detail': {'execution-id': execution_id, 'pipeline': pipeline, 'region': region, 'state': 'SUCCEEDED', 'version': 2.0, 'action': 'Scan', 'type': {'owner': 'AWS', 'category': 'Build', 'version': '1', 'provider': 'CodeBuild'}, 'stage': 'CI'}, 'detail-type': 'CodePipeline Action Execution State Change', 'source': 'aws.codepipeline', 'version': '0', 'time': '2019-07-30T20:52:32Z', 'id': pipeline_id, 'resources': arn})
chamada_api.append({'account': account, 'region': region, 'detail': {'execution-id': execution_id, 'pipeline': pipeline, 'version': 2.0, 'state': 'STARTED', 'stage': 'SourceCode'}, 'detail-type': 'CodePipeline Stage Execution State Change', 'source': 'aws.codepipeline', 'version': '0', 'time': '2019-07-30T20:50:17Z', 'id': pipeline_id, 'resources': arn})
chamada_api.append({'account': account, 'region': region, 'detail': {'execution-id': execution_id, 'pipeline': pipeline, 'region': region, 'state': 'STARTED', 'version': 2.0, 'action': 'TestUnit', 'type': {'owner': 'AWS', 'category': 'Build', 'version': '1', 'provider': 'CodeBuild'}, 'stage': 'CI'}, 'detail-type': 'CodePipeline Action Execution State Change', 'source': 'aws.codepipeline', 'version': '0', 'time': '2019-07-30T20:50:24Z', 'id': pipeline_id, 'resources': arn})
chamada_api.append({'account': account, 'region': region, 'detail': {'execution-id': execution_id, 'pipeline': pipeline, 'version': 2.0, 'state': 'FAILED', 'stage': 'Publish'}, 'detail-type': 'CodePipeline Stage Execution State Change', 'source': 'aws.codepipeline', 'version': '0', 'time': '2019-07-30T20:53:36Z', 'id': pipeline_id, 'resources': arn})
chamada_api.append({'account': account, 'region': region, 'detail': {'execution-id': execution_id, 'pipeline': pipeline, 'version': 2.0, 'state': 'FAILED'}, 'detail-type': 'CodePipeline Pipeline Execution State Change', 'source': 'aws.codepipeline', 'version': '0', 'time': '2019-07-30T20:53:36Z', 'id': pipeline_id, 'resources': arn})
chamada_api.append({'account': account, 'region': region, 'detail': {'eventVersion': '1.05', 'eventID': '28f9c968-9ab7-49b1-ab53-f23d8ca9c986', 'eventTime': '2019-07-30T20:50:17Z', 'requestParameters': {'name': pipeline, 'clientRequestToken': '27da5ffc-79fe-4387-b55c-0e0fbbe108d5'}, 'eventType': 'AwsApiCall', 'responseElements': {'pipelineExecutionId': execution_id}, 'awsRegion': region, 'eventName': 'StartPipelineExecution', 'userIdentity': {'userName': 'jose@localhost', 'principalId': '123123123', 'accessKeyId': '324234324', 'invokedBy': 'signin.amazonaws.com', 'sessionContext': {'attributes': {'creationDate': '2019-07-30T20:42:54Z', 'mfaAuthenticated': 'false'}}, 'type': 'IAMUser', 'arn': 'arn:aws:iam::325847872862:user/clodonil.trigo@itau-unibanco.com.br', 'accountId': account}, 'eventSource': 'codepipeline.amazonaws.com', 'requestID': 'b72b78a0-dacd-4def-a963-79fe6fdc3e8f', 'userAgent': 'signin.amazonaws.com', 'sourceIPAddress': '200.196.153.14'}, 'detail-type': 'AWS API Call via CloudTrail', 'source': 'aws.codepipeline', 'version': '0', 'time': '2019-07-30T20:50:17Z', 'id': 'f591323b-3cfd-4dc4-6efc-37903edf77ec', 'resources': []})
chamada_api.append({'account': account, 'region': region, 'detail': {'execution-id': execution_id, 'pipeline': pipeline, 'region': region, 'state': 'FAILED', 'version': 2.0, 'action': 'ECR', 'type': {'owner': 'AWS', 'category': 'Build', 'version': '1', 'provider': 'CodeBuild'}, 'stage': 'Publish'}, 'detail-type': 'CodePipeline Action Execution State Change', 'source': 'aws.codepipeline', 'version': '0', 'time': '2019-07-30T20:53:36Z', 'id': pipeline_id, 'resources': arn})
chamada_api.append({'account': account, 'region': region, 'detail': {'execution-id': execution_id, 'pipeline': pipeline, 'region': region, 'state': 'STARTED', 'version': 2.0, 'action': 'Scan', 'type': {'owner': 'AWS', 'category': 'Build', 'version': '1', 'provider': 'CodeBuild'}, 'stage': 'CI'}, 'detail-type': 'CodePipeline Action Execution State Change', 'source': 'aws.codepipeline', 'version': '0', 'time': '2019-07-30T20:51:29Z', 'id': pipeline_id, 'resources': arn})
chamada_api.append({'account': account, 'region': region, 'detail': {'execution-id': execution_id, 'pipeline': pipeline, 'region': region, 'state': 'STARTED', 'version': 2.0, 'action': 'ECR', 'type': {'owner': 'AWS', 'category': 'Build', 'version': '1', 'provider': 'CodeBuild'}, 'stage': 'Publish'}, 'detail-type': 'CodePipeline Action Execution State Change', 'source': 'aws.codepipeline', 'version': '0', 'time': '2019-07-30T20:52:33Z', 'id': pipeline_id, 'resources': arn})
chamada_api.append({'account': account, 'region': region, 'detail': {'execution-id': execution_id, 'pipeline': pipeline, 'region': region, 'state': 'STARTED', 'version': 2.0, 'action': 'Source', 'type': {'owner': 'AWS', 'category': 'Source', 'version': '1', 'provider': 'CodeCommit'}, 'stage': 'SourceCode'}, 'detail-type': 'CodePipeline Action Execution State Change', 'source': 'aws.codepipeline', 'version': '0', 'time': '2019-07-30T20:50:18Z', 'id': pipeline_id, 'resources': arn})
chamada_api.append({'account': account, 'region': region, 'detail': {'execution-id': execution_id, 'pipeline': pipeline, 'version': 2.0, 'state': 'SUCCEEDED', 'stage': 'CI'}, 'detail-type': 'CodePipeline Stage Execution State Change', 'source': 'aws.codepipeline', 'version': '0', 'time': '2019-07-30T20:52:32Z', 'id': pipeline_id, 'resources': arn})
return chamada_api |
#
# Copyright (C) 2017 The Android Open Source Project
#
# 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.
#
# model
model = Model()
bat = 5
row = 50
col = 70
chn = 3
i0 = Input("i0", "TENSOR_QUANT8_ASYMM", "{%d, %d, %d, %d}, 0.5f, 0" % (bat, row, col, chn))
std = 20
flt = 20
pad = 0
stride = Int32Scalar("stride", std)
filt = Int32Scalar("filter", flt)
padding = Int32Scalar("padding", pad)
act2 = Int32Scalar("relu1_activation", 2)
output_row = (row + 2 * pad - flt + std) // std
output_col = (col + 2 * pad - flt + std) // std
output = Output("output", "TENSOR_QUANT8_ASYMM",
"{%d, %d, %d, %d}, 0.5f, 0" % (bat, output_row, output_col, chn))
model = model.Operation(
"MAX_POOL_2D", i0, padding, padding, padding, padding, stride, stride, filt, filt, act2).To(output)
# Example 1. Input in operand 0
input_range = bat * row * col * chn
input_values = (lambda s = std, r = input_range: [x % s + 1 for x in range(r)])()
input0 = {i0: input_values}
output_range = bat * output_row * output_col * chn
output_values = (lambda r = output_range: [ 2 for _ in range(r)])()
output0 = {output: output_values}
# Instantiate an example
Example((input0, output0))
| model = model()
bat = 5
row = 50
col = 70
chn = 3
i0 = input('i0', 'TENSOR_QUANT8_ASYMM', '{%d, %d, %d, %d}, 0.5f, 0' % (bat, row, col, chn))
std = 20
flt = 20
pad = 0
stride = int32_scalar('stride', std)
filt = int32_scalar('filter', flt)
padding = int32_scalar('padding', pad)
act2 = int32_scalar('relu1_activation', 2)
output_row = (row + 2 * pad - flt + std) // std
output_col = (col + 2 * pad - flt + std) // std
output = output('output', 'TENSOR_QUANT8_ASYMM', '{%d, %d, %d, %d}, 0.5f, 0' % (bat, output_row, output_col, chn))
model = model.Operation('MAX_POOL_2D', i0, padding, padding, padding, padding, stride, stride, filt, filt, act2).To(output)
input_range = bat * row * col * chn
input_values = (lambda s=std, r=input_range: [x % s + 1 for x in range(r)])()
input0 = {i0: input_values}
output_range = bat * output_row * output_col * chn
output_values = (lambda r=output_range: [2 for _ in range(r)])()
output0 = {output: output_values}
example((input0, output0)) |
# We will learn to create parameterized constructor
class Employee:
''' This is the version 2.0 of Employee class'''
def __init__(self,name,org,salary):
super().__init__()
self.name = name
self.organisation = org
self.salary = salary
def __str__(self):
return 'This is Employee class'
def display(self):
print('Employee Name: ',self.name)
print('Employee Org: ',self.organisation)
print('Employee Salary: ',self.salary)
#Creating diff instance of the Employee class
e1 = Employee('A','P',1000)
e2 = Employee('B','Q',2000)
e3 = Employee('C','R',3000)
e1.display()
e2.display()
e3.display()
#List of objects and call display in for loop
employees = [e1,e2,e3]
for e in employees:
e.display() | class Employee:
""" This is the version 2.0 of Employee class"""
def __init__(self, name, org, salary):
super().__init__()
self.name = name
self.organisation = org
self.salary = salary
def __str__(self):
return 'This is Employee class'
def display(self):
print('Employee Name: ', self.name)
print('Employee Org: ', self.organisation)
print('Employee Salary: ', self.salary)
e1 = employee('A', 'P', 1000)
e2 = employee('B', 'Q', 2000)
e3 = employee('C', 'R', 3000)
e1.display()
e2.display()
e3.display()
employees = [e1, e2, e3]
for e in employees:
e.display() |
class Inversor:
def __init__(self,resultado):
self.resultado=resultado
def dump(self):
return{
'resutlado' : self.resultado
} | class Inversor:
def __init__(self, resultado):
self.resultado = resultado
def dump(self):
return {'resutlado': self.resultado} |
# https://atcoder.jp/contests/math-and-algorithm/tasks/abc075_d
n, k = map(int, input().split())
xx = [0] * n
yy = [0] * n
for i in range(n):
xx[i], yy[i] = map(int, input().split())
mins = float('inf')
for x0 in xx:
for x1 in xx:
if x0 == x1:
continue
for y0 in yy:
for y1 in yy:
if y0 == y1:
continue
s = (x1 - x0) * (y1 - y0)
if s >= mins:
continue
kk = 0
for p in range(n):
if x0 <= xx[p] <= x1 and y0 <= yy[p] <= y1:
kk += 1
if kk >= k:
mins = s
break
print(mins) | (n, k) = map(int, input().split())
xx = [0] * n
yy = [0] * n
for i in range(n):
(xx[i], yy[i]) = map(int, input().split())
mins = float('inf')
for x0 in xx:
for x1 in xx:
if x0 == x1:
continue
for y0 in yy:
for y1 in yy:
if y0 == y1:
continue
s = (x1 - x0) * (y1 - y0)
if s >= mins:
continue
kk = 0
for p in range(n):
if x0 <= xx[p] <= x1 and y0 <= yy[p] <= y1:
kk += 1
if kk >= k:
mins = s
break
print(mins) |
entradas=input("")
(a,b)=entradas.split(" ")
a=int(a)
b=int(b)
print("entrada 1", a)
print("entrada 2", b)
| entradas = input('')
(a, b) = entradas.split(' ')
a = int(a)
b = int(b)
print('entrada 1', a)
print('entrada 2', b) |
_end = '\x1b[0m'
_grey = '\x1b[90m'
_red = '\x1b[91m'
_green = '\x1b[92m'
# Runtime messages
def printm(m: str):
print(f'{_grey}[{_green}+{_grey}]{_end} {m}')
# Runtime error
def printe(e: str):
print(f'{_grey}[{_red}!{_grey}]{_end} {e}')
# Exceptions
def printx(x: Exception):
print(f'{_grey}[{_red}!{_grey}] {type(x).__name__}{_end}: {str(x)}')
| _end = '\x1b[0m'
_grey = '\x1b[90m'
_red = '\x1b[91m'
_green = '\x1b[92m'
def printm(m: str):
print(f'{_grey}[{_green}+{_grey}]{_end} {m}')
def printe(e: str):
print(f'{_grey}[{_red}!{_grey}]{_end} {e}')
def printx(x: Exception):
print(f'{_grey}[{_red}!{_grey}] {type(x).__name__}{_end}: {str(x)}') |
class LinkedList:
def __init__(self):
self.head = None
class Node:
def __init__(self, data):
self.data = data
self.next = None
def __repr__(self):
return self.data
class LinkedList:
def __init__(self):
self.head = None
def reverseLL(self):
prev = None
next = self.head
node = self.head
while next is not None:
next = node.next
node.next = prev
prev = node
node = next
self.head = prev
def __repr__(self):
node = self.head
nodes = []
while node is not None:
nodes.append(node.data)
node = node.next
nodes.append('None')
return " -> ".join(nodes)
llist = LinkedList()
print(llist)
first_node = Node("a")
llist.head = first_node
print(llist)
second_node = Node("b")
third_node = Node("c")
first_node.next = second_node
second_node.next = third_node
print(llist)
llist.reverseLL()
print(llist)
| class Linkedlist:
def __init__(self):
self.head = None
class Node:
def __init__(self, data):
self.data = data
self.next = None
def __repr__(self):
return self.data
class Linkedlist:
def __init__(self):
self.head = None
def reverse_ll(self):
prev = None
next = self.head
node = self.head
while next is not None:
next = node.next
node.next = prev
prev = node
node = next
self.head = prev
def __repr__(self):
node = self.head
nodes = []
while node is not None:
nodes.append(node.data)
node = node.next
nodes.append('None')
return ' -> '.join(nodes)
llist = linked_list()
print(llist)
first_node = node('a')
llist.head = first_node
print(llist)
second_node = node('b')
third_node = node('c')
first_node.next = second_node
second_node.next = third_node
print(llist)
llist.reverseLL()
print(llist) |
# Time: O(n)
# Space: O(h)
try:
xrange # Python 2
except NameError:
xrange = range # Python 3
class Solution(object):
def averageOfLevels(self, root):
"""
:type root: TreeNode
:rtype: List[float]
"""
result = []
q = [root]
while q:
total, count = 0, 0
next_q = []
for n in q:
total += n.val
count += 1
if n.left:
next_q.append(n.left)
if n.right:
next_q.append(n.right)
q = next_q
result.append(float(total) / count)
return result
| try:
xrange
except NameError:
xrange = range
class Solution(object):
def average_of_levels(self, root):
"""
:type root: TreeNode
:rtype: List[float]
"""
result = []
q = [root]
while q:
(total, count) = (0, 0)
next_q = []
for n in q:
total += n.val
count += 1
if n.left:
next_q.append(n.left)
if n.right:
next_q.append(n.right)
q = next_q
result.append(float(total) / count)
return result |
"""
## Frame
Exploring the frame class.
"""
gdb.execute('file call_graph_py.out', to_string=True)
gdb.execute('set confirm off')
gdb.execute('rbreak .', to_string=True)
gdb.execute('start', to_string=True)
thread = gdb.inferiors()[0].threads()[0]
while thread.is_valid():
print()
frame = gdb.selected_frame()
symtab = frame.find_sal().symtab
if symtab:
print(symtab.fullname())
# TODO why can this be None even if frame.name() is not?
print(frame.function())
print(frame.name())
gdb.execute('continue', to_string=True)
| """
## Frame
Exploring the frame class.
"""
gdb.execute('file call_graph_py.out', to_string=True)
gdb.execute('set confirm off')
gdb.execute('rbreak .', to_string=True)
gdb.execute('start', to_string=True)
thread = gdb.inferiors()[0].threads()[0]
while thread.is_valid():
print()
frame = gdb.selected_frame()
symtab = frame.find_sal().symtab
if symtab:
print(symtab.fullname())
print(frame.function())
print(frame.name())
gdb.execute('continue', to_string=True) |
# SRC: https://www.hackerrank.com/challenges/the-minion-game/problem
# Functions
def substring_count(string, sub):
count = start = 0
while True:
start = string.find(sub, start) + 1
if start > 0:
count += 1
else:
return count
def get_player_score(string, player, letters):
# Calculate player score as per HR instructions
results = 0
# For each valid player letter
for letter in letters:
# Get the leftmost index of the letter in the string
start = string.index(letter)
# Temp value to calculate points on
_string = string[start:]
# Parse the string letter by letter
while len(_string):
# Add score
results += substring_count(string, _string)
# Drop one letter from right
_string = _string[:-1]
# Reset word to original
_string = string
return player, results
def minion_game(string):
score = []
vowels = ('A', 'E', 'I', 'O', 'U')
# Get valid starting letters for both players
# Stu gets points for words starting with a consonant
# Kev gets points for words starting with a vowel
starters_s = sorted(set([l for l in string if l not in vowels]))
starters_k = sorted(set([l for l in string if l in vowels]))
score.append(get_player_score(string, player='Stuart', letters=starters_s))
score.append(get_player_score(string, player='Kevin', letters=starters_k))
# Check if draw
if len(set([i[1] for i in score])) == 1:
print('Draw')
else:
winner = sorted(score, reverse=True, key=lambda x: x[1])[0]
print(f"{winner[0]} {winner[1]}")
# main()
if __name__ == '__main__':
s = input()
minion_game(s)
| def substring_count(string, sub):
count = start = 0
while True:
start = string.find(sub, start) + 1
if start > 0:
count += 1
else:
return count
def get_player_score(string, player, letters):
results = 0
for letter in letters:
start = string.index(letter)
_string = string[start:]
while len(_string):
results += substring_count(string, _string)
_string = _string[:-1]
_string = string
return (player, results)
def minion_game(string):
score = []
vowels = ('A', 'E', 'I', 'O', 'U')
starters_s = sorted(set([l for l in string if l not in vowels]))
starters_k = sorted(set([l for l in string if l in vowels]))
score.append(get_player_score(string, player='Stuart', letters=starters_s))
score.append(get_player_score(string, player='Kevin', letters=starters_k))
if len(set([i[1] for i in score])) == 1:
print('Draw')
else:
winner = sorted(score, reverse=True, key=lambda x: x[1])[0]
print(f'{winner[0]} {winner[1]}')
if __name__ == '__main__':
s = input()
minion_game(s) |
#Understand How to Convert DataType and what is function of type in python
birth_year=input("Birth Year: ")
print(type(birth_year))
age=2019-int(birth_year)
print(type(age))
print("YOUR AGE:")
print(age)
#ASK A USER TO THEIR WEIGHT(IN POUNDS),CONVERT IT TO KILOGRAMS AND PRINT ON THE TERMINAL.
weight=input("Enter Your Weight(POUNDS): ")
kilograms=float(weight)*0.4592
print("Weight In Kilogram:")
print(kilograms)
course='Python For "Beginners"'
print(course)
| birth_year = input('Birth Year: ')
print(type(birth_year))
age = 2019 - int(birth_year)
print(type(age))
print('YOUR AGE:')
print(age)
weight = input('Enter Your Weight(POUNDS): ')
kilograms = float(weight) * 0.4592
print('Weight In Kilogram:')
print(kilograms)
course = 'Python For "Beginners"'
print(course) |
def read_input(input_file):
with open(input_file, "r") as f:
return [i for i in f.readlines()]
def parse_input(input_file: str) -> dict:
data = read_input(input_file)
return _build_data_dict(data)
def _build_data_dict(data):
data_dict = {}
for line in data:
line = line.replace("\n", "")
d1, d2 = line.split("-")
if d1 not in data_dict:
data_dict[d1] = set()
if d2 not in data_dict:
data_dict[d2] = set()
data_dict[d1].add(d2)
data_dict[d2].add(d1)
return data_dict
def count_paths(paths, authorized_sc_twice=0) -> int:
paths = build_paths(paths, authorized_sc_twice=authorized_sc_twice)
return len(paths)
def build_paths(paths: dict, authorized_sc_twice=0) -> list:
small_caves = [d for d in paths.keys() if d.islower()]
return _compute_paths(["start"], paths, [], small_caves, authorized_sc_twice)
def _compute_paths(base_path, data_dict, paths, small_caves, authorized_sc_twice):
for node in data_dict[base_path[-1]]:
_path = base_path + [node]
if node == "start":
continue
elif node == "end":
paths.append(_path)
else:
small_caves_visits = [
len([p for p in _path if p == c]) for c in small_caves
]
if any([s > 2 for s in small_caves_visits]):
continue
elif len([s for s in small_caves_visits if s == 2]) > authorized_sc_twice:
continue
else:
_compute_paths(
_path,
data_dict,
paths,
small_caves,
authorized_sc_twice=authorized_sc_twice,
)
return paths
| def read_input(input_file):
with open(input_file, 'r') as f:
return [i for i in f.readlines()]
def parse_input(input_file: str) -> dict:
data = read_input(input_file)
return _build_data_dict(data)
def _build_data_dict(data):
data_dict = {}
for line in data:
line = line.replace('\n', '')
(d1, d2) = line.split('-')
if d1 not in data_dict:
data_dict[d1] = set()
if d2 not in data_dict:
data_dict[d2] = set()
data_dict[d1].add(d2)
data_dict[d2].add(d1)
return data_dict
def count_paths(paths, authorized_sc_twice=0) -> int:
paths = build_paths(paths, authorized_sc_twice=authorized_sc_twice)
return len(paths)
def build_paths(paths: dict, authorized_sc_twice=0) -> list:
small_caves = [d for d in paths.keys() if d.islower()]
return _compute_paths(['start'], paths, [], small_caves, authorized_sc_twice)
def _compute_paths(base_path, data_dict, paths, small_caves, authorized_sc_twice):
for node in data_dict[base_path[-1]]:
_path = base_path + [node]
if node == 'start':
continue
elif node == 'end':
paths.append(_path)
else:
small_caves_visits = [len([p for p in _path if p == c]) for c in small_caves]
if any([s > 2 for s in small_caves_visits]):
continue
elif len([s for s in small_caves_visits if s == 2]) > authorized_sc_twice:
continue
else:
_compute_paths(_path, data_dict, paths, small_caves, authorized_sc_twice=authorized_sc_twice)
return paths |
def create_md(filename,session,speaker):
first_line = "# " + session + " - " + speaker
rest = "## Notes \n \n \n" + "## Key Takeaways \n \n \n" + "## Other Details / Follow Up \n \n \n"
full_file = first_line + "\n \n" + rest
f = open(filename, "w+")
f.write(full_file)
f.close()
# create_md("foo_bar.md", "test session", "stieber") | def create_md(filename, session, speaker):
first_line = '# ' + session + ' - ' + speaker
rest = '## Notes \n \n \n' + '## Key Takeaways \n \n \n' + '## Other Details / Follow Up \n \n \n'
full_file = first_line + '\n \n' + rest
f = open(filename, 'w+')
f.write(full_file)
f.close() |
print("Hello World")
print ("Ansar")
print ("Ansar Ahmad")
print ("Hi,I am Python.")
print ("25")
print ("2*2")
print ("2","+","5","+","9")
print ("2","+","2","+","9")
print ("Hello,","I","am","Ansar")
print ("Ansar","is","20","years","old")
print ("Hello Ansar,"+"How are you?")
print ("I am 20 years old"+"and"+"My freind is 21 years old.")
print ("20" + "+" + "2" + "=" + "22")
print ("My brother is " + "25" + "years old.")
| print('Hello World')
print('Ansar')
print('Ansar Ahmad')
print('Hi,I am Python.')
print('25')
print('2*2')
print('2', '+', '5', '+', '9')
print('2', '+', '2', '+', '9')
print('Hello,', 'I', 'am', 'Ansar')
print('Ansar', 'is', '20', 'years', 'old')
print('Hello Ansar,' + 'How are you?')
print('I am 20 years old' + 'and' + 'My freind is 21 years old.')
print('20' + '+' + '2' + '=' + '22')
print('My brother is ' + '25' + 'years old.') |
class Expr:
def evaluate(self) -> str:
raise NotImplementedError()
def __str__(self) -> str:
return self.evaluate()
def __repr__(self) -> str:
return self.evaluate() | class Expr:
def evaluate(self) -> str:
raise not_implemented_error()
def __str__(self) -> str:
return self.evaluate()
def __repr__(self) -> str:
return self.evaluate() |
def getCellTypeCombinations():
return [
("C2-L2PY","C2-L2PY","C2-L2PY"),
("C2-L3PY","C2-L2PY","C2-L2PY"),
("C2-L3PY","C2-L3PY","C2-L2PY"),
("C2-L3PY","C2-L3PY","C2-L3PY"),
("C2-L4PY","C2-L2PY","C2-L2PY"),
("C2-L4PY","C2-L3PY","C2-L2PY"),
("C2-L4PY","C2-L3PY","C2-L3PY"),
("C2-L4PY","C2-L4PY","C2-L2PY"),
("C2-L4PY","C2-L4PY","C2-L3PY"),
("C2-L4PY","C2-L4PY","C2-L4PY"),
("C2-L4sp","C2-L2PY","C2-L2PY"),
("C2-L4sp","C2-L3PY","C2-L2PY"),
("C2-L4sp","C2-L3PY","C2-L3PY"),
("C2-L4sp","C2-L4PY","C2-L2PY"),
("C2-L4sp","C2-L4PY","C2-L3PY"),
("C2-L4sp","C2-L4PY","C2-L4PY"),
("C2-L4sp","C2-L4sp","C2-L2PY"),
("C2-L4sp","C2-L4sp","C2-L3PY"),
("C2-L4sp","C2-L4sp","C2-L4PY"),
("C2-L4sp","C2-L4sp","C2-L4sp"),
("C2-L4ss","C2-L2PY","C2-L2PY"),
("C2-L4ss","C2-L3PY","C2-L2PY"),
("C2-L4ss","C2-L3PY","C2-L3PY"),
("C2-L4ss","C2-L4PY","C2-L2PY"),
("C2-L4ss","C2-L4PY","C2-L3PY"),
("C2-L4ss","C2-L4PY","C2-L4PY"),
("C2-L4ss","C2-L4sp","C2-L2PY"),
("C2-L4ss","C2-L4sp","C2-L3PY"),
("C2-L4ss","C2-L4sp","C2-L4PY"),
("C2-L4ss","C2-L4sp","C2-L4sp"),
("C2-L4ss","C2-L4ss","C2-L2PY"),
("C2-L4ss","C2-L4ss","C2-L3PY"),
("C2-L4ss","C2-L4ss","C2-L4PY"),
("C2-L4ss","C2-L4ss","C2-L4sp"),
("C2-L4ss","C2-L4ss","C2-L4ss"),
("C2-L5IT","C2-L2PY","C2-L2PY"),
("C2-L5IT","C2-L3PY","C2-L2PY"),
("C2-L5IT","C2-L3PY","C2-L3PY"),
("C2-L5IT","C2-L4PY","C2-L2PY"),
("C2-L5IT","C2-L4PY","C2-L3PY"),
("C2-L5IT","C2-L4PY","C2-L4PY"),
("C2-L5IT","C2-L4sp","C2-L2PY"),
("C2-L5IT","C2-L4sp","C2-L3PY"),
("C2-L5IT","C2-L4sp","C2-L4PY"),
("C2-L5IT","C2-L4sp","C2-L4sp"),
("C2-L5IT","C2-L4ss","C2-L2PY"),
("C2-L5IT","C2-L4ss","C2-L3PY"),
("C2-L5IT","C2-L4ss","C2-L4PY"),
("C2-L5IT","C2-L4ss","C2-L4sp"),
("C2-L5IT","C2-L4ss","C2-L4ss"),
("C2-L5IT","C2-L5IT","C2-L2PY"),
("C2-L5IT","C2-L5IT","C2-L3PY"),
("C2-L5IT","C2-L5IT","C2-L4PY"),
("C2-L5IT","C2-L5IT","C2-L4sp"),
("C2-L5IT","C2-L5IT","C2-L4ss"),
("C2-L5IT","C2-L5IT","C2-L5IT"),
("C2-L5PT","C2-L2PY","C2-L2PY"),
("C2-L5PT","C2-L3PY","C2-L2PY"),
("C2-L5PT","C2-L3PY","C2-L3PY"),
("C2-L5PT","C2-L4PY","C2-L2PY"),
("C2-L5PT","C2-L4PY","C2-L3PY"),
("C2-L5PT","C2-L4PY","C2-L4PY"),
("C2-L5PT","C2-L4sp","C2-L2PY"),
("C2-L5PT","C2-L4sp","C2-L3PY"),
("C2-L5PT","C2-L4sp","C2-L4PY"),
("C2-L5PT","C2-L4sp","C2-L4sp"),
("C2-L5PT","C2-L4ss","C2-L2PY"),
("C2-L5PT","C2-L4ss","C2-L3PY"),
("C2-L5PT","C2-L4ss","C2-L4PY"),
("C2-L5PT","C2-L4ss","C2-L4sp"),
("C2-L5PT","C2-L4ss","C2-L4ss"),
("C2-L5PT","C2-L5IT","C2-L2PY"),
("C2-L5PT","C2-L5IT","C2-L3PY"),
("C2-L5PT","C2-L5IT","C2-L4PY"),
("C2-L5PT","C2-L5IT","C2-L4sp"),
("C2-L5PT","C2-L5IT","C2-L4ss"),
("C2-L5PT","C2-L5IT","C2-L5IT"),
("C2-L5PT","C2-L5PT","C2-L2PY"),
("C2-L5PT","C2-L5PT","C2-L3PY"),
("C2-L5PT","C2-L5PT","C2-L4PY"),
("C2-L5PT","C2-L5PT","C2-L4sp"),
("C2-L5PT","C2-L5PT","C2-L4ss"),
("C2-L5PT","C2-L5PT","C2-L5IT"),
("C2-L5PT","C2-L5PT","C2-L5PT"),
("C2-L6CC","C2-L2PY","C2-L2PY"),
("C2-L6CC","C2-L3PY","C2-L2PY"),
("C2-L6CC","C2-L3PY","C2-L3PY"),
("C2-L6CC","C2-L4PY","C2-L2PY"),
("C2-L6CC","C2-L4PY","C2-L3PY"),
("C2-L6CC","C2-L4PY","C2-L4PY"),
("C2-L6CC","C2-L4sp","C2-L2PY"),
("C2-L6CC","C2-L4sp","C2-L3PY"),
("C2-L6CC","C2-L4sp","C2-L4PY"),
("C2-L6CC","C2-L4sp","C2-L4sp"),
("C2-L6CC","C2-L4ss","C2-L2PY"),
("C2-L6CC","C2-L4ss","C2-L3PY"),
("C2-L6CC","C2-L4ss","C2-L4PY"),
("C2-L6CC","C2-L4ss","C2-L4sp"),
("C2-L6CC","C2-L4ss","C2-L4ss"),
("C2-L6CC","C2-L5IT","C2-L2PY"),
("C2-L6CC","C2-L5IT","C2-L3PY"),
("C2-L6CC","C2-L5IT","C2-L4PY"),
("C2-L6CC","C2-L5IT","C2-L4sp"),
("C2-L6CC","C2-L5IT","C2-L4ss"),
("C2-L6CC","C2-L5IT","C2-L5IT"),
("C2-L6CC","C2-L5PT","C2-L2PY"),
("C2-L6CC","C2-L5PT","C2-L3PY"),
("C2-L6CC","C2-L5PT","C2-L4PY"),
("C2-L6CC","C2-L5PT","C2-L4sp"),
("C2-L6CC","C2-L5PT","C2-L4ss"),
("C2-L6CC","C2-L5PT","C2-L5IT"),
("C2-L6CC","C2-L5PT","C2-L5PT"),
("C2-L6CC","C2-L6CC","C2-L2PY"),
("C2-L6CC","C2-L6CC","C2-L3PY"),
("C2-L6CC","C2-L6CC","C2-L4PY"),
("C2-L6CC","C2-L6CC","C2-L4sp"),
("C2-L6CC","C2-L6CC","C2-L4ss"),
("C2-L6CC","C2-L6CC","C2-L5IT"),
("C2-L6CC","C2-L6CC","C2-L5PT"),
("C2-L6CC","C2-L6CC","C2-L6CC"),
("C2-L6INV","C2-L2PY","C2-L2PY"),
("C2-L6INV","C2-L3PY","C2-L2PY"),
("C2-L6INV","C2-L3PY","C2-L3PY"),
("C2-L6INV","C2-L4PY","C2-L2PY"),
("C2-L6INV","C2-L4PY","C2-L3PY"),
("C2-L6INV","C2-L4PY","C2-L4PY"),
("C2-L6INV","C2-L4sp","C2-L2PY"),
("C2-L6INV","C2-L4sp","C2-L3PY"),
("C2-L6INV","C2-L4sp","C2-L4PY"),
("C2-L6INV","C2-L4sp","C2-L4sp"),
("C2-L6INV","C2-L4ss","C2-L2PY"),
("C2-L6INV","C2-L4ss","C2-L3PY"),
("C2-L6INV","C2-L4ss","C2-L4PY"),
("C2-L6INV","C2-L4ss","C2-L4sp"),
("C2-L6INV","C2-L4ss","C2-L4ss"),
("C2-L6INV","C2-L5IT","C2-L2PY"),
("C2-L6INV","C2-L5IT","C2-L3PY"),
("C2-L6INV","C2-L5IT","C2-L4PY"),
("C2-L6INV","C2-L5IT","C2-L4sp"),
("C2-L6INV","C2-L5IT","C2-L4ss"),
("C2-L6INV","C2-L5IT","C2-L5IT"),
("C2-L6INV","C2-L5PT","C2-L2PY"),
("C2-L6INV","C2-L5PT","C2-L3PY"),
("C2-L6INV","C2-L5PT","C2-L4PY"),
("C2-L6INV","C2-L5PT","C2-L4sp"),
("C2-L6INV","C2-L5PT","C2-L4ss"),
("C2-L6INV","C2-L5PT","C2-L5IT"),
("C2-L6INV","C2-L5PT","C2-L5PT"),
("C2-L6INV","C2-L6CC","C2-L2PY"),
("C2-L6INV","C2-L6CC","C2-L3PY"),
("C2-L6INV","C2-L6CC","C2-L4PY"),
("C2-L6INV","C2-L6CC","C2-L4sp"),
("C2-L6INV","C2-L6CC","C2-L4ss"),
("C2-L6INV","C2-L6CC","C2-L5IT"),
("C2-L6INV","C2-L6CC","C2-L5PT"),
("C2-L6INV","C2-L6CC","C2-L6CC"),
("C2-L6INV","C2-L6INV","C2-L2PY"),
("C2-L6INV","C2-L6INV","C2-L3PY"),
("C2-L6INV","C2-L6INV","C2-L4PY"),
("C2-L6INV","C2-L6INV","C2-L4sp"),
("C2-L6INV","C2-L6INV","C2-L4ss"),
("C2-L6INV","C2-L6INV","C2-L5IT"),
("C2-L6INV","C2-L6INV","C2-L5PT"),
("C2-L6INV","C2-L6INV","C2-L6CC"),
("C2-L6INV","C2-L6INV","C2-L6INV"),
("C2-L6CT","C2-L2PY","C2-L2PY"),
("C2-L6CT","C2-L3PY","C2-L2PY"),
("C2-L6CT","C2-L3PY","C2-L3PY"),
("C2-L6CT","C2-L4PY","C2-L2PY"),
("C2-L6CT","C2-L4PY","C2-L3PY"),
("C2-L6CT","C2-L4PY","C2-L4PY"),
("C2-L6CT","C2-L4sp","C2-L2PY"),
("C2-L6CT","C2-L4sp","C2-L3PY"),
("C2-L6CT","C2-L4sp","C2-L4PY"),
("C2-L6CT","C2-L4sp","C2-L4sp"),
("C2-L6CT","C2-L4ss","C2-L2PY"),
("C2-L6CT","C2-L4ss","C2-L3PY"),
("C2-L6CT","C2-L4ss","C2-L4PY"),
("C2-L6CT","C2-L4ss","C2-L4sp"),
("C2-L6CT","C2-L4ss","C2-L4ss"),
("C2-L6CT","C2-L5IT","C2-L2PY"),
("C2-L6CT","C2-L5IT","C2-L3PY"),
("C2-L6CT","C2-L5IT","C2-L4PY"),
("C2-L6CT","C2-L5IT","C2-L4sp"),
("C2-L6CT","C2-L5IT","C2-L4ss"),
("C2-L6CT","C2-L5IT","C2-L5IT"),
("C2-L6CT","C2-L5PT","C2-L2PY"),
("C2-L6CT","C2-L5PT","C2-L3PY"),
("C2-L6CT","C2-L5PT","C2-L4PY"),
("C2-L6CT","C2-L5PT","C2-L4sp"),
("C2-L6CT","C2-L5PT","C2-L4ss"),
("C2-L6CT","C2-L5PT","C2-L5IT"),
("C2-L6CT","C2-L5PT","C2-L5PT"),
("C2-L6CT","C2-L6CC","C2-L2PY"),
("C2-L6CT","C2-L6CC","C2-L3PY"),
("C2-L6CT","C2-L6CC","C2-L4PY"),
("C2-L6CT","C2-L6CC","C2-L4sp"),
("C2-L6CT","C2-L6CC","C2-L4ss"),
("C2-L6CT","C2-L6CC","C2-L5IT"),
("C2-L6CT","C2-L6CC","C2-L5PT"),
("C2-L6CT","C2-L6CC","C2-L6CC"),
("C2-L6CT","C2-L6INV","C2-L2PY"),
("C2-L6CT","C2-L6INV","C2-L3PY"),
("C2-L6CT","C2-L6INV","C2-L4PY"),
("C2-L6CT","C2-L6INV","C2-L4sp"),
("C2-L6CT","C2-L6INV","C2-L4ss"),
("C2-L6CT","C2-L6INV","C2-L5IT"),
("C2-L6CT","C2-L6INV","C2-L5PT"),
("C2-L6CT","C2-L6INV","C2-L6CC"),
("C2-L6CT","C2-L6INV","C2-L6INV"),
("C2-L6CT","C2-L6CT","C2-L2PY"),
("C2-L6CT","C2-L6CT","C2-L3PY"),
("C2-L6CT","C2-L6CT","C2-L4PY"),
("C2-L6CT","C2-L6CT","C2-L4sp"),
("C2-L6CT","C2-L6CT","C2-L4ss"),
("C2-L6CT","C2-L6CT","C2-L5IT"),
("C2-L6CT","C2-L6CT","C2-L5PT"),
("C2-L6CT","C2-L6CT","C2-L6CC"),
("C2-L6CT","C2-L6CT","C2-L6INV"),
("C2-L6CT","C2-L6CT","C2-L6CT"),
("C2-VPM","C2-L2PY","C2-L2PY"),
("C2-VPM","C2-L3PY","C2-L2PY"),
("C2-VPM","C2-L3PY","C2-L3PY"),
("C2-VPM","C2-L4PY","C2-L2PY"),
("C2-VPM","C2-L4PY","C2-L3PY"),
("C2-VPM","C2-L4PY","C2-L4PY"),
("C2-VPM","C2-L4sp","C2-L2PY"),
("C2-VPM","C2-L4sp","C2-L3PY"),
("C2-VPM","C2-L4sp","C2-L4PY"),
("C2-VPM","C2-L4sp","C2-L4sp"),
("C2-VPM","C2-L4ss","C2-L2PY"),
("C2-VPM","C2-L4ss","C2-L3PY"),
("C2-VPM","C2-L4ss","C2-L4PY"),
("C2-VPM","C2-L4ss","C2-L4sp"),
("C2-VPM","C2-L4ss","C2-L4ss"),
("C2-VPM","C2-L5IT","C2-L2PY"),
("C2-VPM","C2-L5IT","C2-L3PY"),
("C2-VPM","C2-L5IT","C2-L4PY"),
("C2-VPM","C2-L5IT","C2-L4sp"),
("C2-VPM","C2-L5IT","C2-L4ss"),
("C2-VPM","C2-L5IT","C2-L5IT"),
("C2-VPM","C2-L5PT","C2-L2PY"),
("C2-VPM","C2-L5PT","C2-L3PY"),
("C2-VPM","C2-L5PT","C2-L4PY"),
("C2-VPM","C2-L5PT","C2-L4sp"),
("C2-VPM","C2-L5PT","C2-L4ss"),
("C2-VPM","C2-L5PT","C2-L5IT"),
("C2-VPM","C2-L5PT","C2-L5PT"),
("C2-VPM","C2-L6CC","C2-L2PY"),
("C2-VPM","C2-L6CC","C2-L3PY"),
("C2-VPM","C2-L6CC","C2-L4PY"),
("C2-VPM","C2-L6CC","C2-L4sp"),
("C2-VPM","C2-L6CC","C2-L4ss"),
("C2-VPM","C2-L6CC","C2-L5IT"),
("C2-VPM","C2-L6CC","C2-L5PT"),
("C2-VPM","C2-L6CC","C2-L6CC"),
("C2-VPM","C2-L6INV","C2-L2PY"),
("C2-VPM","C2-L6INV","C2-L3PY"),
("C2-VPM","C2-L6INV","C2-L4PY"),
("C2-VPM","C2-L6INV","C2-L4sp"),
("C2-VPM","C2-L6INV","C2-L4ss"),
("C2-VPM","C2-L6INV","C2-L5IT"),
("C2-VPM","C2-L6INV","C2-L5PT"),
("C2-VPM","C2-L6INV","C2-L6CC"),
("C2-VPM","C2-L6INV","C2-L6INV"),
("C2-VPM","C2-L6CT","C2-L2PY"),
("C2-VPM","C2-L6CT","C2-L3PY"),
("C2-VPM","C2-L6CT","C2-L4PY"),
("C2-VPM","C2-L6CT","C2-L4sp"),
("C2-VPM","C2-L6CT","C2-L4ss"),
("C2-VPM","C2-L6CT","C2-L5IT"),
("C2-VPM","C2-L6CT","C2-L5PT"),
("C2-VPM","C2-L6CT","C2-L6CC"),
("C2-VPM","C2-L6CT","C2-L6INV"),
("C2-VPM","C2-L6CT","C2-L6CT"),
("C2-VPM","C2-VPM","C2-L2PY"),
("C2-VPM","C2-VPM","C2-L3PY"),
("C2-VPM","C2-VPM","C2-L4PY"),
("C2-VPM","C2-VPM","C2-L4sp"),
("C2-VPM","C2-VPM","C2-L4ss"),
("C2-VPM","C2-VPM","C2-L5IT"),
("C2-VPM","C2-VPM","C2-L5PT"),
("C2-VPM","C2-VPM","C2-L6CC"),
("C2-VPM","C2-VPM","C2-L6INV"),
("C2-VPM","C2-VPM","C2-L6CT"),
("C2-VPM","C2-VPM","C2-VPM"),
("C2-INH","C2-L2PY","C2-L2PY"),
("C2-INH","C2-L3PY","C2-L2PY"),
("C2-INH","C2-L3PY","C2-L3PY"),
("C2-INH","C2-L4PY","C2-L2PY"),
("C2-INH","C2-L4PY","C2-L3PY"),
("C2-INH","C2-L4PY","C2-L4PY"),
("C2-INH","C2-L4sp","C2-L2PY"),
("C2-INH","C2-L4sp","C2-L3PY"),
("C2-INH","C2-L4sp","C2-L4PY"),
("C2-INH","C2-L4sp","C2-L4sp"),
("C2-INH","C2-L4ss","C2-L2PY"),
("C2-INH","C2-L4ss","C2-L3PY"),
("C2-INH","C2-L4ss","C2-L4PY"),
("C2-INH","C2-L4ss","C2-L4sp"),
("C2-INH","C2-L4ss","C2-L4ss"),
("C2-INH","C2-L5IT","C2-L2PY"),
("C2-INH","C2-L5IT","C2-L3PY"),
("C2-INH","C2-L5IT","C2-L4PY"),
("C2-INH","C2-L5IT","C2-L4sp"),
("C2-INH","C2-L5IT","C2-L4ss"),
("C2-INH","C2-L5IT","C2-L5IT"),
("C2-INH","C2-L5PT","C2-L2PY"),
("C2-INH","C2-L5PT","C2-L3PY"),
("C2-INH","C2-L5PT","C2-L4PY"),
("C2-INH","C2-L5PT","C2-L4sp"),
("C2-INH","C2-L5PT","C2-L4ss"),
("C2-INH","C2-L5PT","C2-L5IT"),
("C2-INH","C2-L5PT","C2-L5PT"),
("C2-INH","C2-L6CC","C2-L2PY"),
("C2-INH","C2-L6CC","C2-L3PY"),
("C2-INH","C2-L6CC","C2-L4PY"),
("C2-INH","C2-L6CC","C2-L4sp"),
("C2-INH","C2-L6CC","C2-L4ss"),
("C2-INH","C2-L6CC","C2-L5IT"),
("C2-INH","C2-L6CC","C2-L5PT"),
("C2-INH","C2-L6CC","C2-L6CC"),
("C2-INH","C2-L6INV","C2-L2PY"),
("C2-INH","C2-L6INV","C2-L3PY"),
("C2-INH","C2-L6INV","C2-L4PY"),
("C2-INH","C2-L6INV","C2-L4sp"),
("C2-INH","C2-L6INV","C2-L4ss"),
("C2-INH","C2-L6INV","C2-L5IT"),
("C2-INH","C2-L6INV","C2-L5PT"),
("C2-INH","C2-L6INV","C2-L6CC"),
("C2-INH","C2-L6INV","C2-L6INV"),
("C2-INH","C2-L6CT","C2-L2PY"),
("C2-INH","C2-L6CT","C2-L3PY"),
("C2-INH","C2-L6CT","C2-L4PY"),
("C2-INH","C2-L6CT","C2-L4sp"),
("C2-INH","C2-L6CT","C2-L4ss"),
("C2-INH","C2-L6CT","C2-L5IT"),
("C2-INH","C2-L6CT","C2-L5PT"),
("C2-INH","C2-L6CT","C2-L6CC"),
("C2-INH","C2-L6CT","C2-L6INV"),
("C2-INH","C2-L6CT","C2-L6CT"),
("C2-INH","C2-VPM","C2-L2PY"),
("C2-INH","C2-VPM","C2-L3PY"),
("C2-INH","C2-VPM","C2-L4PY"),
("C2-INH","C2-VPM","C2-L4sp"),
("C2-INH","C2-VPM","C2-L4ss"),
("C2-INH","C2-VPM","C2-L5IT"),
("C2-INH","C2-VPM","C2-L5PT"),
("C2-INH","C2-VPM","C2-L6CC"),
("C2-INH","C2-VPM","C2-L6INV"),
("C2-INH","C2-VPM","C2-L6CT"),
("C2-INH","C2-VPM","C2-VPM"),
("C2-INH","C2-INH","C2-L2PY"),
("C2-INH","C2-INH","C2-L3PY"),
("C2-INH","C2-INH","C2-L4PY"),
("C2-INH","C2-INH","C2-L4sp"),
("C2-INH","C2-INH","C2-L4ss"),
("C2-INH","C2-INH","C2-L5IT"),
("C2-INH","C2-INH","C2-L5PT"),
("C2-INH","C2-INH","C2-L6CC"),
("C2-INH","C2-INH","C2-L6INV"),
("C2-INH","C2-INH","C2-L6CT"),
("C2-INH","C2-INH","C2-VPM"),
("C2-INH","C2-INH","C2-INH")
]
def getCellTypeLayerCombinations():
return [
("C2-L1INH","C2-L2PY","C2-L2PY"),
("C2-L1INH","C2-L3PY","C2-L2PY"),
("C2-L1INH","C2-L3PY","C2-L3PY"),
("C2-L1INH","C2-L4PY","C2-L2PY"),
("C2-L1INH","C2-L4PY","C2-L3PY"),
("C2-L1INH","C2-L4PY","C2-L4PY"),
("C2-L1INH","C2-L4sp","C2-L2PY"),
("C2-L1INH","C2-L4sp","C2-L3PY"),
("C2-L1INH","C2-L4sp","C2-L4PY"),
("C2-L1INH","C2-L4sp","C2-L4sp"),
("C2-L1INH","C2-L4ss","C2-L2PY"),
("C2-L1INH","C2-L4ss","C2-L3PY"),
("C2-L1INH","C2-L4ss","C2-L4PY"),
("C2-L1INH","C2-L4ss","C2-L4sp"),
("C2-L1INH","C2-L4ss","C2-L4ss"),
("C2-L1INH","C2-L5IT","C2-L2PY"),
("C2-L1INH","C2-L5IT","C2-L3PY"),
("C2-L1INH","C2-L5IT","C2-L4PY"),
("C2-L1INH","C2-L5IT","C2-L4sp"),
("C2-L1INH","C2-L5IT","C2-L4ss"),
("C2-L1INH","C2-L5IT","C2-L5IT"),
("C2-L1INH","C2-L5PT","C2-L2PY"),
("C2-L1INH","C2-L5PT","C2-L3PY"),
("C2-L1INH","C2-L5PT","C2-L4PY"),
("C2-L1INH","C2-L5PT","C2-L4sp"),
("C2-L1INH","C2-L5PT","C2-L4ss"),
("C2-L1INH","C2-L5PT","C2-L5IT"),
("C2-L1INH","C2-L5PT","C2-L5PT"),
("C2-L1INH","C2-L6CC","C2-L2PY"),
("C2-L1INH","C2-L6CC","C2-L3PY"),
("C2-L1INH","C2-L6CC","C2-L4PY"),
("C2-L1INH","C2-L6CC","C2-L4sp"),
("C2-L1INH","C2-L6CC","C2-L4ss"),
("C2-L1INH","C2-L6CC","C2-L5IT"),
("C2-L1INH","C2-L6CC","C2-L5PT"),
("C2-L1INH","C2-L6CC","C2-L6CC"),
("C2-L1INH","C2-L6INV","C2-L2PY"),
("C2-L1INH","C2-L6INV","C2-L3PY"),
("C2-L1INH","C2-L6INV","C2-L4PY"),
("C2-L1INH","C2-L6INV","C2-L4sp"),
("C2-L1INH","C2-L6INV","C2-L4ss"),
("C2-L1INH","C2-L6INV","C2-L5IT"),
("C2-L1INH","C2-L6INV","C2-L5PT"),
("C2-L1INH","C2-L6INV","C2-L6CC"),
("C2-L1INH","C2-L6INV","C2-L6INV"),
("C2-L1INH","C2-L6CT","C2-L2PY"),
("C2-L1INH","C2-L6CT","C2-L3PY"),
("C2-L1INH","C2-L6CT","C2-L4PY"),
("C2-L1INH","C2-L6CT","C2-L4sp"),
("C2-L1INH","C2-L6CT","C2-L4ss"),
("C2-L1INH","C2-L6CT","C2-L5IT"),
("C2-L1INH","C2-L6CT","C2-L5PT"),
("C2-L1INH","C2-L6CT","C2-L6CC"),
("C2-L1INH","C2-L6CT","C2-L6INV"),
("C2-L1INH","C2-L6CT","C2-L6CT"),
("C2-L1INH","C2-VPM","C2-L2PY"),
("C2-L1INH","C2-VPM","C2-L3PY"),
("C2-L1INH","C2-VPM","C2-L4PY"),
("C2-L1INH","C2-VPM","C2-L4sp"),
("C2-L1INH","C2-VPM","C2-L4ss"),
("C2-L1INH","C2-VPM","C2-L5IT"),
("C2-L1INH","C2-VPM","C2-L5PT"),
("C2-L1INH","C2-VPM","C2-L6CC"),
("C2-L1INH","C2-VPM","C2-L6INV"),
("C2-L1INH","C2-VPM","C2-L6CT"),
("C2-L1INH","C2-VPM","C2-VPM"),
("C2-L1INH","C2-INH","C2-L2PY"),
("C2-L1INH","C2-INH","C2-L3PY"),
("C2-L1INH","C2-INH","C2-L4PY"),
("C2-L1INH","C2-INH","C2-L4sp"),
("C2-L1INH","C2-INH","C2-L4ss"),
("C2-L1INH","C2-INH","C2-L5IT"),
("C2-L1INH","C2-INH","C2-L5PT"),
("C2-L1INH","C2-INH","C2-L6CC"),
("C2-L1INH","C2-INH","C2-L6INV"),
("C2-L1INH","C2-INH","C2-L6CT"),
("C2-L1INH","C2-INH","C2-VPM"),
("C2-L1INH","C2-INH","C2-INH"),
("C2-L1INH","C2-L1INH","C2-L2PY"),
("C2-L1INH","C2-L1INH","C2-L3PY"),
("C2-L1INH","C2-L1INH","C2-L4PY"),
("C2-L1INH","C2-L1INH","C2-L4sp"),
("C2-L1INH","C2-L1INH","C2-L4ss"),
("C2-L1INH","C2-L1INH","C2-L5IT"),
("C2-L1INH","C2-L1INH","C2-L5PT"),
("C2-L1INH","C2-L1INH","C2-L6CC"),
("C2-L1INH","C2-L1INH","C2-L6INV"),
("C2-L1INH","C2-L1INH","C2-L6CT"),
("C2-L1INH","C2-L1INH","C2-VPM"),
("C2-L1INH","C2-L1INH","C2-INH"),
("C2-L1INH","C2-L1INH","C2-L1INH"),
("C2-L2INH","C2-L2PY","C2-L2PY"),
("C2-L2INH","C2-L3PY","C2-L2PY"),
("C2-L2INH","C2-L3PY","C2-L3PY"),
("C2-L2INH","C2-L4PY","C2-L2PY"),
("C2-L2INH","C2-L4PY","C2-L3PY"),
("C2-L2INH","C2-L4PY","C2-L4PY"),
("C2-L2INH","C2-L4sp","C2-L2PY"),
("C2-L2INH","C2-L4sp","C2-L3PY"),
("C2-L2INH","C2-L4sp","C2-L4PY"),
("C2-L2INH","C2-L4sp","C2-L4sp"),
("C2-L2INH","C2-L4ss","C2-L2PY"),
("C2-L2INH","C2-L4ss","C2-L3PY"),
("C2-L2INH","C2-L4ss","C2-L4PY"),
("C2-L2INH","C2-L4ss","C2-L4sp"),
("C2-L2INH","C2-L4ss","C2-L4ss"),
("C2-L2INH","C2-L5IT","C2-L2PY"),
("C2-L2INH","C2-L5IT","C2-L3PY"),
("C2-L2INH","C2-L5IT","C2-L4PY"),
("C2-L2INH","C2-L5IT","C2-L4sp"),
("C2-L2INH","C2-L5IT","C2-L4ss"),
("C2-L2INH","C2-L5IT","C2-L5IT"),
("C2-L2INH","C2-L5PT","C2-L2PY"),
("C2-L2INH","C2-L5PT","C2-L3PY"),
("C2-L2INH","C2-L5PT","C2-L4PY"),
("C2-L2INH","C2-L5PT","C2-L4sp"),
("C2-L2INH","C2-L5PT","C2-L4ss"),
("C2-L2INH","C2-L5PT","C2-L5IT"),
("C2-L2INH","C2-L5PT","C2-L5PT"),
("C2-L2INH","C2-L6CC","C2-L2PY"),
("C2-L2INH","C2-L6CC","C2-L3PY"),
("C2-L2INH","C2-L6CC","C2-L4PY"),
("C2-L2INH","C2-L6CC","C2-L4sp"),
("C2-L2INH","C2-L6CC","C2-L4ss"),
("C2-L2INH","C2-L6CC","C2-L5IT"),
("C2-L2INH","C2-L6CC","C2-L5PT"),
("C2-L2INH","C2-L6CC","C2-L6CC"),
("C2-L2INH","C2-L6INV","C2-L2PY"),
("C2-L2INH","C2-L6INV","C2-L3PY"),
("C2-L2INH","C2-L6INV","C2-L4PY"),
("C2-L2INH","C2-L6INV","C2-L4sp"),
("C2-L2INH","C2-L6INV","C2-L4ss"),
("C2-L2INH","C2-L6INV","C2-L5IT"),
("C2-L2INH","C2-L6INV","C2-L5PT"),
("C2-L2INH","C2-L6INV","C2-L6CC"),
("C2-L2INH","C2-L6INV","C2-L6INV"),
("C2-L2INH","C2-L6CT","C2-L2PY"),
("C2-L2INH","C2-L6CT","C2-L3PY"),
("C2-L2INH","C2-L6CT","C2-L4PY"),
("C2-L2INH","C2-L6CT","C2-L4sp"),
("C2-L2INH","C2-L6CT","C2-L4ss"),
("C2-L2INH","C2-L6CT","C2-L5IT"),
("C2-L2INH","C2-L6CT","C2-L5PT"),
("C2-L2INH","C2-L6CT","C2-L6CC"),
("C2-L2INH","C2-L6CT","C2-L6INV"),
("C2-L2INH","C2-L6CT","C2-L6CT"),
("C2-L2INH","C2-VPM","C2-L2PY"),
("C2-L2INH","C2-VPM","C2-L3PY"),
("C2-L2INH","C2-VPM","C2-L4PY"),
("C2-L2INH","C2-VPM","C2-L4sp"),
("C2-L2INH","C2-VPM","C2-L4ss"),
("C2-L2INH","C2-VPM","C2-L5IT"),
("C2-L2INH","C2-VPM","C2-L5PT"),
("C2-L2INH","C2-VPM","C2-L6CC"),
("C2-L2INH","C2-VPM","C2-L6INV"),
("C2-L2INH","C2-VPM","C2-L6CT"),
("C2-L2INH","C2-VPM","C2-VPM"),
("C2-L2INH","C2-INH","C2-L2PY"),
("C2-L2INH","C2-INH","C2-L3PY"),
("C2-L2INH","C2-INH","C2-L4PY"),
("C2-L2INH","C2-INH","C2-L4sp"),
("C2-L2INH","C2-INH","C2-L4ss"),
("C2-L2INH","C2-INH","C2-L5IT"),
("C2-L2INH","C2-INH","C2-L5PT"),
("C2-L2INH","C2-INH","C2-L6CC"),
("C2-L2INH","C2-INH","C2-L6INV"),
("C2-L2INH","C2-INH","C2-L6CT"),
("C2-L2INH","C2-INH","C2-VPM"),
("C2-L2INH","C2-INH","C2-INH"),
("C2-L2INH","C2-L1INH","C2-L2PY"),
("C2-L2INH","C2-L1INH","C2-L3PY"),
("C2-L2INH","C2-L1INH","C2-L4PY"),
("C2-L2INH","C2-L1INH","C2-L4sp"),
("C2-L2INH","C2-L1INH","C2-L4ss"),
("C2-L2INH","C2-L1INH","C2-L5IT"),
("C2-L2INH","C2-L1INH","C2-L5PT"),
("C2-L2INH","C2-L1INH","C2-L6CC"),
("C2-L2INH","C2-L1INH","C2-L6INV"),
("C2-L2INH","C2-L1INH","C2-L6CT"),
("C2-L2INH","C2-L1INH","C2-VPM"),
("C2-L2INH","C2-L1INH","C2-INH"),
("C2-L2INH","C2-L1INH","C2-L1INH"),
("C2-L2INH","C2-L2INH","C2-L2PY"),
("C2-L2INH","C2-L2INH","C2-L3PY"),
("C2-L2INH","C2-L2INH","C2-L4PY"),
("C2-L2INH","C2-L2INH","C2-L4sp"),
("C2-L2INH","C2-L2INH","C2-L4ss"),
("C2-L2INH","C2-L2INH","C2-L5IT"),
("C2-L2INH","C2-L2INH","C2-L5PT"),
("C2-L2INH","C2-L2INH","C2-L6CC"),
("C2-L2INH","C2-L2INH","C2-L6INV"),
("C2-L2INH","C2-L2INH","C2-L6CT"),
("C2-L2INH","C2-L2INH","C2-VPM"),
("C2-L2INH","C2-L2INH","C2-INH"),
("C2-L2INH","C2-L2INH","C2-L1INH"),
("C2-L2INH","C2-L2INH","C2-L2INH"),
("C2-L3INH","C2-L2PY","C2-L2PY"),
("C2-L3INH","C2-L3PY","C2-L2PY"),
("C2-L3INH","C2-L3PY","C2-L3PY"),
("C2-L3INH","C2-L4PY","C2-L2PY"),
("C2-L3INH","C2-L4PY","C2-L3PY"),
("C2-L3INH","C2-L4PY","C2-L4PY"),
("C2-L3INH","C2-L4sp","C2-L2PY"),
("C2-L3INH","C2-L4sp","C2-L3PY"),
("C2-L3INH","C2-L4sp","C2-L4PY"),
("C2-L3INH","C2-L4sp","C2-L4sp"),
("C2-L3INH","C2-L4ss","C2-L2PY"),
("C2-L3INH","C2-L4ss","C2-L3PY"),
("C2-L3INH","C2-L4ss","C2-L4PY"),
("C2-L3INH","C2-L4ss","C2-L4sp"),
("C2-L3INH","C2-L4ss","C2-L4ss"),
("C2-L3INH","C2-L5IT","C2-L2PY"),
("C2-L3INH","C2-L5IT","C2-L3PY"),
("C2-L3INH","C2-L5IT","C2-L4PY"),
("C2-L3INH","C2-L5IT","C2-L4sp"),
("C2-L3INH","C2-L5IT","C2-L4ss"),
("C2-L3INH","C2-L5IT","C2-L5IT"),
("C2-L3INH","C2-L5PT","C2-L2PY"),
("C2-L3INH","C2-L5PT","C2-L3PY"),
("C2-L3INH","C2-L5PT","C2-L4PY"),
("C2-L3INH","C2-L5PT","C2-L4sp"),
("C2-L3INH","C2-L5PT","C2-L4ss"),
("C2-L3INH","C2-L5PT","C2-L5IT"),
("C2-L3INH","C2-L5PT","C2-L5PT"),
("C2-L3INH","C2-L6CC","C2-L2PY"),
("C2-L3INH","C2-L6CC","C2-L3PY"),
("C2-L3INH","C2-L6CC","C2-L4PY"),
("C2-L3INH","C2-L6CC","C2-L4sp"),
("C2-L3INH","C2-L6CC","C2-L4ss"),
("C2-L3INH","C2-L6CC","C2-L5IT"),
("C2-L3INH","C2-L6CC","C2-L5PT"),
("C2-L3INH","C2-L6CC","C2-L6CC"),
("C2-L3INH","C2-L6INV","C2-L2PY"),
("C2-L3INH","C2-L6INV","C2-L3PY"),
("C2-L3INH","C2-L6INV","C2-L4PY"),
("C2-L3INH","C2-L6INV","C2-L4sp"),
("C2-L3INH","C2-L6INV","C2-L4ss"),
("C2-L3INH","C2-L6INV","C2-L5IT"),
("C2-L3INH","C2-L6INV","C2-L5PT"),
("C2-L3INH","C2-L6INV","C2-L6CC"),
("C2-L3INH","C2-L6INV","C2-L6INV"),
("C2-L3INH","C2-L6CT","C2-L2PY"),
("C2-L3INH","C2-L6CT","C2-L3PY"),
("C2-L3INH","C2-L6CT","C2-L4PY"),
("C2-L3INH","C2-L6CT","C2-L4sp"),
("C2-L3INH","C2-L6CT","C2-L4ss"),
("C2-L3INH","C2-L6CT","C2-L5IT"),
("C2-L3INH","C2-L6CT","C2-L5PT"),
("C2-L3INH","C2-L6CT","C2-L6CC"),
("C2-L3INH","C2-L6CT","C2-L6INV"),
("C2-L3INH","C2-L6CT","C2-L6CT"),
("C2-L3INH","C2-VPM","C2-L2PY"),
("C2-L3INH","C2-VPM","C2-L3PY"),
("C2-L3INH","C2-VPM","C2-L4PY"),
("C2-L3INH","C2-VPM","C2-L4sp"),
("C2-L3INH","C2-VPM","C2-L4ss"),
("C2-L3INH","C2-VPM","C2-L5IT"),
("C2-L3INH","C2-VPM","C2-L5PT"),
("C2-L3INH","C2-VPM","C2-L6CC"),
("C2-L3INH","C2-VPM","C2-L6INV"),
("C2-L3INH","C2-VPM","C2-L6CT"),
("C2-L3INH","C2-VPM","C2-VPM"),
("C2-L3INH","C2-INH","C2-L2PY"),
("C2-L3INH","C2-INH","C2-L3PY"),
("C2-L3INH","C2-INH","C2-L4PY"),
("C2-L3INH","C2-INH","C2-L4sp"),
("C2-L3INH","C2-INH","C2-L4ss"),
("C2-L3INH","C2-INH","C2-L5IT"),
("C2-L3INH","C2-INH","C2-L5PT"),
("C2-L3INH","C2-INH","C2-L6CC"),
("C2-L3INH","C2-INH","C2-L6INV"),
("C2-L3INH","C2-INH","C2-L6CT"),
("C2-L3INH","C2-INH","C2-VPM"),
("C2-L3INH","C2-INH","C2-INH"),
("C2-L3INH","C2-L1INH","C2-L2PY"),
("C2-L3INH","C2-L1INH","C2-L3PY"),
("C2-L3INH","C2-L1INH","C2-L4PY"),
("C2-L3INH","C2-L1INH","C2-L4sp"),
("C2-L3INH","C2-L1INH","C2-L4ss"),
("C2-L3INH","C2-L1INH","C2-L5IT"),
("C2-L3INH","C2-L1INH","C2-L5PT"),
("C2-L3INH","C2-L1INH","C2-L6CC"),
("C2-L3INH","C2-L1INH","C2-L6INV"),
("C2-L3INH","C2-L1INH","C2-L6CT"),
("C2-L3INH","C2-L1INH","C2-VPM"),
("C2-L3INH","C2-L1INH","C2-INH"),
("C2-L3INH","C2-L1INH","C2-L1INH"),
("C2-L3INH","C2-L2INH","C2-L2PY"),
("C2-L3INH","C2-L2INH","C2-L3PY"),
("C2-L3INH","C2-L2INH","C2-L4PY"),
("C2-L3INH","C2-L2INH","C2-L4sp"),
("C2-L3INH","C2-L2INH","C2-L4ss"),
("C2-L3INH","C2-L2INH","C2-L5IT"),
("C2-L3INH","C2-L2INH","C2-L5PT"),
("C2-L3INH","C2-L2INH","C2-L6CC"),
("C2-L3INH","C2-L2INH","C2-L6INV"),
("C2-L3INH","C2-L2INH","C2-L6CT"),
("C2-L3INH","C2-L2INH","C2-VPM"),
("C2-L3INH","C2-L2INH","C2-INH"),
("C2-L3INH","C2-L2INH","C2-L1INH"),
("C2-L3INH","C2-L2INH","C2-L2INH"),
("C2-L3INH","C2-L3INH","C2-L2PY"),
("C2-L3INH","C2-L3INH","C2-L3PY"),
("C2-L3INH","C2-L3INH","C2-L4PY"),
("C2-L3INH","C2-L3INH","C2-L4sp"),
("C2-L3INH","C2-L3INH","C2-L4ss"),
("C2-L3INH","C2-L3INH","C2-L5IT"),
("C2-L3INH","C2-L3INH","C2-L5PT"),
("C2-L3INH","C2-L3INH","C2-L6CC"),
("C2-L3INH","C2-L3INH","C2-L6INV"),
("C2-L3INH","C2-L3INH","C2-L6CT"),
("C2-L3INH","C2-L3INH","C2-VPM"),
("C2-L3INH","C2-L3INH","C2-INH"),
("C2-L3INH","C2-L3INH","C2-L1INH"),
("C2-L3INH","C2-L3INH","C2-L2INH"),
("C2-L3INH","C2-L3INH","C2-L3INH"),
("C2-L4INH","C2-L2PY","C2-L2PY"),
("C2-L4INH","C2-L3PY","C2-L2PY"),
("C2-L4INH","C2-L3PY","C2-L3PY"),
("C2-L4INH","C2-L4PY","C2-L2PY"),
("C2-L4INH","C2-L4PY","C2-L3PY"),
("C2-L4INH","C2-L4PY","C2-L4PY"),
("C2-L4INH","C2-L4sp","C2-L2PY"),
("C2-L4INH","C2-L4sp","C2-L3PY"),
("C2-L4INH","C2-L4sp","C2-L4PY"),
("C2-L4INH","C2-L4sp","C2-L4sp"),
("C2-L4INH","C2-L4ss","C2-L2PY"),
("C2-L4INH","C2-L4ss","C2-L3PY"),
("C2-L4INH","C2-L4ss","C2-L4PY"),
("C2-L4INH","C2-L4ss","C2-L4sp"),
("C2-L4INH","C2-L4ss","C2-L4ss"),
("C2-L4INH","C2-L5IT","C2-L2PY"),
("C2-L4INH","C2-L5IT","C2-L3PY"),
("C2-L4INH","C2-L5IT","C2-L4PY"),
("C2-L4INH","C2-L5IT","C2-L4sp"),
("C2-L4INH","C2-L5IT","C2-L4ss"),
("C2-L4INH","C2-L5IT","C2-L5IT"),
("C2-L4INH","C2-L5PT","C2-L2PY"),
("C2-L4INH","C2-L5PT","C2-L3PY"),
("C2-L4INH","C2-L5PT","C2-L4PY"),
("C2-L4INH","C2-L5PT","C2-L4sp"),
("C2-L4INH","C2-L5PT","C2-L4ss"),
("C2-L4INH","C2-L5PT","C2-L5IT"),
("C2-L4INH","C2-L5PT","C2-L5PT"),
("C2-L4INH","C2-L6CC","C2-L2PY"),
("C2-L4INH","C2-L6CC","C2-L3PY"),
("C2-L4INH","C2-L6CC","C2-L4PY"),
("C2-L4INH","C2-L6CC","C2-L4sp"),
("C2-L4INH","C2-L6CC","C2-L4ss"),
("C2-L4INH","C2-L6CC","C2-L5IT"),
("C2-L4INH","C2-L6CC","C2-L5PT"),
("C2-L4INH","C2-L6CC","C2-L6CC"),
("C2-L4INH","C2-L6INV","C2-L2PY"),
("C2-L4INH","C2-L6INV","C2-L3PY"),
("C2-L4INH","C2-L6INV","C2-L4PY"),
("C2-L4INH","C2-L6INV","C2-L4sp"),
("C2-L4INH","C2-L6INV","C2-L4ss"),
("C2-L4INH","C2-L6INV","C2-L5IT"),
("C2-L4INH","C2-L6INV","C2-L5PT"),
("C2-L4INH","C2-L6INV","C2-L6CC"),
("C2-L4INH","C2-L6INV","C2-L6INV"),
("C2-L4INH","C2-L6CT","C2-L2PY"),
("C2-L4INH","C2-L6CT","C2-L3PY"),
("C2-L4INH","C2-L6CT","C2-L4PY"),
("C2-L4INH","C2-L6CT","C2-L4sp"),
("C2-L4INH","C2-L6CT","C2-L4ss"),
("C2-L4INH","C2-L6CT","C2-L5IT"),
("C2-L4INH","C2-L6CT","C2-L5PT"),
("C2-L4INH","C2-L6CT","C2-L6CC"),
("C2-L4INH","C2-L6CT","C2-L6INV"),
("C2-L4INH","C2-L6CT","C2-L6CT"),
("C2-L4INH","C2-VPM","C2-L2PY"),
("C2-L4INH","C2-VPM","C2-L3PY"),
("C2-L4INH","C2-VPM","C2-L4PY"),
("C2-L4INH","C2-VPM","C2-L4sp"),
("C2-L4INH","C2-VPM","C2-L4ss"),
("C2-L4INH","C2-VPM","C2-L5IT"),
("C2-L4INH","C2-VPM","C2-L5PT"),
("C2-L4INH","C2-VPM","C2-L6CC"),
("C2-L4INH","C2-VPM","C2-L6INV"),
("C2-L4INH","C2-VPM","C2-L6CT"),
("C2-L4INH","C2-VPM","C2-VPM"),
("C2-L4INH","C2-INH","C2-L2PY"),
("C2-L4INH","C2-INH","C2-L3PY"),
("C2-L4INH","C2-INH","C2-L4PY"),
("C2-L4INH","C2-INH","C2-L4sp"),
("C2-L4INH","C2-INH","C2-L4ss"),
("C2-L4INH","C2-INH","C2-L5IT"),
("C2-L4INH","C2-INH","C2-L5PT"),
("C2-L4INH","C2-INH","C2-L6CC"),
("C2-L4INH","C2-INH","C2-L6INV"),
("C2-L4INH","C2-INH","C2-L6CT"),
("C2-L4INH","C2-INH","C2-VPM"),
("C2-L4INH","C2-INH","C2-INH"),
("C2-L4INH","C2-L1INH","C2-L2PY"),
("C2-L4INH","C2-L1INH","C2-L3PY"),
("C2-L4INH","C2-L1INH","C2-L4PY"),
("C2-L4INH","C2-L1INH","C2-L4sp"),
("C2-L4INH","C2-L1INH","C2-L4ss"),
("C2-L4INH","C2-L1INH","C2-L5IT"),
("C2-L4INH","C2-L1INH","C2-L5PT"),
("C2-L4INH","C2-L1INH","C2-L6CC"),
("C2-L4INH","C2-L1INH","C2-L6INV"),
("C2-L4INH","C2-L1INH","C2-L6CT"),
("C2-L4INH","C2-L1INH","C2-VPM"),
("C2-L4INH","C2-L1INH","C2-INH"),
("C2-L4INH","C2-L1INH","C2-L1INH"),
("C2-L4INH","C2-L2INH","C2-L2PY"),
("C2-L4INH","C2-L2INH","C2-L3PY"),
("C2-L4INH","C2-L2INH","C2-L4PY"),
("C2-L4INH","C2-L2INH","C2-L4sp"),
("C2-L4INH","C2-L2INH","C2-L4ss"),
("C2-L4INH","C2-L2INH","C2-L5IT"),
("C2-L4INH","C2-L2INH","C2-L5PT"),
("C2-L4INH","C2-L2INH","C2-L6CC"),
("C2-L4INH","C2-L2INH","C2-L6INV"),
("C2-L4INH","C2-L2INH","C2-L6CT"),
("C2-L4INH","C2-L2INH","C2-VPM"),
("C2-L4INH","C2-L2INH","C2-INH"),
("C2-L4INH","C2-L2INH","C2-L1INH"),
("C2-L4INH","C2-L2INH","C2-L2INH"),
("C2-L4INH","C2-L3INH","C2-L2PY"),
("C2-L4INH","C2-L3INH","C2-L3PY"),
("C2-L4INH","C2-L3INH","C2-L4PY"),
("C2-L4INH","C2-L3INH","C2-L4sp"),
("C2-L4INH","C2-L3INH","C2-L4ss"),
("C2-L4INH","C2-L3INH","C2-L5IT"),
("C2-L4INH","C2-L3INH","C2-L5PT"),
("C2-L4INH","C2-L3INH","C2-L6CC"),
("C2-L4INH","C2-L3INH","C2-L6INV"),
("C2-L4INH","C2-L3INH","C2-L6CT"),
("C2-L4INH","C2-L3INH","C2-VPM"),
("C2-L4INH","C2-L3INH","C2-INH"),
("C2-L4INH","C2-L3INH","C2-L1INH"),
("C2-L4INH","C2-L3INH","C2-L2INH"),
("C2-L4INH","C2-L3INH","C2-L3INH"),
("C2-L4INH","C2-L4INH","C2-L2PY"),
("C2-L4INH","C2-L4INH","C2-L3PY"),
("C2-L4INH","C2-L4INH","C2-L4PY"),
("C2-L4INH","C2-L4INH","C2-L4sp"),
("C2-L4INH","C2-L4INH","C2-L4ss"),
("C2-L4INH","C2-L4INH","C2-L5IT"),
("C2-L4INH","C2-L4INH","C2-L5PT"),
("C2-L4INH","C2-L4INH","C2-L6CC"),
("C2-L4INH","C2-L4INH","C2-L6INV"),
("C2-L4INH","C2-L4INH","C2-L6CT"),
("C2-L4INH","C2-L4INH","C2-VPM"),
("C2-L4INH","C2-L4INH","C2-INH"),
("C2-L4INH","C2-L4INH","C2-L1INH"),
("C2-L4INH","C2-L4INH","C2-L2INH"),
("C2-L4INH","C2-L4INH","C2-L3INH"),
("C2-L4INH","C2-L4INH","C2-L4INH"),
("C2-L5INH","C2-L2PY","C2-L2PY"),
("C2-L5INH","C2-L3PY","C2-L2PY"),
("C2-L5INH","C2-L3PY","C2-L3PY"),
("C2-L5INH","C2-L4PY","C2-L2PY"),
("C2-L5INH","C2-L4PY","C2-L3PY"),
("C2-L5INH","C2-L4PY","C2-L4PY"),
("C2-L5INH","C2-L4sp","C2-L2PY"),
("C2-L5INH","C2-L4sp","C2-L3PY"),
("C2-L5INH","C2-L4sp","C2-L4PY"),
("C2-L5INH","C2-L4sp","C2-L4sp"),
("C2-L5INH","C2-L4ss","C2-L2PY"),
("C2-L5INH","C2-L4ss","C2-L3PY"),
("C2-L5INH","C2-L4ss","C2-L4PY"),
("C2-L5INH","C2-L4ss","C2-L4sp"),
("C2-L5INH","C2-L4ss","C2-L4ss"),
("C2-L5INH","C2-L5IT","C2-L2PY"),
("C2-L5INH","C2-L5IT","C2-L3PY"),
("C2-L5INH","C2-L5IT","C2-L4PY"),
("C2-L5INH","C2-L5IT","C2-L4sp"),
("C2-L5INH","C2-L5IT","C2-L4ss"),
("C2-L5INH","C2-L5IT","C2-L5IT"),
("C2-L5INH","C2-L5PT","C2-L2PY"),
("C2-L5INH","C2-L5PT","C2-L3PY"),
("C2-L5INH","C2-L5PT","C2-L4PY"),
("C2-L5INH","C2-L5PT","C2-L4sp"),
("C2-L5INH","C2-L5PT","C2-L4ss"),
("C2-L5INH","C2-L5PT","C2-L5IT"),
("C2-L5INH","C2-L5PT","C2-L5PT"),
("C2-L5INH","C2-L6CC","C2-L2PY"),
("C2-L5INH","C2-L6CC","C2-L3PY"),
("C2-L5INH","C2-L6CC","C2-L4PY"),
("C2-L5INH","C2-L6CC","C2-L4sp"),
("C2-L5INH","C2-L6CC","C2-L4ss"),
("C2-L5INH","C2-L6CC","C2-L5IT"),
("C2-L5INH","C2-L6CC","C2-L5PT"),
("C2-L5INH","C2-L6CC","C2-L6CC"),
("C2-L5INH","C2-L6INV","C2-L2PY"),
("C2-L5INH","C2-L6INV","C2-L3PY"),
("C2-L5INH","C2-L6INV","C2-L4PY"),
("C2-L5INH","C2-L6INV","C2-L4sp"),
("C2-L5INH","C2-L6INV","C2-L4ss"),
("C2-L5INH","C2-L6INV","C2-L5IT"),
("C2-L5INH","C2-L6INV","C2-L5PT"),
("C2-L5INH","C2-L6INV","C2-L6CC"),
("C2-L5INH","C2-L6INV","C2-L6INV"),
("C2-L5INH","C2-L6CT","C2-L2PY"),
("C2-L5INH","C2-L6CT","C2-L3PY"),
("C2-L5INH","C2-L6CT","C2-L4PY"),
("C2-L5INH","C2-L6CT","C2-L4sp"),
("C2-L5INH","C2-L6CT","C2-L4ss"),
("C2-L5INH","C2-L6CT","C2-L5IT"),
("C2-L5INH","C2-L6CT","C2-L5PT"),
("C2-L5INH","C2-L6CT","C2-L6CC"),
("C2-L5INH","C2-L6CT","C2-L6INV"),
("C2-L5INH","C2-L6CT","C2-L6CT"),
("C2-L5INH","C2-VPM","C2-L2PY"),
("C2-L5INH","C2-VPM","C2-L3PY"),
("C2-L5INH","C2-VPM","C2-L4PY"),
("C2-L5INH","C2-VPM","C2-L4sp"),
("C2-L5INH","C2-VPM","C2-L4ss"),
("C2-L5INH","C2-VPM","C2-L5IT"),
("C2-L5INH","C2-VPM","C2-L5PT"),
("C2-L5INH","C2-VPM","C2-L6CC"),
("C2-L5INH","C2-VPM","C2-L6INV"),
("C2-L5INH","C2-VPM","C2-L6CT"),
("C2-L5INH","C2-VPM","C2-VPM"),
("C2-L5INH","C2-INH","C2-L2PY"),
("C2-L5INH","C2-INH","C2-L3PY"),
("C2-L5INH","C2-INH","C2-L4PY"),
("C2-L5INH","C2-INH","C2-L4sp"),
("C2-L5INH","C2-INH","C2-L4ss"),
("C2-L5INH","C2-INH","C2-L5IT"),
("C2-L5INH","C2-INH","C2-L5PT"),
("C2-L5INH","C2-INH","C2-L6CC"),
("C2-L5INH","C2-INH","C2-L6INV"),
("C2-L5INH","C2-INH","C2-L6CT"),
("C2-L5INH","C2-INH","C2-VPM"),
("C2-L5INH","C2-INH","C2-INH"),
("C2-L5INH","C2-L1INH","C2-L2PY"),
("C2-L5INH","C2-L1INH","C2-L3PY"),
("C2-L5INH","C2-L1INH","C2-L4PY"),
("C2-L5INH","C2-L1INH","C2-L4sp"),
("C2-L5INH","C2-L1INH","C2-L4ss"),
("C2-L5INH","C2-L1INH","C2-L5IT"),
("C2-L5INH","C2-L1INH","C2-L5PT"),
("C2-L5INH","C2-L1INH","C2-L6CC"),
("C2-L5INH","C2-L1INH","C2-L6INV"),
("C2-L5INH","C2-L1INH","C2-L6CT"),
("C2-L5INH","C2-L1INH","C2-VPM"),
("C2-L5INH","C2-L1INH","C2-INH"),
("C2-L5INH","C2-L1INH","C2-L1INH"),
("C2-L5INH","C2-L2INH","C2-L2PY"),
("C2-L5INH","C2-L2INH","C2-L3PY"),
("C2-L5INH","C2-L2INH","C2-L4PY"),
("C2-L5INH","C2-L2INH","C2-L4sp"),
("C2-L5INH","C2-L2INH","C2-L4ss"),
("C2-L5INH","C2-L2INH","C2-L5IT"),
("C2-L5INH","C2-L2INH","C2-L5PT"),
("C2-L5INH","C2-L2INH","C2-L6CC"),
("C2-L5INH","C2-L2INH","C2-L6INV"),
("C2-L5INH","C2-L2INH","C2-L6CT"),
("C2-L5INH","C2-L2INH","C2-VPM"),
("C2-L5INH","C2-L2INH","C2-INH"),
("C2-L5INH","C2-L2INH","C2-L1INH"),
("C2-L5INH","C2-L2INH","C2-L2INH"),
("C2-L5INH","C2-L3INH","C2-L2PY"),
("C2-L5INH","C2-L3INH","C2-L3PY"),
("C2-L5INH","C2-L3INH","C2-L4PY"),
("C2-L5INH","C2-L3INH","C2-L4sp"),
("C2-L5INH","C2-L3INH","C2-L4ss"),
("C2-L5INH","C2-L3INH","C2-L5IT"),
("C2-L5INH","C2-L3INH","C2-L5PT"),
("C2-L5INH","C2-L3INH","C2-L6CC"),
("C2-L5INH","C2-L3INH","C2-L6INV"),
("C2-L5INH","C2-L3INH","C2-L6CT"),
("C2-L5INH","C2-L3INH","C2-VPM"),
("C2-L5INH","C2-L3INH","C2-INH"),
("C2-L5INH","C2-L3INH","C2-L1INH"),
("C2-L5INH","C2-L3INH","C2-L2INH"),
("C2-L5INH","C2-L3INH","C2-L3INH"),
("C2-L5INH","C2-L4INH","C2-L2PY"),
("C2-L5INH","C2-L4INH","C2-L3PY"),
("C2-L5INH","C2-L4INH","C2-L4PY"),
("C2-L5INH","C2-L4INH","C2-L4sp"),
("C2-L5INH","C2-L4INH","C2-L4ss"),
("C2-L5INH","C2-L4INH","C2-L5IT"),
("C2-L5INH","C2-L4INH","C2-L5PT"),
("C2-L5INH","C2-L4INH","C2-L6CC"),
("C2-L5INH","C2-L4INH","C2-L6INV"),
("C2-L5INH","C2-L4INH","C2-L6CT"),
("C2-L5INH","C2-L4INH","C2-VPM"),
("C2-L5INH","C2-L4INH","C2-INH"),
("C2-L5INH","C2-L4INH","C2-L1INH"),
("C2-L5INH","C2-L4INH","C2-L2INH"),
("C2-L5INH","C2-L4INH","C2-L3INH"),
("C2-L5INH","C2-L4INH","C2-L4INH"),
("C2-L5INH","C2-L5INH","C2-L2PY"),
("C2-L5INH","C2-L5INH","C2-L3PY"),
("C2-L5INH","C2-L5INH","C2-L4PY"),
("C2-L5INH","C2-L5INH","C2-L4sp"),
("C2-L5INH","C2-L5INH","C2-L4ss"),
("C2-L5INH","C2-L5INH","C2-L5IT"),
("C2-L5INH","C2-L5INH","C2-L5PT"),
("C2-L5INH","C2-L5INH","C2-L6CC"),
("C2-L5INH","C2-L5INH","C2-L6INV"),
("C2-L5INH","C2-L5INH","C2-L6CT"),
("C2-L5INH","C2-L5INH","C2-VPM"),
("C2-L5INH","C2-L5INH","C2-INH"),
("C2-L5INH","C2-L5INH","C2-L1INH"),
("C2-L5INH","C2-L5INH","C2-L2INH"),
("C2-L5INH","C2-L5INH","C2-L3INH"),
("C2-L5INH","C2-L5INH","C2-L4INH"),
("C2-L5INH","C2-L5INH","C2-L5INH"),
("C2-L6INH","C2-L2PY","C2-L2PY"),
("C2-L6INH","C2-L3PY","C2-L2PY"),
("C2-L6INH","C2-L3PY","C2-L3PY"),
("C2-L6INH","C2-L4PY","C2-L2PY"),
("C2-L6INH","C2-L4PY","C2-L3PY"),
("C2-L6INH","C2-L4PY","C2-L4PY"),
("C2-L6INH","C2-L4sp","C2-L2PY"),
("C2-L6INH","C2-L4sp","C2-L3PY"),
("C2-L6INH","C2-L4sp","C2-L4PY"),
("C2-L6INH","C2-L4sp","C2-L4sp"),
("C2-L6INH","C2-L4ss","C2-L2PY"),
("C2-L6INH","C2-L4ss","C2-L3PY"),
("C2-L6INH","C2-L4ss","C2-L4PY"),
("C2-L6INH","C2-L4ss","C2-L4sp"),
("C2-L6INH","C2-L4ss","C2-L4ss"),
("C2-L6INH","C2-L5IT","C2-L2PY"),
("C2-L6INH","C2-L5IT","C2-L3PY"),
("C2-L6INH","C2-L5IT","C2-L4PY"),
("C2-L6INH","C2-L5IT","C2-L4sp"),
("C2-L6INH","C2-L5IT","C2-L4ss"),
("C2-L6INH","C2-L5IT","C2-L5IT"),
("C2-L6INH","C2-L5PT","C2-L2PY"),
("C2-L6INH","C2-L5PT","C2-L3PY"),
("C2-L6INH","C2-L5PT","C2-L4PY"),
("C2-L6INH","C2-L5PT","C2-L4sp"),
("C2-L6INH","C2-L5PT","C2-L4ss"),
("C2-L6INH","C2-L5PT","C2-L5IT"),
("C2-L6INH","C2-L5PT","C2-L5PT"),
("C2-L6INH","C2-L6CC","C2-L2PY"),
("C2-L6INH","C2-L6CC","C2-L3PY"),
("C2-L6INH","C2-L6CC","C2-L4PY"),
("C2-L6INH","C2-L6CC","C2-L4sp"),
("C2-L6INH","C2-L6CC","C2-L4ss"),
("C2-L6INH","C2-L6CC","C2-L5IT"),
("C2-L6INH","C2-L6CC","C2-L5PT"),
("C2-L6INH","C2-L6CC","C2-L6CC"),
("C2-L6INH","C2-L6INV","C2-L2PY"),
("C2-L6INH","C2-L6INV","C2-L3PY"),
("C2-L6INH","C2-L6INV","C2-L4PY"),
("C2-L6INH","C2-L6INV","C2-L4sp"),
("C2-L6INH","C2-L6INV","C2-L4ss"),
("C2-L6INH","C2-L6INV","C2-L5IT"),
("C2-L6INH","C2-L6INV","C2-L5PT"),
("C2-L6INH","C2-L6INV","C2-L6CC"),
("C2-L6INH","C2-L6INV","C2-L6INV"),
("C2-L6INH","C2-L6CT","C2-L2PY"),
("C2-L6INH","C2-L6CT","C2-L3PY"),
("C2-L6INH","C2-L6CT","C2-L4PY"),
("C2-L6INH","C2-L6CT","C2-L4sp"),
("C2-L6INH","C2-L6CT","C2-L4ss"),
("C2-L6INH","C2-L6CT","C2-L5IT"),
("C2-L6INH","C2-L6CT","C2-L5PT"),
("C2-L6INH","C2-L6CT","C2-L6CC"),
("C2-L6INH","C2-L6CT","C2-L6INV"),
("C2-L6INH","C2-L6CT","C2-L6CT"),
("C2-L6INH","C2-VPM","C2-L2PY"),
("C2-L6INH","C2-VPM","C2-L3PY"),
("C2-L6INH","C2-VPM","C2-L4PY"),
("C2-L6INH","C2-VPM","C2-L4sp"),
("C2-L6INH","C2-VPM","C2-L4ss"),
("C2-L6INH","C2-VPM","C2-L5IT"),
("C2-L6INH","C2-VPM","C2-L5PT"),
("C2-L6INH","C2-VPM","C2-L6CC"),
("C2-L6INH","C2-VPM","C2-L6INV"),
("C2-L6INH","C2-VPM","C2-L6CT"),
("C2-L6INH","C2-VPM","C2-VPM"),
("C2-L6INH","C2-INH","C2-L2PY"),
("C2-L6INH","C2-INH","C2-L3PY"),
("C2-L6INH","C2-INH","C2-L4PY"),
("C2-L6INH","C2-INH","C2-L4sp"),
("C2-L6INH","C2-INH","C2-L4ss"),
("C2-L6INH","C2-INH","C2-L5IT"),
("C2-L6INH","C2-INH","C2-L5PT"),
("C2-L6INH","C2-INH","C2-L6CC"),
("C2-L6INH","C2-INH","C2-L6INV"),
("C2-L6INH","C2-INH","C2-L6CT"),
("C2-L6INH","C2-INH","C2-VPM"),
("C2-L6INH","C2-INH","C2-INH"),
("C2-L6INH","C2-L1INH","C2-L2PY"),
("C2-L6INH","C2-L1INH","C2-L3PY"),
("C2-L6INH","C2-L1INH","C2-L4PY"),
("C2-L6INH","C2-L1INH","C2-L4sp"),
("C2-L6INH","C2-L1INH","C2-L4ss"),
("C2-L6INH","C2-L1INH","C2-L5IT"),
("C2-L6INH","C2-L1INH","C2-L5PT"),
("C2-L6INH","C2-L1INH","C2-L6CC"),
("C2-L6INH","C2-L1INH","C2-L6INV"),
("C2-L6INH","C2-L1INH","C2-L6CT"),
("C2-L6INH","C2-L1INH","C2-VPM"),
("C2-L6INH","C2-L1INH","C2-INH"),
("C2-L6INH","C2-L1INH","C2-L1INH"),
("C2-L6INH","C2-L2INH","C2-L2PY"),
("C2-L6INH","C2-L2INH","C2-L3PY"),
("C2-L6INH","C2-L2INH","C2-L4PY"),
("C2-L6INH","C2-L2INH","C2-L4sp"),
("C2-L6INH","C2-L2INH","C2-L4ss"),
("C2-L6INH","C2-L2INH","C2-L5IT"),
("C2-L6INH","C2-L2INH","C2-L5PT"),
("C2-L6INH","C2-L2INH","C2-L6CC"),
("C2-L6INH","C2-L2INH","C2-L6INV"),
("C2-L6INH","C2-L2INH","C2-L6CT"),
("C2-L6INH","C2-L2INH","C2-VPM"),
("C2-L6INH","C2-L2INH","C2-INH"),
("C2-L6INH","C2-L2INH","C2-L1INH"),
("C2-L6INH","C2-L2INH","C2-L2INH"),
("C2-L6INH","C2-L3INH","C2-L2PY"),
("C2-L6INH","C2-L3INH","C2-L3PY"),
("C2-L6INH","C2-L3INH","C2-L4PY"),
("C2-L6INH","C2-L3INH","C2-L4sp"),
("C2-L6INH","C2-L3INH","C2-L4ss"),
("C2-L6INH","C2-L3INH","C2-L5IT"),
("C2-L6INH","C2-L3INH","C2-L5PT"),
("C2-L6INH","C2-L3INH","C2-L6CC"),
("C2-L6INH","C2-L3INH","C2-L6INV"),
("C2-L6INH","C2-L3INH","C2-L6CT"),
("C2-L6INH","C2-L3INH","C2-VPM"),
("C2-L6INH","C2-L3INH","C2-INH"),
("C2-L6INH","C2-L3INH","C2-L1INH"),
("C2-L6INH","C2-L3INH","C2-L2INH"),
("C2-L6INH","C2-L3INH","C2-L3INH"),
("C2-L6INH","C2-L4INH","C2-L2PY"),
("C2-L6INH","C2-L4INH","C2-L3PY"),
("C2-L6INH","C2-L4INH","C2-L4PY"),
("C2-L6INH","C2-L4INH","C2-L4sp"),
("C2-L6INH","C2-L4INH","C2-L4ss"),
("C2-L6INH","C2-L4INH","C2-L5IT"),
("C2-L6INH","C2-L4INH","C2-L5PT"),
("C2-L6INH","C2-L4INH","C2-L6CC"),
("C2-L6INH","C2-L4INH","C2-L6INV"),
("C2-L6INH","C2-L4INH","C2-L6CT"),
("C2-L6INH","C2-L4INH","C2-VPM"),
("C2-L6INH","C2-L4INH","C2-INH"),
("C2-L6INH","C2-L4INH","C2-L1INH"),
("C2-L6INH","C2-L4INH","C2-L2INH"),
("C2-L6INH","C2-L4INH","C2-L3INH"),
("C2-L6INH","C2-L4INH","C2-L4INH"),
("C2-L6INH","C2-L5INH","C2-L2PY"),
("C2-L6INH","C2-L5INH","C2-L3PY"),
("C2-L6INH","C2-L5INH","C2-L4PY"),
("C2-L6INH","C2-L5INH","C2-L4sp"),
("C2-L6INH","C2-L5INH","C2-L4ss"),
("C2-L6INH","C2-L5INH","C2-L5IT"),
("C2-L6INH","C2-L5INH","C2-L5PT"),
("C2-L6INH","C2-L5INH","C2-L6CC"),
("C2-L6INH","C2-L5INH","C2-L6INV"),
("C2-L6INH","C2-L5INH","C2-L6CT"),
("C2-L6INH","C2-L5INH","C2-VPM"),
("C2-L6INH","C2-L5INH","C2-INH"),
("C2-L6INH","C2-L5INH","C2-L1INH"),
("C2-L6INH","C2-L5INH","C2-L2INH"),
("C2-L6INH","C2-L5INH","C2-L3INH"),
("C2-L6INH","C2-L5INH","C2-L4INH"),
("C2-L6INH","C2-L5INH","C2-L5INH"),
("C2-L6INH","C2-L6INH","C2-L2PY"),
("C2-L6INH","C2-L6INH","C2-L3PY"),
("C2-L6INH","C2-L6INH","C2-L4PY"),
("C2-L6INH","C2-L6INH","C2-L4sp"),
("C2-L6INH","C2-L6INH","C2-L4ss"),
("C2-L6INH","C2-L6INH","C2-L5IT"),
("C2-L6INH","C2-L6INH","C2-L5PT"),
("C2-L6INH","C2-L6INH","C2-L6CC"),
("C2-L6INH","C2-L6INH","C2-L6INV"),
("C2-L6INH","C2-L6INH","C2-L6CT"),
("C2-L6INH","C2-L6INH","C2-VPM"),
("C2-L6INH","C2-L6INH","C2-INH"),
("C2-L6INH","C2-L6INH","C2-L1INH"),
("C2-L6INH","C2-L6INH","C2-L2INH"),
("C2-L6INH","C2-L6INH","C2-L3INH"),
("C2-L6INH","C2-L6INH","C2-L4INH"),
("C2-L6INH","C2-L6INH","C2-L5INH"),
("C2-L6INH","C2-L6INH","C2-L6INH"),
("C2-L2EXC","C2-L2PY","C2-L2PY"),
("C2-L2EXC","C2-L3PY","C2-L2PY"),
("C2-L2EXC","C2-L3PY","C2-L3PY"),
("C2-L2EXC","C2-L4PY","C2-L2PY"),
("C2-L2EXC","C2-L4PY","C2-L3PY"),
("C2-L2EXC","C2-L4PY","C2-L4PY"),
("C2-L2EXC","C2-L4sp","C2-L2PY"),
("C2-L2EXC","C2-L4sp","C2-L3PY"),
("C2-L2EXC","C2-L4sp","C2-L4PY"),
("C2-L2EXC","C2-L4sp","C2-L4sp"),
("C2-L2EXC","C2-L4ss","C2-L2PY"),
("C2-L2EXC","C2-L4ss","C2-L3PY"),
("C2-L2EXC","C2-L4ss","C2-L4PY"),
("C2-L2EXC","C2-L4ss","C2-L4sp"),
("C2-L2EXC","C2-L4ss","C2-L4ss"),
("C2-L2EXC","C2-L5IT","C2-L2PY"),
("C2-L2EXC","C2-L5IT","C2-L3PY"),
("C2-L2EXC","C2-L5IT","C2-L4PY"),
("C2-L2EXC","C2-L5IT","C2-L4sp"),
("C2-L2EXC","C2-L5IT","C2-L4ss"),
("C2-L2EXC","C2-L5IT","C2-L5IT"),
("C2-L2EXC","C2-L5PT","C2-L2PY"),
("C2-L2EXC","C2-L5PT","C2-L3PY"),
("C2-L2EXC","C2-L5PT","C2-L4PY"),
("C2-L2EXC","C2-L5PT","C2-L4sp"),
("C2-L2EXC","C2-L5PT","C2-L4ss"),
("C2-L2EXC","C2-L5PT","C2-L5IT"),
("C2-L2EXC","C2-L5PT","C2-L5PT"),
("C2-L2EXC","C2-L6CC","C2-L2PY"),
("C2-L2EXC","C2-L6CC","C2-L3PY"),
("C2-L2EXC","C2-L6CC","C2-L4PY"),
("C2-L2EXC","C2-L6CC","C2-L4sp"),
("C2-L2EXC","C2-L6CC","C2-L4ss"),
("C2-L2EXC","C2-L6CC","C2-L5IT"),
("C2-L2EXC","C2-L6CC","C2-L5PT"),
("C2-L2EXC","C2-L6CC","C2-L6CC"),
("C2-L2EXC","C2-L6INV","C2-L2PY"),
("C2-L2EXC","C2-L6INV","C2-L3PY"),
("C2-L2EXC","C2-L6INV","C2-L4PY"),
("C2-L2EXC","C2-L6INV","C2-L4sp"),
("C2-L2EXC","C2-L6INV","C2-L4ss"),
("C2-L2EXC","C2-L6INV","C2-L5IT"),
("C2-L2EXC","C2-L6INV","C2-L5PT"),
("C2-L2EXC","C2-L6INV","C2-L6CC"),
("C2-L2EXC","C2-L6INV","C2-L6INV"),
("C2-L2EXC","C2-L6CT","C2-L2PY"),
("C2-L2EXC","C2-L6CT","C2-L3PY"),
("C2-L2EXC","C2-L6CT","C2-L4PY"),
("C2-L2EXC","C2-L6CT","C2-L4sp"),
("C2-L2EXC","C2-L6CT","C2-L4ss"),
("C2-L2EXC","C2-L6CT","C2-L5IT"),
("C2-L2EXC","C2-L6CT","C2-L5PT"),
("C2-L2EXC","C2-L6CT","C2-L6CC"),
("C2-L2EXC","C2-L6CT","C2-L6INV"),
("C2-L2EXC","C2-L6CT","C2-L6CT"),
("C2-L2EXC","C2-VPM","C2-L2PY"),
("C2-L2EXC","C2-VPM","C2-L3PY"),
("C2-L2EXC","C2-VPM","C2-L4PY"),
("C2-L2EXC","C2-VPM","C2-L4sp"),
("C2-L2EXC","C2-VPM","C2-L4ss"),
("C2-L2EXC","C2-VPM","C2-L5IT"),
("C2-L2EXC","C2-VPM","C2-L5PT"),
("C2-L2EXC","C2-VPM","C2-L6CC"),
("C2-L2EXC","C2-VPM","C2-L6INV"),
("C2-L2EXC","C2-VPM","C2-L6CT"),
("C2-L2EXC","C2-VPM","C2-VPM"),
("C2-L2EXC","C2-INH","C2-L2PY"),
("C2-L2EXC","C2-INH","C2-L3PY"),
("C2-L2EXC","C2-INH","C2-L4PY"),
("C2-L2EXC","C2-INH","C2-L4sp"),
("C2-L2EXC","C2-INH","C2-L4ss"),
("C2-L2EXC","C2-INH","C2-L5IT"),
("C2-L2EXC","C2-INH","C2-L5PT"),
("C2-L2EXC","C2-INH","C2-L6CC"),
("C2-L2EXC","C2-INH","C2-L6INV"),
("C2-L2EXC","C2-INH","C2-L6CT"),
("C2-L2EXC","C2-INH","C2-VPM"),
("C2-L2EXC","C2-INH","C2-INH"),
("C2-L2EXC","C2-L1INH","C2-L2PY"),
("C2-L2EXC","C2-L1INH","C2-L3PY"),
("C2-L2EXC","C2-L1INH","C2-L4PY"),
("C2-L2EXC","C2-L1INH","C2-L4sp"),
("C2-L2EXC","C2-L1INH","C2-L4ss"),
("C2-L2EXC","C2-L1INH","C2-L5IT"),
("C2-L2EXC","C2-L1INH","C2-L5PT"),
("C2-L2EXC","C2-L1INH","C2-L6CC"),
("C2-L2EXC","C2-L1INH","C2-L6INV"),
("C2-L2EXC","C2-L1INH","C2-L6CT"),
("C2-L2EXC","C2-L1INH","C2-VPM"),
("C2-L2EXC","C2-L1INH","C2-INH"),
("C2-L2EXC","C2-L1INH","C2-L1INH"),
("C2-L2EXC","C2-L2INH","C2-L2PY"),
("C2-L2EXC","C2-L2INH","C2-L3PY"),
("C2-L2EXC","C2-L2INH","C2-L4PY"),
("C2-L2EXC","C2-L2INH","C2-L4sp"),
("C2-L2EXC","C2-L2INH","C2-L4ss"),
("C2-L2EXC","C2-L2INH","C2-L5IT"),
("C2-L2EXC","C2-L2INH","C2-L5PT"),
("C2-L2EXC","C2-L2INH","C2-L6CC"),
("C2-L2EXC","C2-L2INH","C2-L6INV"),
("C2-L2EXC","C2-L2INH","C2-L6CT"),
("C2-L2EXC","C2-L2INH","C2-VPM"),
("C2-L2EXC","C2-L2INH","C2-INH"),
("C2-L2EXC","C2-L2INH","C2-L1INH"),
("C2-L2EXC","C2-L2INH","C2-L2INH"),
("C2-L2EXC","C2-L3INH","C2-L2PY"),
("C2-L2EXC","C2-L3INH","C2-L3PY"),
("C2-L2EXC","C2-L3INH","C2-L4PY"),
("C2-L2EXC","C2-L3INH","C2-L4sp"),
("C2-L2EXC","C2-L3INH","C2-L4ss"),
("C2-L2EXC","C2-L3INH","C2-L5IT"),
("C2-L2EXC","C2-L3INH","C2-L5PT"),
("C2-L2EXC","C2-L3INH","C2-L6CC"),
("C2-L2EXC","C2-L3INH","C2-L6INV"),
("C2-L2EXC","C2-L3INH","C2-L6CT"),
("C2-L2EXC","C2-L3INH","C2-VPM"),
("C2-L2EXC","C2-L3INH","C2-INH"),
("C2-L2EXC","C2-L3INH","C2-L1INH"),
("C2-L2EXC","C2-L3INH","C2-L2INH"),
("C2-L2EXC","C2-L3INH","C2-L3INH"),
("C2-L2EXC","C2-L4INH","C2-L2PY"),
("C2-L2EXC","C2-L4INH","C2-L3PY"),
("C2-L2EXC","C2-L4INH","C2-L4PY"),
("C2-L2EXC","C2-L4INH","C2-L4sp"),
("C2-L2EXC","C2-L4INH","C2-L4ss"),
("C2-L2EXC","C2-L4INH","C2-L5IT"),
("C2-L2EXC","C2-L4INH","C2-L5PT"),
("C2-L2EXC","C2-L4INH","C2-L6CC"),
("C2-L2EXC","C2-L4INH","C2-L6INV"),
("C2-L2EXC","C2-L4INH","C2-L6CT"),
("C2-L2EXC","C2-L4INH","C2-VPM"),
("C2-L2EXC","C2-L4INH","C2-INH"),
("C2-L2EXC","C2-L4INH","C2-L1INH"),
("C2-L2EXC","C2-L4INH","C2-L2INH"),
("C2-L2EXC","C2-L4INH","C2-L3INH"),
("C2-L2EXC","C2-L4INH","C2-L4INH"),
("C2-L2EXC","C2-L5INH","C2-L2PY"),
("C2-L2EXC","C2-L5INH","C2-L3PY"),
("C2-L2EXC","C2-L5INH","C2-L4PY"),
("C2-L2EXC","C2-L5INH","C2-L4sp"),
("C2-L2EXC","C2-L5INH","C2-L4ss"),
("C2-L2EXC","C2-L5INH","C2-L5IT"),
("C2-L2EXC","C2-L5INH","C2-L5PT"),
("C2-L2EXC","C2-L5INH","C2-L6CC"),
("C2-L2EXC","C2-L5INH","C2-L6INV"),
("C2-L2EXC","C2-L5INH","C2-L6CT"),
("C2-L2EXC","C2-L5INH","C2-VPM"),
("C2-L2EXC","C2-L5INH","C2-INH"),
("C2-L2EXC","C2-L5INH","C2-L1INH"),
("C2-L2EXC","C2-L5INH","C2-L2INH"),
("C2-L2EXC","C2-L5INH","C2-L3INH"),
("C2-L2EXC","C2-L5INH","C2-L4INH"),
("C2-L2EXC","C2-L5INH","C2-L5INH"),
("C2-L2EXC","C2-L6INH","C2-L2PY"),
("C2-L2EXC","C2-L6INH","C2-L3PY"),
("C2-L2EXC","C2-L6INH","C2-L4PY"),
("C2-L2EXC","C2-L6INH","C2-L4sp"),
("C2-L2EXC","C2-L6INH","C2-L4ss"),
("C2-L2EXC","C2-L6INH","C2-L5IT"),
("C2-L2EXC","C2-L6INH","C2-L5PT"),
("C2-L2EXC","C2-L6INH","C2-L6CC"),
("C2-L2EXC","C2-L6INH","C2-L6INV"),
("C2-L2EXC","C2-L6INH","C2-L6CT"),
("C2-L2EXC","C2-L6INH","C2-VPM"),
("C2-L2EXC","C2-L6INH","C2-INH"),
("C2-L2EXC","C2-L6INH","C2-L1INH"),
("C2-L2EXC","C2-L6INH","C2-L2INH"),
("C2-L2EXC","C2-L6INH","C2-L3INH"),
("C2-L2EXC","C2-L6INH","C2-L4INH"),
("C2-L2EXC","C2-L6INH","C2-L5INH"),
("C2-L2EXC","C2-L6INH","C2-L6INH"),
("C2-L2EXC","C2-L2EXC","C2-L2PY"),
("C2-L2EXC","C2-L2EXC","C2-L3PY"),
("C2-L2EXC","C2-L2EXC","C2-L4PY"),
("C2-L2EXC","C2-L2EXC","C2-L4sp"),
("C2-L2EXC","C2-L2EXC","C2-L4ss"),
("C2-L2EXC","C2-L2EXC","C2-L5IT"),
("C2-L2EXC","C2-L2EXC","C2-L5PT"),
("C2-L2EXC","C2-L2EXC","C2-L6CC"),
("C2-L2EXC","C2-L2EXC","C2-L6INV"),
("C2-L2EXC","C2-L2EXC","C2-L6CT"),
("C2-L2EXC","C2-L2EXC","C2-VPM"),
("C2-L2EXC","C2-L2EXC","C2-INH"),
("C2-L2EXC","C2-L2EXC","C2-L1INH"),
("C2-L2EXC","C2-L2EXC","C2-L2INH"),
("C2-L2EXC","C2-L2EXC","C2-L3INH"),
("C2-L2EXC","C2-L2EXC","C2-L4INH"),
("C2-L2EXC","C2-L2EXC","C2-L5INH"),
("C2-L2EXC","C2-L2EXC","C2-L6INH"),
("C2-L2EXC","C2-L2EXC","C2-L2EXC"),
("C2-L3EXC","C2-L2PY","C2-L2PY"),
("C2-L3EXC","C2-L3PY","C2-L2PY"),
("C2-L3EXC","C2-L3PY","C2-L3PY"),
("C2-L3EXC","C2-L4PY","C2-L2PY"),
("C2-L3EXC","C2-L4PY","C2-L3PY"),
("C2-L3EXC","C2-L4PY","C2-L4PY"),
("C2-L3EXC","C2-L4sp","C2-L2PY"),
("C2-L3EXC","C2-L4sp","C2-L3PY"),
("C2-L3EXC","C2-L4sp","C2-L4PY"),
("C2-L3EXC","C2-L4sp","C2-L4sp"),
("C2-L3EXC","C2-L4ss","C2-L2PY"),
("C2-L3EXC","C2-L4ss","C2-L3PY"),
("C2-L3EXC","C2-L4ss","C2-L4PY"),
("C2-L3EXC","C2-L4ss","C2-L4sp"),
("C2-L3EXC","C2-L4ss","C2-L4ss"),
("C2-L3EXC","C2-L5IT","C2-L2PY"),
("C2-L3EXC","C2-L5IT","C2-L3PY"),
("C2-L3EXC","C2-L5IT","C2-L4PY"),
("C2-L3EXC","C2-L5IT","C2-L4sp"),
("C2-L3EXC","C2-L5IT","C2-L4ss"),
("C2-L3EXC","C2-L5IT","C2-L5IT"),
("C2-L3EXC","C2-L5PT","C2-L2PY"),
("C2-L3EXC","C2-L5PT","C2-L3PY"),
("C2-L3EXC","C2-L5PT","C2-L4PY"),
("C2-L3EXC","C2-L5PT","C2-L4sp"),
("C2-L3EXC","C2-L5PT","C2-L4ss"),
("C2-L3EXC","C2-L5PT","C2-L5IT"),
("C2-L3EXC","C2-L5PT","C2-L5PT"),
("C2-L3EXC","C2-L6CC","C2-L2PY"),
("C2-L3EXC","C2-L6CC","C2-L3PY"),
("C2-L3EXC","C2-L6CC","C2-L4PY"),
("C2-L3EXC","C2-L6CC","C2-L4sp"),
("C2-L3EXC","C2-L6CC","C2-L4ss"),
("C2-L3EXC","C2-L6CC","C2-L5IT"),
("C2-L3EXC","C2-L6CC","C2-L5PT"),
("C2-L3EXC","C2-L6CC","C2-L6CC"),
("C2-L3EXC","C2-L6INV","C2-L2PY"),
("C2-L3EXC","C2-L6INV","C2-L3PY"),
("C2-L3EXC","C2-L6INV","C2-L4PY"),
("C2-L3EXC","C2-L6INV","C2-L4sp"),
("C2-L3EXC","C2-L6INV","C2-L4ss"),
("C2-L3EXC","C2-L6INV","C2-L5IT"),
("C2-L3EXC","C2-L6INV","C2-L5PT"),
("C2-L3EXC","C2-L6INV","C2-L6CC"),
("C2-L3EXC","C2-L6INV","C2-L6INV"),
("C2-L3EXC","C2-L6CT","C2-L2PY"),
("C2-L3EXC","C2-L6CT","C2-L3PY"),
("C2-L3EXC","C2-L6CT","C2-L4PY"),
("C2-L3EXC","C2-L6CT","C2-L4sp"),
("C2-L3EXC","C2-L6CT","C2-L4ss"),
("C2-L3EXC","C2-L6CT","C2-L5IT"),
("C2-L3EXC","C2-L6CT","C2-L5PT"),
("C2-L3EXC","C2-L6CT","C2-L6CC"),
("C2-L3EXC","C2-L6CT","C2-L6INV"),
("C2-L3EXC","C2-L6CT","C2-L6CT"),
("C2-L3EXC","C2-VPM","C2-L2PY"),
("C2-L3EXC","C2-VPM","C2-L3PY"),
("C2-L3EXC","C2-VPM","C2-L4PY"),
("C2-L3EXC","C2-VPM","C2-L4sp"),
("C2-L3EXC","C2-VPM","C2-L4ss"),
("C2-L3EXC","C2-VPM","C2-L5IT"),
("C2-L3EXC","C2-VPM","C2-L5PT"),
("C2-L3EXC","C2-VPM","C2-L6CC"),
("C2-L3EXC","C2-VPM","C2-L6INV"),
("C2-L3EXC","C2-VPM","C2-L6CT"),
("C2-L3EXC","C2-VPM","C2-VPM"),
("C2-L3EXC","C2-INH","C2-L2PY"),
("C2-L3EXC","C2-INH","C2-L3PY"),
("C2-L3EXC","C2-INH","C2-L4PY"),
("C2-L3EXC","C2-INH","C2-L4sp"),
("C2-L3EXC","C2-INH","C2-L4ss"),
("C2-L3EXC","C2-INH","C2-L5IT"),
("C2-L3EXC","C2-INH","C2-L5PT"),
("C2-L3EXC","C2-INH","C2-L6CC"),
("C2-L3EXC","C2-INH","C2-L6INV"),
("C2-L3EXC","C2-INH","C2-L6CT"),
("C2-L3EXC","C2-INH","C2-VPM"),
("C2-L3EXC","C2-INH","C2-INH"),
("C2-L3EXC","C2-L1INH","C2-L2PY"),
("C2-L3EXC","C2-L1INH","C2-L3PY"),
("C2-L3EXC","C2-L1INH","C2-L4PY"),
("C2-L3EXC","C2-L1INH","C2-L4sp"),
("C2-L3EXC","C2-L1INH","C2-L4ss"),
("C2-L3EXC","C2-L1INH","C2-L5IT"),
("C2-L3EXC","C2-L1INH","C2-L5PT"),
("C2-L3EXC","C2-L1INH","C2-L6CC"),
("C2-L3EXC","C2-L1INH","C2-L6INV"),
("C2-L3EXC","C2-L1INH","C2-L6CT"),
("C2-L3EXC","C2-L1INH","C2-VPM"),
("C2-L3EXC","C2-L1INH","C2-INH"),
("C2-L3EXC","C2-L1INH","C2-L1INH"),
("C2-L3EXC","C2-L2INH","C2-L2PY"),
("C2-L3EXC","C2-L2INH","C2-L3PY"),
("C2-L3EXC","C2-L2INH","C2-L4PY"),
("C2-L3EXC","C2-L2INH","C2-L4sp"),
("C2-L3EXC","C2-L2INH","C2-L4ss"),
("C2-L3EXC","C2-L2INH","C2-L5IT"),
("C2-L3EXC","C2-L2INH","C2-L5PT"),
("C2-L3EXC","C2-L2INH","C2-L6CC"),
("C2-L3EXC","C2-L2INH","C2-L6INV"),
("C2-L3EXC","C2-L2INH","C2-L6CT"),
("C2-L3EXC","C2-L2INH","C2-VPM"),
("C2-L3EXC","C2-L2INH","C2-INH"),
("C2-L3EXC","C2-L2INH","C2-L1INH"),
("C2-L3EXC","C2-L2INH","C2-L2INH"),
("C2-L3EXC","C2-L3INH","C2-L2PY"),
("C2-L3EXC","C2-L3INH","C2-L3PY"),
("C2-L3EXC","C2-L3INH","C2-L4PY"),
("C2-L3EXC","C2-L3INH","C2-L4sp"),
("C2-L3EXC","C2-L3INH","C2-L4ss"),
("C2-L3EXC","C2-L3INH","C2-L5IT"),
("C2-L3EXC","C2-L3INH","C2-L5PT"),
("C2-L3EXC","C2-L3INH","C2-L6CC"),
("C2-L3EXC","C2-L3INH","C2-L6INV"),
("C2-L3EXC","C2-L3INH","C2-L6CT"),
("C2-L3EXC","C2-L3INH","C2-VPM"),
("C2-L3EXC","C2-L3INH","C2-INH"),
("C2-L3EXC","C2-L3INH","C2-L1INH"),
("C2-L3EXC","C2-L3INH","C2-L2INH"),
("C2-L3EXC","C2-L3INH","C2-L3INH"),
("C2-L3EXC","C2-L4INH","C2-L2PY"),
("C2-L3EXC","C2-L4INH","C2-L3PY"),
("C2-L3EXC","C2-L4INH","C2-L4PY"),
("C2-L3EXC","C2-L4INH","C2-L4sp"),
("C2-L3EXC","C2-L4INH","C2-L4ss"),
("C2-L3EXC","C2-L4INH","C2-L5IT"),
("C2-L3EXC","C2-L4INH","C2-L5PT"),
("C2-L3EXC","C2-L4INH","C2-L6CC"),
("C2-L3EXC","C2-L4INH","C2-L6INV"),
("C2-L3EXC","C2-L4INH","C2-L6CT"),
("C2-L3EXC","C2-L4INH","C2-VPM"),
("C2-L3EXC","C2-L4INH","C2-INH"),
("C2-L3EXC","C2-L4INH","C2-L1INH"),
("C2-L3EXC","C2-L4INH","C2-L2INH"),
("C2-L3EXC","C2-L4INH","C2-L3INH"),
("C2-L3EXC","C2-L4INH","C2-L4INH"),
("C2-L3EXC","C2-L5INH","C2-L2PY"),
("C2-L3EXC","C2-L5INH","C2-L3PY"),
("C2-L3EXC","C2-L5INH","C2-L4PY"),
("C2-L3EXC","C2-L5INH","C2-L4sp"),
("C2-L3EXC","C2-L5INH","C2-L4ss"),
("C2-L3EXC","C2-L5INH","C2-L5IT"),
("C2-L3EXC","C2-L5INH","C2-L5PT"),
("C2-L3EXC","C2-L5INH","C2-L6CC"),
("C2-L3EXC","C2-L5INH","C2-L6INV"),
("C2-L3EXC","C2-L5INH","C2-L6CT"),
("C2-L3EXC","C2-L5INH","C2-VPM"),
("C2-L3EXC","C2-L5INH","C2-INH"),
("C2-L3EXC","C2-L5INH","C2-L1INH"),
("C2-L3EXC","C2-L5INH","C2-L2INH"),
("C2-L3EXC","C2-L5INH","C2-L3INH"),
("C2-L3EXC","C2-L5INH","C2-L4INH"),
("C2-L3EXC","C2-L5INH","C2-L5INH"),
("C2-L3EXC","C2-L6INH","C2-L2PY"),
("C2-L3EXC","C2-L6INH","C2-L3PY"),
("C2-L3EXC","C2-L6INH","C2-L4PY"),
("C2-L3EXC","C2-L6INH","C2-L4sp"),
("C2-L3EXC","C2-L6INH","C2-L4ss"),
("C2-L3EXC","C2-L6INH","C2-L5IT"),
("C2-L3EXC","C2-L6INH","C2-L5PT"),
("C2-L3EXC","C2-L6INH","C2-L6CC"),
("C2-L3EXC","C2-L6INH","C2-L6INV"),
("C2-L3EXC","C2-L6INH","C2-L6CT"),
("C2-L3EXC","C2-L6INH","C2-VPM"),
("C2-L3EXC","C2-L6INH","C2-INH"),
("C2-L3EXC","C2-L6INH","C2-L1INH"),
("C2-L3EXC","C2-L6INH","C2-L2INH"),
("C2-L3EXC","C2-L6INH","C2-L3INH"),
("C2-L3EXC","C2-L6INH","C2-L4INH"),
("C2-L3EXC","C2-L6INH","C2-L5INH"),
("C2-L3EXC","C2-L6INH","C2-L6INH"),
("C2-L3EXC","C2-L2EXC","C2-L2PY"),
("C2-L3EXC","C2-L2EXC","C2-L3PY"),
("C2-L3EXC","C2-L2EXC","C2-L4PY"),
("C2-L3EXC","C2-L2EXC","C2-L4sp"),
("C2-L3EXC","C2-L2EXC","C2-L4ss"),
("C2-L3EXC","C2-L2EXC","C2-L5IT"),
("C2-L3EXC","C2-L2EXC","C2-L5PT"),
("C2-L3EXC","C2-L2EXC","C2-L6CC"),
("C2-L3EXC","C2-L2EXC","C2-L6INV"),
("C2-L3EXC","C2-L2EXC","C2-L6CT"),
("C2-L3EXC","C2-L2EXC","C2-VPM"),
("C2-L3EXC","C2-L2EXC","C2-INH"),
("C2-L3EXC","C2-L2EXC","C2-L1INH"),
("C2-L3EXC","C2-L2EXC","C2-L2INH"),
("C2-L3EXC","C2-L2EXC","C2-L3INH"),
("C2-L3EXC","C2-L2EXC","C2-L4INH"),
("C2-L3EXC","C2-L2EXC","C2-L5INH"),
("C2-L3EXC","C2-L2EXC","C2-L6INH"),
("C2-L3EXC","C2-L2EXC","C2-L2EXC"),
("C2-L3EXC","C2-L3EXC","C2-L2PY"),
("C2-L3EXC","C2-L3EXC","C2-L3PY"),
("C2-L3EXC","C2-L3EXC","C2-L4PY"),
("C2-L3EXC","C2-L3EXC","C2-L4sp"),
("C2-L3EXC","C2-L3EXC","C2-L4ss"),
("C2-L3EXC","C2-L3EXC","C2-L5IT"),
("C2-L3EXC","C2-L3EXC","C2-L5PT"),
("C2-L3EXC","C2-L3EXC","C2-L6CC"),
("C2-L3EXC","C2-L3EXC","C2-L6INV"),
("C2-L3EXC","C2-L3EXC","C2-L6CT"),
("C2-L3EXC","C2-L3EXC","C2-VPM"),
("C2-L3EXC","C2-L3EXC","C2-INH"),
("C2-L3EXC","C2-L3EXC","C2-L1INH"),
("C2-L3EXC","C2-L3EXC","C2-L2INH"),
("C2-L3EXC","C2-L3EXC","C2-L3INH"),
("C2-L3EXC","C2-L3EXC","C2-L4INH"),
("C2-L3EXC","C2-L3EXC","C2-L5INH"),
("C2-L3EXC","C2-L3EXC","C2-L6INH"),
("C2-L3EXC","C2-L3EXC","C2-L2EXC"),
("C2-L3EXC","C2-L3EXC","C2-L3EXC"),
("C2-L4EXC","C2-L2PY","C2-L2PY"),
("C2-L4EXC","C2-L3PY","C2-L2PY"),
("C2-L4EXC","C2-L3PY","C2-L3PY"),
("C2-L4EXC","C2-L4PY","C2-L2PY"),
("C2-L4EXC","C2-L4PY","C2-L3PY"),
("C2-L4EXC","C2-L4PY","C2-L4PY"),
("C2-L4EXC","C2-L4sp","C2-L2PY"),
("C2-L4EXC","C2-L4sp","C2-L3PY"),
("C2-L4EXC","C2-L4sp","C2-L4PY"),
("C2-L4EXC","C2-L4sp","C2-L4sp"),
("C2-L4EXC","C2-L4ss","C2-L2PY"),
("C2-L4EXC","C2-L4ss","C2-L3PY"),
("C2-L4EXC","C2-L4ss","C2-L4PY"),
("C2-L4EXC","C2-L4ss","C2-L4sp"),
("C2-L4EXC","C2-L4ss","C2-L4ss"),
("C2-L4EXC","C2-L5IT","C2-L2PY"),
("C2-L4EXC","C2-L5IT","C2-L3PY"),
("C2-L4EXC","C2-L5IT","C2-L4PY"),
("C2-L4EXC","C2-L5IT","C2-L4sp"),
("C2-L4EXC","C2-L5IT","C2-L4ss"),
("C2-L4EXC","C2-L5IT","C2-L5IT"),
("C2-L4EXC","C2-L5PT","C2-L2PY"),
("C2-L4EXC","C2-L5PT","C2-L3PY"),
("C2-L4EXC","C2-L5PT","C2-L4PY"),
("C2-L4EXC","C2-L5PT","C2-L4sp"),
("C2-L4EXC","C2-L5PT","C2-L4ss"),
("C2-L4EXC","C2-L5PT","C2-L5IT"),
("C2-L4EXC","C2-L5PT","C2-L5PT"),
("C2-L4EXC","C2-L6CC","C2-L2PY"),
("C2-L4EXC","C2-L6CC","C2-L3PY"),
("C2-L4EXC","C2-L6CC","C2-L4PY"),
("C2-L4EXC","C2-L6CC","C2-L4sp"),
("C2-L4EXC","C2-L6CC","C2-L4ss"),
("C2-L4EXC","C2-L6CC","C2-L5IT"),
("C2-L4EXC","C2-L6CC","C2-L5PT"),
("C2-L4EXC","C2-L6CC","C2-L6CC"),
("C2-L4EXC","C2-L6INV","C2-L2PY"),
("C2-L4EXC","C2-L6INV","C2-L3PY"),
("C2-L4EXC","C2-L6INV","C2-L4PY"),
("C2-L4EXC","C2-L6INV","C2-L4sp"),
("C2-L4EXC","C2-L6INV","C2-L4ss"),
("C2-L4EXC","C2-L6INV","C2-L5IT"),
("C2-L4EXC","C2-L6INV","C2-L5PT"),
("C2-L4EXC","C2-L6INV","C2-L6CC"),
("C2-L4EXC","C2-L6INV","C2-L6INV"),
("C2-L4EXC","C2-L6CT","C2-L2PY"),
("C2-L4EXC","C2-L6CT","C2-L3PY"),
("C2-L4EXC","C2-L6CT","C2-L4PY"),
("C2-L4EXC","C2-L6CT","C2-L4sp"),
("C2-L4EXC","C2-L6CT","C2-L4ss"),
("C2-L4EXC","C2-L6CT","C2-L5IT"),
("C2-L4EXC","C2-L6CT","C2-L5PT"),
("C2-L4EXC","C2-L6CT","C2-L6CC"),
("C2-L4EXC","C2-L6CT","C2-L6INV"),
("C2-L4EXC","C2-L6CT","C2-L6CT"),
("C2-L4EXC","C2-VPM","C2-L2PY"),
("C2-L4EXC","C2-VPM","C2-L3PY"),
("C2-L4EXC","C2-VPM","C2-L4PY"),
("C2-L4EXC","C2-VPM","C2-L4sp"),
("C2-L4EXC","C2-VPM","C2-L4ss"),
("C2-L4EXC","C2-VPM","C2-L5IT"),
("C2-L4EXC","C2-VPM","C2-L5PT"),
("C2-L4EXC","C2-VPM","C2-L6CC"),
("C2-L4EXC","C2-VPM","C2-L6INV"),
("C2-L4EXC","C2-VPM","C2-L6CT"),
("C2-L4EXC","C2-VPM","C2-VPM"),
("C2-L4EXC","C2-INH","C2-L2PY"),
("C2-L4EXC","C2-INH","C2-L3PY"),
("C2-L4EXC","C2-INH","C2-L4PY"),
("C2-L4EXC","C2-INH","C2-L4sp"),
("C2-L4EXC","C2-INH","C2-L4ss"),
("C2-L4EXC","C2-INH","C2-L5IT"),
("C2-L4EXC","C2-INH","C2-L5PT"),
("C2-L4EXC","C2-INH","C2-L6CC"),
("C2-L4EXC","C2-INH","C2-L6INV"),
("C2-L4EXC","C2-INH","C2-L6CT"),
("C2-L4EXC","C2-INH","C2-VPM"),
("C2-L4EXC","C2-INH","C2-INH"),
("C2-L4EXC","C2-L1INH","C2-L2PY"),
("C2-L4EXC","C2-L1INH","C2-L3PY"),
("C2-L4EXC","C2-L1INH","C2-L4PY"),
("C2-L4EXC","C2-L1INH","C2-L4sp"),
("C2-L4EXC","C2-L1INH","C2-L4ss"),
("C2-L4EXC","C2-L1INH","C2-L5IT"),
("C2-L4EXC","C2-L1INH","C2-L5PT"),
("C2-L4EXC","C2-L1INH","C2-L6CC"),
("C2-L4EXC","C2-L1INH","C2-L6INV"),
("C2-L4EXC","C2-L1INH","C2-L6CT"),
("C2-L4EXC","C2-L1INH","C2-VPM"),
("C2-L4EXC","C2-L1INH","C2-INH"),
("C2-L4EXC","C2-L1INH","C2-L1INH"),
("C2-L4EXC","C2-L2INH","C2-L2PY"),
("C2-L4EXC","C2-L2INH","C2-L3PY"),
("C2-L4EXC","C2-L2INH","C2-L4PY"),
("C2-L4EXC","C2-L2INH","C2-L4sp"),
("C2-L4EXC","C2-L2INH","C2-L4ss"),
("C2-L4EXC","C2-L2INH","C2-L5IT"),
("C2-L4EXC","C2-L2INH","C2-L5PT"),
("C2-L4EXC","C2-L2INH","C2-L6CC"),
("C2-L4EXC","C2-L2INH","C2-L6INV"),
("C2-L4EXC","C2-L2INH","C2-L6CT"),
("C2-L4EXC","C2-L2INH","C2-VPM"),
("C2-L4EXC","C2-L2INH","C2-INH"),
("C2-L4EXC","C2-L2INH","C2-L1INH"),
("C2-L4EXC","C2-L2INH","C2-L2INH"),
("C2-L4EXC","C2-L3INH","C2-L2PY"),
("C2-L4EXC","C2-L3INH","C2-L3PY"),
("C2-L4EXC","C2-L3INH","C2-L4PY"),
("C2-L4EXC","C2-L3INH","C2-L4sp"),
("C2-L4EXC","C2-L3INH","C2-L4ss"),
("C2-L4EXC","C2-L3INH","C2-L5IT"),
("C2-L4EXC","C2-L3INH","C2-L5PT"),
("C2-L4EXC","C2-L3INH","C2-L6CC"),
("C2-L4EXC","C2-L3INH","C2-L6INV"),
("C2-L4EXC","C2-L3INH","C2-L6CT"),
("C2-L4EXC","C2-L3INH","C2-VPM"),
("C2-L4EXC","C2-L3INH","C2-INH"),
("C2-L4EXC","C2-L3INH","C2-L1INH"),
("C2-L4EXC","C2-L3INH","C2-L2INH"),
("C2-L4EXC","C2-L3INH","C2-L3INH"),
("C2-L4EXC","C2-L4INH","C2-L2PY"),
("C2-L4EXC","C2-L4INH","C2-L3PY"),
("C2-L4EXC","C2-L4INH","C2-L4PY"),
("C2-L4EXC","C2-L4INH","C2-L4sp"),
("C2-L4EXC","C2-L4INH","C2-L4ss"),
("C2-L4EXC","C2-L4INH","C2-L5IT"),
("C2-L4EXC","C2-L4INH","C2-L5PT"),
("C2-L4EXC","C2-L4INH","C2-L6CC"),
("C2-L4EXC","C2-L4INH","C2-L6INV"),
("C2-L4EXC","C2-L4INH","C2-L6CT"),
("C2-L4EXC","C2-L4INH","C2-VPM"),
("C2-L4EXC","C2-L4INH","C2-INH"),
("C2-L4EXC","C2-L4INH","C2-L1INH"),
("C2-L4EXC","C2-L4INH","C2-L2INH"),
("C2-L4EXC","C2-L4INH","C2-L3INH"),
("C2-L4EXC","C2-L4INH","C2-L4INH"),
("C2-L4EXC","C2-L5INH","C2-L2PY"),
("C2-L4EXC","C2-L5INH","C2-L3PY"),
("C2-L4EXC","C2-L5INH","C2-L4PY"),
("C2-L4EXC","C2-L5INH","C2-L4sp"),
("C2-L4EXC","C2-L5INH","C2-L4ss"),
("C2-L4EXC","C2-L5INH","C2-L5IT"),
("C2-L4EXC","C2-L5INH","C2-L5PT"),
("C2-L4EXC","C2-L5INH","C2-L6CC"),
("C2-L4EXC","C2-L5INH","C2-L6INV"),
("C2-L4EXC","C2-L5INH","C2-L6CT"),
("C2-L4EXC","C2-L5INH","C2-VPM"),
("C2-L4EXC","C2-L5INH","C2-INH"),
("C2-L4EXC","C2-L5INH","C2-L1INH"),
("C2-L4EXC","C2-L5INH","C2-L2INH"),
("C2-L4EXC","C2-L5INH","C2-L3INH"),
("C2-L4EXC","C2-L5INH","C2-L4INH"),
("C2-L4EXC","C2-L5INH","C2-L5INH"),
("C2-L4EXC","C2-L6INH","C2-L2PY"),
("C2-L4EXC","C2-L6INH","C2-L3PY"),
("C2-L4EXC","C2-L6INH","C2-L4PY"),
("C2-L4EXC","C2-L6INH","C2-L4sp"),
("C2-L4EXC","C2-L6INH","C2-L4ss"),
("C2-L4EXC","C2-L6INH","C2-L5IT"),
("C2-L4EXC","C2-L6INH","C2-L5PT"),
("C2-L4EXC","C2-L6INH","C2-L6CC"),
("C2-L4EXC","C2-L6INH","C2-L6INV"),
("C2-L4EXC","C2-L6INH","C2-L6CT"),
("C2-L4EXC","C2-L6INH","C2-VPM"),
("C2-L4EXC","C2-L6INH","C2-INH"),
("C2-L4EXC","C2-L6INH","C2-L1INH"),
("C2-L4EXC","C2-L6INH","C2-L2INH"),
("C2-L4EXC","C2-L6INH","C2-L3INH"),
("C2-L4EXC","C2-L6INH","C2-L4INH"),
("C2-L4EXC","C2-L6INH","C2-L5INH"),
("C2-L4EXC","C2-L6INH","C2-L6INH"),
("C2-L4EXC","C2-L2EXC","C2-L2PY"),
("C2-L4EXC","C2-L2EXC","C2-L3PY"),
("C2-L4EXC","C2-L2EXC","C2-L4PY"),
("C2-L4EXC","C2-L2EXC","C2-L4sp"),
("C2-L4EXC","C2-L2EXC","C2-L4ss"),
("C2-L4EXC","C2-L2EXC","C2-L5IT"),
("C2-L4EXC","C2-L2EXC","C2-L5PT"),
("C2-L4EXC","C2-L2EXC","C2-L6CC"),
("C2-L4EXC","C2-L2EXC","C2-L6INV"),
("C2-L4EXC","C2-L2EXC","C2-L6CT"),
("C2-L4EXC","C2-L2EXC","C2-VPM"),
("C2-L4EXC","C2-L2EXC","C2-INH"),
("C2-L4EXC","C2-L2EXC","C2-L1INH"),
("C2-L4EXC","C2-L2EXC","C2-L2INH"),
("C2-L4EXC","C2-L2EXC","C2-L3INH"),
("C2-L4EXC","C2-L2EXC","C2-L4INH"),
("C2-L4EXC","C2-L2EXC","C2-L5INH"),
("C2-L4EXC","C2-L2EXC","C2-L6INH"),
("C2-L4EXC","C2-L2EXC","C2-L2EXC"),
("C2-L4EXC","C2-L3EXC","C2-L2PY"),
("C2-L4EXC","C2-L3EXC","C2-L3PY"),
("C2-L4EXC","C2-L3EXC","C2-L4PY"),
("C2-L4EXC","C2-L3EXC","C2-L4sp"),
("C2-L4EXC","C2-L3EXC","C2-L4ss"),
("C2-L4EXC","C2-L3EXC","C2-L5IT"),
("C2-L4EXC","C2-L3EXC","C2-L5PT"),
("C2-L4EXC","C2-L3EXC","C2-L6CC"),
("C2-L4EXC","C2-L3EXC","C2-L6INV"),
("C2-L4EXC","C2-L3EXC","C2-L6CT"),
("C2-L4EXC","C2-L3EXC","C2-VPM"),
("C2-L4EXC","C2-L3EXC","C2-INH"),
("C2-L4EXC","C2-L3EXC","C2-L1INH"),
("C2-L4EXC","C2-L3EXC","C2-L2INH"),
("C2-L4EXC","C2-L3EXC","C2-L3INH"),
("C2-L4EXC","C2-L3EXC","C2-L4INH"),
("C2-L4EXC","C2-L3EXC","C2-L5INH"),
("C2-L4EXC","C2-L3EXC","C2-L6INH"),
("C2-L4EXC","C2-L3EXC","C2-L2EXC"),
("C2-L4EXC","C2-L3EXC","C2-L3EXC"),
("C2-L4EXC","C2-L4EXC","C2-L2PY"),
("C2-L4EXC","C2-L4EXC","C2-L3PY"),
("C2-L4EXC","C2-L4EXC","C2-L4PY"),
("C2-L4EXC","C2-L4EXC","C2-L4sp"),
("C2-L4EXC","C2-L4EXC","C2-L4ss"),
("C2-L4EXC","C2-L4EXC","C2-L5IT"),
("C2-L4EXC","C2-L4EXC","C2-L5PT"),
("C2-L4EXC","C2-L4EXC","C2-L6CC"),
("C2-L4EXC","C2-L4EXC","C2-L6INV"),
("C2-L4EXC","C2-L4EXC","C2-L6CT"),
("C2-L4EXC","C2-L4EXC","C2-VPM"),
("C2-L4EXC","C2-L4EXC","C2-INH"),
("C2-L4EXC","C2-L4EXC","C2-L1INH"),
("C2-L4EXC","C2-L4EXC","C2-L2INH"),
("C2-L4EXC","C2-L4EXC","C2-L3INH"),
("C2-L4EXC","C2-L4EXC","C2-L4INH"),
("C2-L4EXC","C2-L4EXC","C2-L5INH"),
("C2-L4EXC","C2-L4EXC","C2-L6INH"),
("C2-L4EXC","C2-L4EXC","C2-L2EXC"),
("C2-L4EXC","C2-L4EXC","C2-L3EXC"),
("C2-L4EXC","C2-L4EXC","C2-L4EXC"),
("C2-L5EXC","C2-L2PY","C2-L2PY"),
("C2-L5EXC","C2-L3PY","C2-L2PY"),
("C2-L5EXC","C2-L3PY","C2-L3PY"),
("C2-L5EXC","C2-L4PY","C2-L2PY"),
("C2-L5EXC","C2-L4PY","C2-L3PY"),
("C2-L5EXC","C2-L4PY","C2-L4PY"),
("C2-L5EXC","C2-L4sp","C2-L2PY"),
("C2-L5EXC","C2-L4sp","C2-L3PY"),
("C2-L5EXC","C2-L4sp","C2-L4PY"),
("C2-L5EXC","C2-L4sp","C2-L4sp"),
("C2-L5EXC","C2-L4ss","C2-L2PY"),
("C2-L5EXC","C2-L4ss","C2-L3PY"),
("C2-L5EXC","C2-L4ss","C2-L4PY"),
("C2-L5EXC","C2-L4ss","C2-L4sp"),
("C2-L5EXC","C2-L4ss","C2-L4ss"),
("C2-L5EXC","C2-L5IT","C2-L2PY"),
("C2-L5EXC","C2-L5IT","C2-L3PY"),
("C2-L5EXC","C2-L5IT","C2-L4PY"),
("C2-L5EXC","C2-L5IT","C2-L4sp"),
("C2-L5EXC","C2-L5IT","C2-L4ss"),
("C2-L5EXC","C2-L5IT","C2-L5IT"),
("C2-L5EXC","C2-L5PT","C2-L2PY"),
("C2-L5EXC","C2-L5PT","C2-L3PY"),
("C2-L5EXC","C2-L5PT","C2-L4PY"),
("C2-L5EXC","C2-L5PT","C2-L4sp"),
("C2-L5EXC","C2-L5PT","C2-L4ss"),
("C2-L5EXC","C2-L5PT","C2-L5IT"),
("C2-L5EXC","C2-L5PT","C2-L5PT"),
("C2-L5EXC","C2-L6CC","C2-L2PY"),
("C2-L5EXC","C2-L6CC","C2-L3PY"),
("C2-L5EXC","C2-L6CC","C2-L4PY"),
("C2-L5EXC","C2-L6CC","C2-L4sp"),
("C2-L5EXC","C2-L6CC","C2-L4ss"),
("C2-L5EXC","C2-L6CC","C2-L5IT"),
("C2-L5EXC","C2-L6CC","C2-L5PT"),
("C2-L5EXC","C2-L6CC","C2-L6CC"),
("C2-L5EXC","C2-L6INV","C2-L2PY"),
("C2-L5EXC","C2-L6INV","C2-L3PY"),
("C2-L5EXC","C2-L6INV","C2-L4PY"),
("C2-L5EXC","C2-L6INV","C2-L4sp"),
("C2-L5EXC","C2-L6INV","C2-L4ss"),
("C2-L5EXC","C2-L6INV","C2-L5IT"),
("C2-L5EXC","C2-L6INV","C2-L5PT"),
("C2-L5EXC","C2-L6INV","C2-L6CC"),
("C2-L5EXC","C2-L6INV","C2-L6INV"),
("C2-L5EXC","C2-L6CT","C2-L2PY"),
("C2-L5EXC","C2-L6CT","C2-L3PY"),
("C2-L5EXC","C2-L6CT","C2-L4PY"),
("C2-L5EXC","C2-L6CT","C2-L4sp"),
("C2-L5EXC","C2-L6CT","C2-L4ss"),
("C2-L5EXC","C2-L6CT","C2-L5IT"),
("C2-L5EXC","C2-L6CT","C2-L5PT"),
("C2-L5EXC","C2-L6CT","C2-L6CC"),
("C2-L5EXC","C2-L6CT","C2-L6INV"),
("C2-L5EXC","C2-L6CT","C2-L6CT"),
("C2-L5EXC","C2-VPM","C2-L2PY"),
("C2-L5EXC","C2-VPM","C2-L3PY"),
("C2-L5EXC","C2-VPM","C2-L4PY"),
("C2-L5EXC","C2-VPM","C2-L4sp"),
("C2-L5EXC","C2-VPM","C2-L4ss"),
("C2-L5EXC","C2-VPM","C2-L5IT"),
("C2-L5EXC","C2-VPM","C2-L5PT"),
("C2-L5EXC","C2-VPM","C2-L6CC"),
("C2-L5EXC","C2-VPM","C2-L6INV"),
("C2-L5EXC","C2-VPM","C2-L6CT"),
("C2-L5EXC","C2-VPM","C2-VPM"),
("C2-L5EXC","C2-INH","C2-L2PY"),
("C2-L5EXC","C2-INH","C2-L3PY"),
("C2-L5EXC","C2-INH","C2-L4PY"),
("C2-L5EXC","C2-INH","C2-L4sp"),
("C2-L5EXC","C2-INH","C2-L4ss"),
("C2-L5EXC","C2-INH","C2-L5IT"),
("C2-L5EXC","C2-INH","C2-L5PT"),
("C2-L5EXC","C2-INH","C2-L6CC"),
("C2-L5EXC","C2-INH","C2-L6INV"),
("C2-L5EXC","C2-INH","C2-L6CT"),
("C2-L5EXC","C2-INH","C2-VPM"),
("C2-L5EXC","C2-INH","C2-INH"),
("C2-L5EXC","C2-L1INH","C2-L2PY"),
("C2-L5EXC","C2-L1INH","C2-L3PY"),
("C2-L5EXC","C2-L1INH","C2-L4PY"),
("C2-L5EXC","C2-L1INH","C2-L4sp"),
("C2-L5EXC","C2-L1INH","C2-L4ss"),
("C2-L5EXC","C2-L1INH","C2-L5IT"),
("C2-L5EXC","C2-L1INH","C2-L5PT"),
("C2-L5EXC","C2-L1INH","C2-L6CC"),
("C2-L5EXC","C2-L1INH","C2-L6INV"),
("C2-L5EXC","C2-L1INH","C2-L6CT"),
("C2-L5EXC","C2-L1INH","C2-VPM"),
("C2-L5EXC","C2-L1INH","C2-INH"),
("C2-L5EXC","C2-L1INH","C2-L1INH"),
("C2-L5EXC","C2-L2INH","C2-L2PY"),
("C2-L5EXC","C2-L2INH","C2-L3PY"),
("C2-L5EXC","C2-L2INH","C2-L4PY"),
("C2-L5EXC","C2-L2INH","C2-L4sp"),
("C2-L5EXC","C2-L2INH","C2-L4ss"),
("C2-L5EXC","C2-L2INH","C2-L5IT"),
("C2-L5EXC","C2-L2INH","C2-L5PT"),
("C2-L5EXC","C2-L2INH","C2-L6CC"),
("C2-L5EXC","C2-L2INH","C2-L6INV"),
("C2-L5EXC","C2-L2INH","C2-L6CT"),
("C2-L5EXC","C2-L2INH","C2-VPM"),
("C2-L5EXC","C2-L2INH","C2-INH"),
("C2-L5EXC","C2-L2INH","C2-L1INH"),
("C2-L5EXC","C2-L2INH","C2-L2INH"),
("C2-L5EXC","C2-L3INH","C2-L2PY"),
("C2-L5EXC","C2-L3INH","C2-L3PY"),
("C2-L5EXC","C2-L3INH","C2-L4PY"),
("C2-L5EXC","C2-L3INH","C2-L4sp"),
("C2-L5EXC","C2-L3INH","C2-L4ss"),
("C2-L5EXC","C2-L3INH","C2-L5IT"),
("C2-L5EXC","C2-L3INH","C2-L5PT"),
("C2-L5EXC","C2-L3INH","C2-L6CC"),
("C2-L5EXC","C2-L3INH","C2-L6INV"),
("C2-L5EXC","C2-L3INH","C2-L6CT"),
("C2-L5EXC","C2-L3INH","C2-VPM"),
("C2-L5EXC","C2-L3INH","C2-INH"),
("C2-L5EXC","C2-L3INH","C2-L1INH"),
("C2-L5EXC","C2-L3INH","C2-L2INH"),
("C2-L5EXC","C2-L3INH","C2-L3INH"),
("C2-L5EXC","C2-L4INH","C2-L2PY"),
("C2-L5EXC","C2-L4INH","C2-L3PY"),
("C2-L5EXC","C2-L4INH","C2-L4PY"),
("C2-L5EXC","C2-L4INH","C2-L4sp"),
("C2-L5EXC","C2-L4INH","C2-L4ss"),
("C2-L5EXC","C2-L4INH","C2-L5IT"),
("C2-L5EXC","C2-L4INH","C2-L5PT"),
("C2-L5EXC","C2-L4INH","C2-L6CC"),
("C2-L5EXC","C2-L4INH","C2-L6INV"),
("C2-L5EXC","C2-L4INH","C2-L6CT"),
("C2-L5EXC","C2-L4INH","C2-VPM"),
("C2-L5EXC","C2-L4INH","C2-INH"),
("C2-L5EXC","C2-L4INH","C2-L1INH"),
("C2-L5EXC","C2-L4INH","C2-L2INH"),
("C2-L5EXC","C2-L4INH","C2-L3INH"),
("C2-L5EXC","C2-L4INH","C2-L4INH"),
("C2-L5EXC","C2-L5INH","C2-L2PY"),
("C2-L5EXC","C2-L5INH","C2-L3PY"),
("C2-L5EXC","C2-L5INH","C2-L4PY"),
("C2-L5EXC","C2-L5INH","C2-L4sp"),
("C2-L5EXC","C2-L5INH","C2-L4ss"),
("C2-L5EXC","C2-L5INH","C2-L5IT"),
("C2-L5EXC","C2-L5INH","C2-L5PT"),
("C2-L5EXC","C2-L5INH","C2-L6CC"),
("C2-L5EXC","C2-L5INH","C2-L6INV"),
("C2-L5EXC","C2-L5INH","C2-L6CT"),
("C2-L5EXC","C2-L5INH","C2-VPM"),
("C2-L5EXC","C2-L5INH","C2-INH"),
("C2-L5EXC","C2-L5INH","C2-L1INH"),
("C2-L5EXC","C2-L5INH","C2-L2INH"),
("C2-L5EXC","C2-L5INH","C2-L3INH"),
("C2-L5EXC","C2-L5INH","C2-L4INH"),
("C2-L5EXC","C2-L5INH","C2-L5INH"),
("C2-L5EXC","C2-L6INH","C2-L2PY"),
("C2-L5EXC","C2-L6INH","C2-L3PY"),
("C2-L5EXC","C2-L6INH","C2-L4PY"),
("C2-L5EXC","C2-L6INH","C2-L4sp"),
("C2-L5EXC","C2-L6INH","C2-L4ss"),
("C2-L5EXC","C2-L6INH","C2-L5IT"),
("C2-L5EXC","C2-L6INH","C2-L5PT"),
("C2-L5EXC","C2-L6INH","C2-L6CC"),
("C2-L5EXC","C2-L6INH","C2-L6INV"),
("C2-L5EXC","C2-L6INH","C2-L6CT"),
("C2-L5EXC","C2-L6INH","C2-VPM"),
("C2-L5EXC","C2-L6INH","C2-INH"),
("C2-L5EXC","C2-L6INH","C2-L1INH"),
("C2-L5EXC","C2-L6INH","C2-L2INH"),
("C2-L5EXC","C2-L6INH","C2-L3INH"),
("C2-L5EXC","C2-L6INH","C2-L4INH"),
("C2-L5EXC","C2-L6INH","C2-L5INH"),
("C2-L5EXC","C2-L6INH","C2-L6INH"),
("C2-L5EXC","C2-L2EXC","C2-L2PY"),
("C2-L5EXC","C2-L2EXC","C2-L3PY"),
("C2-L5EXC","C2-L2EXC","C2-L4PY"),
("C2-L5EXC","C2-L2EXC","C2-L4sp"),
("C2-L5EXC","C2-L2EXC","C2-L4ss"),
("C2-L5EXC","C2-L2EXC","C2-L5IT"),
("C2-L5EXC","C2-L2EXC","C2-L5PT"),
("C2-L5EXC","C2-L2EXC","C2-L6CC"),
("C2-L5EXC","C2-L2EXC","C2-L6INV"),
("C2-L5EXC","C2-L2EXC","C2-L6CT"),
("C2-L5EXC","C2-L2EXC","C2-VPM"),
("C2-L5EXC","C2-L2EXC","C2-INH"),
("C2-L5EXC","C2-L2EXC","C2-L1INH"),
("C2-L5EXC","C2-L2EXC","C2-L2INH"),
("C2-L5EXC","C2-L2EXC","C2-L3INH"),
("C2-L5EXC","C2-L2EXC","C2-L4INH"),
("C2-L5EXC","C2-L2EXC","C2-L5INH"),
("C2-L5EXC","C2-L2EXC","C2-L6INH"),
("C2-L5EXC","C2-L2EXC","C2-L2EXC"),
("C2-L5EXC","C2-L3EXC","C2-L2PY"),
("C2-L5EXC","C2-L3EXC","C2-L3PY"),
("C2-L5EXC","C2-L3EXC","C2-L4PY"),
("C2-L5EXC","C2-L3EXC","C2-L4sp"),
("C2-L5EXC","C2-L3EXC","C2-L4ss"),
("C2-L5EXC","C2-L3EXC","C2-L5IT"),
("C2-L5EXC","C2-L3EXC","C2-L5PT"),
("C2-L5EXC","C2-L3EXC","C2-L6CC"),
("C2-L5EXC","C2-L3EXC","C2-L6INV"),
("C2-L5EXC","C2-L3EXC","C2-L6CT"),
("C2-L5EXC","C2-L3EXC","C2-VPM"),
("C2-L5EXC","C2-L3EXC","C2-INH"),
("C2-L5EXC","C2-L3EXC","C2-L1INH"),
("C2-L5EXC","C2-L3EXC","C2-L2INH"),
("C2-L5EXC","C2-L3EXC","C2-L3INH"),
("C2-L5EXC","C2-L3EXC","C2-L4INH"),
("C2-L5EXC","C2-L3EXC","C2-L5INH"),
("C2-L5EXC","C2-L3EXC","C2-L6INH"),
("C2-L5EXC","C2-L3EXC","C2-L2EXC"),
("C2-L5EXC","C2-L3EXC","C2-L3EXC"),
("C2-L5EXC","C2-L4EXC","C2-L2PY"),
("C2-L5EXC","C2-L4EXC","C2-L3PY"),
("C2-L5EXC","C2-L4EXC","C2-L4PY"),
("C2-L5EXC","C2-L4EXC","C2-L4sp"),
("C2-L5EXC","C2-L4EXC","C2-L4ss"),
("C2-L5EXC","C2-L4EXC","C2-L5IT"),
("C2-L5EXC","C2-L4EXC","C2-L5PT"),
("C2-L5EXC","C2-L4EXC","C2-L6CC"),
("C2-L5EXC","C2-L4EXC","C2-L6INV"),
("C2-L5EXC","C2-L4EXC","C2-L6CT"),
("C2-L5EXC","C2-L4EXC","C2-VPM"),
("C2-L5EXC","C2-L4EXC","C2-INH"),
("C2-L5EXC","C2-L4EXC","C2-L1INH"),
("C2-L5EXC","C2-L4EXC","C2-L2INH"),
("C2-L5EXC","C2-L4EXC","C2-L3INH"),
("C2-L5EXC","C2-L4EXC","C2-L4INH"),
("C2-L5EXC","C2-L4EXC","C2-L5INH"),
("C2-L5EXC","C2-L4EXC","C2-L6INH"),
("C2-L5EXC","C2-L4EXC","C2-L2EXC"),
("C2-L5EXC","C2-L4EXC","C2-L3EXC"),
("C2-L5EXC","C2-L4EXC","C2-L4EXC"),
("C2-L5EXC","C2-L5EXC","C2-L2PY"),
("C2-L5EXC","C2-L5EXC","C2-L3PY"),
("C2-L5EXC","C2-L5EXC","C2-L4PY"),
("C2-L5EXC","C2-L5EXC","C2-L4sp"),
("C2-L5EXC","C2-L5EXC","C2-L4ss"),
("C2-L5EXC","C2-L5EXC","C2-L5IT"),
("C2-L5EXC","C2-L5EXC","C2-L5PT"),
("C2-L5EXC","C2-L5EXC","C2-L6CC"),
("C2-L5EXC","C2-L5EXC","C2-L6INV"),
("C2-L5EXC","C2-L5EXC","C2-L6CT"),
("C2-L5EXC","C2-L5EXC","C2-VPM"),
("C2-L5EXC","C2-L5EXC","C2-INH"),
("C2-L5EXC","C2-L5EXC","C2-L1INH"),
("C2-L5EXC","C2-L5EXC","C2-L2INH"),
("C2-L5EXC","C2-L5EXC","C2-L3INH"),
("C2-L5EXC","C2-L5EXC","C2-L4INH"),
("C2-L5EXC","C2-L5EXC","C2-L5INH"),
("C2-L5EXC","C2-L5EXC","C2-L6INH"),
("C2-L5EXC","C2-L5EXC","C2-L2EXC"),
("C2-L5EXC","C2-L5EXC","C2-L3EXC"),
("C2-L5EXC","C2-L5EXC","C2-L4EXC"),
("C2-L5EXC","C2-L5EXC","C2-L5EXC"),
("C2-L6EXC","C2-L2PY","C2-L2PY"),
("C2-L6EXC","C2-L3PY","C2-L2PY"),
("C2-L6EXC","C2-L3PY","C2-L3PY"),
("C2-L6EXC","C2-L4PY","C2-L2PY"),
("C2-L6EXC","C2-L4PY","C2-L3PY"),
("C2-L6EXC","C2-L4PY","C2-L4PY"),
("C2-L6EXC","C2-L4sp","C2-L2PY"),
("C2-L6EXC","C2-L4sp","C2-L3PY"),
("C2-L6EXC","C2-L4sp","C2-L4PY"),
("C2-L6EXC","C2-L4sp","C2-L4sp"),
("C2-L6EXC","C2-L4ss","C2-L2PY"),
("C2-L6EXC","C2-L4ss","C2-L3PY"),
("C2-L6EXC","C2-L4ss","C2-L4PY"),
("C2-L6EXC","C2-L4ss","C2-L4sp"),
("C2-L6EXC","C2-L4ss","C2-L4ss"),
("C2-L6EXC","C2-L5IT","C2-L2PY"),
("C2-L6EXC","C2-L5IT","C2-L3PY"),
("C2-L6EXC","C2-L5IT","C2-L4PY"),
("C2-L6EXC","C2-L5IT","C2-L4sp"),
("C2-L6EXC","C2-L5IT","C2-L4ss"),
("C2-L6EXC","C2-L5IT","C2-L5IT"),
("C2-L6EXC","C2-L5PT","C2-L2PY"),
("C2-L6EXC","C2-L5PT","C2-L3PY"),
("C2-L6EXC","C2-L5PT","C2-L4PY"),
("C2-L6EXC","C2-L5PT","C2-L4sp"),
("C2-L6EXC","C2-L5PT","C2-L4ss"),
("C2-L6EXC","C2-L5PT","C2-L5IT"),
("C2-L6EXC","C2-L5PT","C2-L5PT"),
("C2-L6EXC","C2-L6CC","C2-L2PY"),
("C2-L6EXC","C2-L6CC","C2-L3PY"),
("C2-L6EXC","C2-L6CC","C2-L4PY"),
("C2-L6EXC","C2-L6CC","C2-L4sp"),
("C2-L6EXC","C2-L6CC","C2-L4ss"),
("C2-L6EXC","C2-L6CC","C2-L5IT"),
("C2-L6EXC","C2-L6CC","C2-L5PT"),
("C2-L6EXC","C2-L6CC","C2-L6CC"),
("C2-L6EXC","C2-L6INV","C2-L2PY"),
("C2-L6EXC","C2-L6INV","C2-L3PY"),
("C2-L6EXC","C2-L6INV","C2-L4PY"),
("C2-L6EXC","C2-L6INV","C2-L4sp"),
("C2-L6EXC","C2-L6INV","C2-L4ss"),
("C2-L6EXC","C2-L6INV","C2-L5IT"),
("C2-L6EXC","C2-L6INV","C2-L5PT"),
("C2-L6EXC","C2-L6INV","C2-L6CC"),
("C2-L6EXC","C2-L6INV","C2-L6INV"),
("C2-L6EXC","C2-L6CT","C2-L2PY"),
("C2-L6EXC","C2-L6CT","C2-L3PY"),
("C2-L6EXC","C2-L6CT","C2-L4PY"),
("C2-L6EXC","C2-L6CT","C2-L4sp"),
("C2-L6EXC","C2-L6CT","C2-L4ss"),
("C2-L6EXC","C2-L6CT","C2-L5IT"),
("C2-L6EXC","C2-L6CT","C2-L5PT"),
("C2-L6EXC","C2-L6CT","C2-L6CC"),
("C2-L6EXC","C2-L6CT","C2-L6INV"),
("C2-L6EXC","C2-L6CT","C2-L6CT"),
("C2-L6EXC","C2-VPM","C2-L2PY"),
("C2-L6EXC","C2-VPM","C2-L3PY"),
("C2-L6EXC","C2-VPM","C2-L4PY"),
("C2-L6EXC","C2-VPM","C2-L4sp"),
("C2-L6EXC","C2-VPM","C2-L4ss"),
("C2-L6EXC","C2-VPM","C2-L5IT"),
("C2-L6EXC","C2-VPM","C2-L5PT"),
("C2-L6EXC","C2-VPM","C2-L6CC"),
("C2-L6EXC","C2-VPM","C2-L6INV"),
("C2-L6EXC","C2-VPM","C2-L6CT"),
("C2-L6EXC","C2-VPM","C2-VPM"),
("C2-L6EXC","C2-INH","C2-L2PY"),
("C2-L6EXC","C2-INH","C2-L3PY"),
("C2-L6EXC","C2-INH","C2-L4PY"),
("C2-L6EXC","C2-INH","C2-L4sp"),
("C2-L6EXC","C2-INH","C2-L4ss"),
("C2-L6EXC","C2-INH","C2-L5IT"),
("C2-L6EXC","C2-INH","C2-L5PT"),
("C2-L6EXC","C2-INH","C2-L6CC"),
("C2-L6EXC","C2-INH","C2-L6INV"),
("C2-L6EXC","C2-INH","C2-L6CT"),
("C2-L6EXC","C2-INH","C2-VPM"),
("C2-L6EXC","C2-INH","C2-INH"),
("C2-L6EXC","C2-L1INH","C2-L2PY"),
("C2-L6EXC","C2-L1INH","C2-L3PY"),
("C2-L6EXC","C2-L1INH","C2-L4PY"),
("C2-L6EXC","C2-L1INH","C2-L4sp"),
("C2-L6EXC","C2-L1INH","C2-L4ss"),
("C2-L6EXC","C2-L1INH","C2-L5IT"),
("C2-L6EXC","C2-L1INH","C2-L5PT"),
("C2-L6EXC","C2-L1INH","C2-L6CC"),
("C2-L6EXC","C2-L1INH","C2-L6INV"),
("C2-L6EXC","C2-L1INH","C2-L6CT"),
("C2-L6EXC","C2-L1INH","C2-VPM"),
("C2-L6EXC","C2-L1INH","C2-INH"),
("C2-L6EXC","C2-L1INH","C2-L1INH"),
("C2-L6EXC","C2-L2INH","C2-L2PY"),
("C2-L6EXC","C2-L2INH","C2-L3PY"),
("C2-L6EXC","C2-L2INH","C2-L4PY"),
("C2-L6EXC","C2-L2INH","C2-L4sp"),
("C2-L6EXC","C2-L2INH","C2-L4ss"),
("C2-L6EXC","C2-L2INH","C2-L5IT"),
("C2-L6EXC","C2-L2INH","C2-L5PT"),
("C2-L6EXC","C2-L2INH","C2-L6CC"),
("C2-L6EXC","C2-L2INH","C2-L6INV"),
("C2-L6EXC","C2-L2INH","C2-L6CT"),
("C2-L6EXC","C2-L2INH","C2-VPM"),
("C2-L6EXC","C2-L2INH","C2-INH"),
("C2-L6EXC","C2-L2INH","C2-L1INH"),
("C2-L6EXC","C2-L2INH","C2-L2INH"),
("C2-L6EXC","C2-L3INH","C2-L2PY"),
("C2-L6EXC","C2-L3INH","C2-L3PY"),
("C2-L6EXC","C2-L3INH","C2-L4PY"),
("C2-L6EXC","C2-L3INH","C2-L4sp"),
("C2-L6EXC","C2-L3INH","C2-L4ss"),
("C2-L6EXC","C2-L3INH","C2-L5IT"),
("C2-L6EXC","C2-L3INH","C2-L5PT"),
("C2-L6EXC","C2-L3INH","C2-L6CC"),
("C2-L6EXC","C2-L3INH","C2-L6INV"),
("C2-L6EXC","C2-L3INH","C2-L6CT"),
("C2-L6EXC","C2-L3INH","C2-VPM"),
("C2-L6EXC","C2-L3INH","C2-INH"),
("C2-L6EXC","C2-L3INH","C2-L1INH"),
("C2-L6EXC","C2-L3INH","C2-L2INH"),
("C2-L6EXC","C2-L3INH","C2-L3INH"),
("C2-L6EXC","C2-L4INH","C2-L2PY"),
("C2-L6EXC","C2-L4INH","C2-L3PY"),
("C2-L6EXC","C2-L4INH","C2-L4PY"),
("C2-L6EXC","C2-L4INH","C2-L4sp"),
("C2-L6EXC","C2-L4INH","C2-L4ss"),
("C2-L6EXC","C2-L4INH","C2-L5IT"),
("C2-L6EXC","C2-L4INH","C2-L5PT"),
("C2-L6EXC","C2-L4INH","C2-L6CC"),
("C2-L6EXC","C2-L4INH","C2-L6INV"),
("C2-L6EXC","C2-L4INH","C2-L6CT"),
("C2-L6EXC","C2-L4INH","C2-VPM"),
("C2-L6EXC","C2-L4INH","C2-INH"),
("C2-L6EXC","C2-L4INH","C2-L1INH"),
("C2-L6EXC","C2-L4INH","C2-L2INH"),
("C2-L6EXC","C2-L4INH","C2-L3INH"),
("C2-L6EXC","C2-L4INH","C2-L4INH"),
("C2-L6EXC","C2-L5INH","C2-L2PY"),
("C2-L6EXC","C2-L5INH","C2-L3PY"),
("C2-L6EXC","C2-L5INH","C2-L4PY"),
("C2-L6EXC","C2-L5INH","C2-L4sp"),
("C2-L6EXC","C2-L5INH","C2-L4ss"),
("C2-L6EXC","C2-L5INH","C2-L5IT"),
("C2-L6EXC","C2-L5INH","C2-L5PT"),
("C2-L6EXC","C2-L5INH","C2-L6CC"),
("C2-L6EXC","C2-L5INH","C2-L6INV"),
("C2-L6EXC","C2-L5INH","C2-L6CT"),
("C2-L6EXC","C2-L5INH","C2-VPM"),
("C2-L6EXC","C2-L5INH","C2-INH"),
("C2-L6EXC","C2-L5INH","C2-L1INH"),
("C2-L6EXC","C2-L5INH","C2-L2INH"),
("C2-L6EXC","C2-L5INH","C2-L3INH"),
("C2-L6EXC","C2-L5INH","C2-L4INH"),
("C2-L6EXC","C2-L5INH","C2-L5INH"),
("C2-L6EXC","C2-L6INH","C2-L2PY"),
("C2-L6EXC","C2-L6INH","C2-L3PY"),
("C2-L6EXC","C2-L6INH","C2-L4PY"),
("C2-L6EXC","C2-L6INH","C2-L4sp"),
("C2-L6EXC","C2-L6INH","C2-L4ss"),
("C2-L6EXC","C2-L6INH","C2-L5IT"),
("C2-L6EXC","C2-L6INH","C2-L5PT"),
("C2-L6EXC","C2-L6INH","C2-L6CC"),
("C2-L6EXC","C2-L6INH","C2-L6INV"),
("C2-L6EXC","C2-L6INH","C2-L6CT"),
("C2-L6EXC","C2-L6INH","C2-VPM"),
("C2-L6EXC","C2-L6INH","C2-INH"),
("C2-L6EXC","C2-L6INH","C2-L1INH"),
("C2-L6EXC","C2-L6INH","C2-L2INH"),
("C2-L6EXC","C2-L6INH","C2-L3INH"),
("C2-L6EXC","C2-L6INH","C2-L4INH"),
("C2-L6EXC","C2-L6INH","C2-L5INH"),
("C2-L6EXC","C2-L6INH","C2-L6INH"),
("C2-L6EXC","C2-L2EXC","C2-L2PY"),
("C2-L6EXC","C2-L2EXC","C2-L3PY"),
("C2-L6EXC","C2-L2EXC","C2-L4PY"),
("C2-L6EXC","C2-L2EXC","C2-L4sp"),
("C2-L6EXC","C2-L2EXC","C2-L4ss"),
("C2-L6EXC","C2-L2EXC","C2-L5IT"),
("C2-L6EXC","C2-L2EXC","C2-L5PT"),
("C2-L6EXC","C2-L2EXC","C2-L6CC"),
("C2-L6EXC","C2-L2EXC","C2-L6INV"),
("C2-L6EXC","C2-L2EXC","C2-L6CT"),
("C2-L6EXC","C2-L2EXC","C2-VPM"),
("C2-L6EXC","C2-L2EXC","C2-INH"),
("C2-L6EXC","C2-L2EXC","C2-L1INH"),
("C2-L6EXC","C2-L2EXC","C2-L2INH"),
("C2-L6EXC","C2-L2EXC","C2-L3INH"),
("C2-L6EXC","C2-L2EXC","C2-L4INH"),
("C2-L6EXC","C2-L2EXC","C2-L5INH"),
("C2-L6EXC","C2-L2EXC","C2-L6INH"),
("C2-L6EXC","C2-L2EXC","C2-L2EXC"),
("C2-L6EXC","C2-L3EXC","C2-L2PY"),
("C2-L6EXC","C2-L3EXC","C2-L3PY"),
("C2-L6EXC","C2-L3EXC","C2-L4PY"),
("C2-L6EXC","C2-L3EXC","C2-L4sp"),
("C2-L6EXC","C2-L3EXC","C2-L4ss"),
("C2-L6EXC","C2-L3EXC","C2-L5IT"),
("C2-L6EXC","C2-L3EXC","C2-L5PT"),
("C2-L6EXC","C2-L3EXC","C2-L6CC"),
("C2-L6EXC","C2-L3EXC","C2-L6INV"),
("C2-L6EXC","C2-L3EXC","C2-L6CT"),
("C2-L6EXC","C2-L3EXC","C2-VPM"),
("C2-L6EXC","C2-L3EXC","C2-INH"),
("C2-L6EXC","C2-L3EXC","C2-L1INH"),
("C2-L6EXC","C2-L3EXC","C2-L2INH"),
("C2-L6EXC","C2-L3EXC","C2-L3INH"),
("C2-L6EXC","C2-L3EXC","C2-L4INH"),
("C2-L6EXC","C2-L3EXC","C2-L5INH"),
("C2-L6EXC","C2-L3EXC","C2-L6INH"),
("C2-L6EXC","C2-L3EXC","C2-L2EXC"),
("C2-L6EXC","C2-L3EXC","C2-L3EXC"),
("C2-L6EXC","C2-L4EXC","C2-L2PY"),
("C2-L6EXC","C2-L4EXC","C2-L3PY"),
("C2-L6EXC","C2-L4EXC","C2-L4PY"),
("C2-L6EXC","C2-L4EXC","C2-L4sp"),
("C2-L6EXC","C2-L4EXC","C2-L4ss"),
("C2-L6EXC","C2-L4EXC","C2-L5IT"),
("C2-L6EXC","C2-L4EXC","C2-L5PT"),
("C2-L6EXC","C2-L4EXC","C2-L6CC"),
("C2-L6EXC","C2-L4EXC","C2-L6INV"),
("C2-L6EXC","C2-L4EXC","C2-L6CT"),
("C2-L6EXC","C2-L4EXC","C2-VPM"),
("C2-L6EXC","C2-L4EXC","C2-INH"),
("C2-L6EXC","C2-L4EXC","C2-L1INH"),
("C2-L6EXC","C2-L4EXC","C2-L2INH"),
("C2-L6EXC","C2-L4EXC","C2-L3INH"),
("C2-L6EXC","C2-L4EXC","C2-L4INH"),
("C2-L6EXC","C2-L4EXC","C2-L5INH"),
("C2-L6EXC","C2-L4EXC","C2-L6INH"),
("C2-L6EXC","C2-L4EXC","C2-L2EXC"),
("C2-L6EXC","C2-L4EXC","C2-L3EXC"),
("C2-L6EXC","C2-L4EXC","C2-L4EXC"),
("C2-L6EXC","C2-L5EXC","C2-L2PY"),
("C2-L6EXC","C2-L5EXC","C2-L3PY"),
("C2-L6EXC","C2-L5EXC","C2-L4PY"),
("C2-L6EXC","C2-L5EXC","C2-L4sp"),
("C2-L6EXC","C2-L5EXC","C2-L4ss"),
("C2-L6EXC","C2-L5EXC","C2-L5IT"),
("C2-L6EXC","C2-L5EXC","C2-L5PT"),
("C2-L6EXC","C2-L5EXC","C2-L6CC"),
("C2-L6EXC","C2-L5EXC","C2-L6INV"),
("C2-L6EXC","C2-L5EXC","C2-L6CT"),
("C2-L6EXC","C2-L5EXC","C2-VPM"),
("C2-L6EXC","C2-L5EXC","C2-INH"),
("C2-L6EXC","C2-L5EXC","C2-L1INH"),
("C2-L6EXC","C2-L5EXC","C2-L2INH"),
("C2-L6EXC","C2-L5EXC","C2-L3INH"),
("C2-L6EXC","C2-L5EXC","C2-L4INH"),
("C2-L6EXC","C2-L5EXC","C2-L5INH"),
("C2-L6EXC","C2-L5EXC","C2-L6INH"),
("C2-L6EXC","C2-L5EXC","C2-L2EXC"),
("C2-L6EXC","C2-L5EXC","C2-L3EXC"),
("C2-L6EXC","C2-L5EXC","C2-L4EXC"),
("C2-L6EXC","C2-L5EXC","C2-L5EXC"),
("C2-L6EXC","C2-L6EXC","C2-L2PY"),
("C2-L6EXC","C2-L6EXC","C2-L3PY"),
("C2-L6EXC","C2-L6EXC","C2-L4PY"),
("C2-L6EXC","C2-L6EXC","C2-L4sp"),
("C2-L6EXC","C2-L6EXC","C2-L4ss"),
("C2-L6EXC","C2-L6EXC","C2-L5IT"),
("C2-L6EXC","C2-L6EXC","C2-L5PT"),
("C2-L6EXC","C2-L6EXC","C2-L6CC"),
("C2-L6EXC","C2-L6EXC","C2-L6INV"),
("C2-L6EXC","C2-L6EXC","C2-L6CT"),
("C2-L6EXC","C2-L6EXC","C2-VPM"),
("C2-L6EXC","C2-L6EXC","C2-INH"),
("C2-L6EXC","C2-L6EXC","C2-L1INH"),
("C2-L6EXC","C2-L6EXC","C2-L2INH"),
("C2-L6EXC","C2-L6EXC","C2-L3INH"),
("C2-L6EXC","C2-L6EXC","C2-L4INH"),
("C2-L6EXC","C2-L6EXC","C2-L5INH"),
("C2-L6EXC","C2-L6EXC","C2-L6INH"),
("C2-L6EXC","C2-L6EXC","C2-L2EXC"),
("C2-L6EXC","C2-L6EXC","C2-L3EXC"),
("C2-L6EXC","C2-L6EXC","C2-L4EXC"),
("C2-L6EXC","C2-L6EXC","C2-L5EXC"),
("C2-L6EXC","C2-L6EXC","C2-L6EXC")
]
def getAllColumnCombinations():
return [
("ALL-ALL","ALL-ALL","ALL-ALL"),
("ALL-EXC","ALL-EXC","ALL-EXC"),
("ALL-INH","ALL-INH","ALL-INH"),
("ALL-L2EXC","ALL-L2EXC","ALL-L2EXC"),
("ALL-L3EXC","ALL-L3EXC","ALL-L3EXC"),
("ALL-L4EXC","ALL-L4EXC","ALL-L4EXC"),
("ALL-L5EXC","ALL-L5EXC","ALL-L5EXC"),
("ALL-L6EXC","ALL-L6EXC","ALL-L6EXC"),
("ALL-L2","ALL-L2","ALL-L2"),
("ALL-L3","ALL-L3","ALL-L3"),
("ALL-L4","ALL-L4","ALL-L4"),
("ALL-L5","ALL-L5","ALL-L5"),
("ALL-L6","ALL-L6","ALL-L6"),
("ALL-L2INH","ALL-L2INH","ALL-L2INH"),
("ALL-L3INH","ALL-L3INH","ALL-L3INH"),
("ALL-L4INH","ALL-L4INH","ALL-L4INH"),
("ALL-L5INH","ALL-L5INH","ALL-L5INH"),
("ALL-L6INH","ALL-L6INH","ALL-L6INH")
]
def getSelectedColumnCombinations():
return [
("C1-ALL","C2-ALL","C3-ALL"),
("D2-ALL","C2-ALL","E2-ALL"),
("C1-EXC","C2-EXC","C3-EXC"),
("D2-EXC","C2-EXC","E2-EXC"),
("C1-INH","C2-INH","C3-INH"),
("D2-INH","C2-INH","E2-INH")
]
def getIntersomaticDistanceCombinations():
return [
("C2-ALL#0#100#A","C2-ALL#0#100#B","C2-ALL#0#100#C"),
("C2-ALL#100#200#A","C2-ALL#100#200#B","C2-ALL#100#200#C"),
("C2-ALL#200#inf#A","C2-ALL#200#inf#B","C2-ALL#200#inf#C"),
("C2-EXC#0#100#A","C2-EXC#0#100#B","C2-EXC#0#100#C"),
("C2-EXC#100#200#A","C2-EXC#100#200#B","C2-EXC#100#200#C"),
("C2-EXC#200#inf#A","C2-EXC#200#inf#B","C2-EXC#200#inf#C"),
("C2-INH#0#100#A","C2-INH#0#100#B","C2-INH#0#100#C"),
("C2-INH#100#200#A","C2-INH#100#200#B","C2-INH#100#200#C"),
("C2-INH#200#inf#A","C2-INH#200#inf#B","C2-INH#200#inf#C")
]
def getH01LayerCombinations():
return [
("H01-ALL-LX-50#null-model","H01-ALL-LX-50#null-model","H01-ALL-LX-50#null-model"),
("H01-ALL-L2-50#null-model","H01-ALL-L2-50#null-model","H01-ALL-L2-50#null-model"),
("H01-ALL-L3-50#null-model","H01-ALL-L3-50#null-model","H01-ALL-L3-50#null-model"),
("H01-ALL-L4-50#null-model","H01-ALL-L4-50#null-model","H01-ALL-L4-50#null-model"),
("H01-ALL-L5-50#null-model","H01-ALL-L5-50#null-model","H01-ALL-L5-50#null-model"),
("H01-ALL-L6-50#null-model","H01-ALL-L6-50#null-model","H01-ALL-L6-50#null-model"),
("H01-ALL-LX-50","H01-ALL-LX-50","H01-ALL-LX-50"),
("H01-ALL-L2-50","H01-ALL-L2-50","H01-ALL-L2-50"),
("H01-ALL-L3-50","H01-ALL-L3-50","H01-ALL-L3-50"),
("H01-ALL-L4-50","H01-ALL-L4-50","H01-ALL-L4-50"),
("H01-ALL-L5-50","H01-ALL-L5-50","H01-ALL-L5-50"),
("H01-ALL-L6-50","H01-ALL-L6-50","H01-ALL-L6-50"),
("H01-ALL-LX-100#null-model","H01-ALL-LX-100#null-model","H01-ALL-LX-100#null-model"),
("H01-ALL-L2-100#null-model","H01-ALL-L2-100#null-model","H01-ALL-L2-100#null-model"),
("H01-ALL-L3-100#null-model","H01-ALL-L3-100#null-model","H01-ALL-L3-100#null-model"),
("H01-ALL-L4-100#null-model","H01-ALL-L4-100#null-model","H01-ALL-L4-100#null-model"),
("H01-ALL-L5-100#null-model","H01-ALL-L5-100#null-model","H01-ALL-L5-100#null-model"),
("H01-ALL-L6-100#null-model","H01-ALL-L6-100#null-model","H01-ALL-L6-100#null-model"),
("H01-ALL-LX-100","H01-ALL-LX-100","H01-ALL-LX-100"),
("H01-ALL-L2-100","H01-ALL-L2-100","H01-ALL-L2-100"),
("H01-ALL-L3-100","H01-ALL-L3-100","H01-ALL-L3-100"),
("H01-ALL-L4-100","H01-ALL-L4-100","H01-ALL-L4-100"),
("H01-ALL-L5-100","H01-ALL-L5-100","H01-ALL-L5-100"),
("H01-ALL-L6-100","H01-ALL-L6-100","H01-ALL-L6-100"),
("H01-ALL-LX-150#null-model","H01-ALL-LX-150#null-model","H01-ALL-LX-150#null-model"),
("H01-ALL-L2-150#null-model","H01-ALL-L2-150#null-model","H01-ALL-L2-150#null-model"),
("H01-ALL-L3-150#null-model","H01-ALL-L3-150#null-model","H01-ALL-L3-150#null-model"),
("H01-ALL-L4-150#null-model","H01-ALL-L4-150#null-model","H01-ALL-L4-150#null-model"),
("H01-ALL-L5-150#null-model","H01-ALL-L5-150#null-model","H01-ALL-L5-150#null-model"),
("H01-ALL-L6-150#null-model","H01-ALL-L6-150#null-model","H01-ALL-L6-150#null-model"),
("H01-ALL-LX-150","H01-ALL-LX-150","H01-ALL-LX-150"),
("H01-ALL-L2-150","H01-ALL-L2-150","H01-ALL-L2-150"),
("H01-ALL-L3-150","H01-ALL-L3-150","H01-ALL-L3-150"),
("H01-ALL-L4-150","H01-ALL-L4-150","H01-ALL-L4-150"),
("H01-ALL-L5-150","H01-ALL-L5-150","H01-ALL-L5-150"),
("H01-ALL-L6-150","H01-ALL-L6-150","H01-ALL-L6-150"),
("H01-ALL-LX-200#null-model","H01-ALL-LX-200#null-model","H01-ALL-LX-200#null-model"),
("H01-ALL-L2-200#null-model","H01-ALL-L2-200#null-model","H01-ALL-L2-200#null-model"),
("H01-ALL-L3-200#null-model","H01-ALL-L3-200#null-model","H01-ALL-L3-200#null-model"),
("H01-ALL-L4-200#null-model","H01-ALL-L4-200#null-model","H01-ALL-L4-200#null-model"),
("H01-ALL-L5-200#null-model","H01-ALL-L5-200#null-model","H01-ALL-L5-200#null-model"),
("H01-ALL-L6-200#null-model","H01-ALL-L6-200#null-model","H01-ALL-L6-200#null-model"),
("H01-ALL-LX-200","H01-ALL-LX-200","H01-ALL-LX-200"),
("H01-ALL-L2-200","H01-ALL-L2-200","H01-ALL-L2-200"),
("H01-ALL-L3-200","H01-ALL-L3-200","H01-ALL-L3-200"),
("H01-ALL-L4-200","H01-ALL-L4-200","H01-ALL-L4-200"),
("H01-ALL-L5-200","H01-ALL-L5-200","H01-ALL-L5-200"),
("H01-ALL-L6-200","H01-ALL-L6-200","H01-ALL-L6-200")
]
def getH01PyramidalCombinations():
return [
("H01-PYR-L2-50#null-model","H01-PYR-L2-50#null-model","H01-PYR-L2-50#null-model"),
("H01-PYR-L3-50#null-model","H01-PYR-L3-50#null-model","H01-PYR-L3-50#null-model"),
("H01-PYR-L4-50#null-model","H01-PYR-L4-50#null-model","H01-PYR-L4-50#null-model"),
("H01-PYR-L5-50#null-model","H01-PYR-L5-50#null-model","H01-PYR-L5-50#null-model"),
("H01-PYR-L6-50#null-model","H01-PYR-L6-50#null-model","H01-PYR-L6-50#null-model"),
("H01-PYR-L2-50","H01-PYR-L2-50","H01-PYR-L2-50"),
("H01-PYR-L3-50","H01-PYR-L3-50","H01-PYR-L3-50"),
("H01-PYR-L4-50","H01-PYR-L4-50","H01-PYR-L4-50"),
("H01-PYR-L5-50","H01-PYR-L5-50","H01-PYR-L5-50"),
("H01-PYR-L6-50","H01-PYR-L6-50","H01-PYR-L6-50"),
("H01-PYR-L2-100#null-model","H01-PYR-L2-100#null-model","H01-PYR-L2-100#null-model"),
("H01-PYR-L3-100#null-model","H01-PYR-L3-100#null-model","H01-PYR-L3-100#null-model"),
("H01-PYR-L4-100#null-model","H01-PYR-L4-100#null-model","H01-PYR-L4-100#null-model"),
("H01-PYR-L5-100#null-model","H01-PYR-L5-100#null-model","H01-PYR-L5-100#null-model"),
("H01-PYR-L6-100#null-model","H01-PYR-L6-100#null-model","H01-PYR-L6-100#null-model"),
("H01-PYR-L2-100","H01-PYR-L2-100","H01-PYR-L2-100"),
("H01-PYR-L3-100","H01-PYR-L3-100","H01-PYR-L3-100"),
("H01-PYR-L4-100","H01-PYR-L4-100","H01-PYR-L4-100"),
("H01-PYR-L5-100","H01-PYR-L5-100","H01-PYR-L5-100"),
("H01-PYR-L6-100","H01-PYR-L6-100","H01-PYR-L6-100"),
("H01-PYR-L2-150#null-model","H01-PYR-L2-150#null-model","H01-PYR-L2-150#null-model"),
("H01-PYR-L3-150#null-model","H01-PYR-L3-150#null-model","H01-PYR-L3-150#null-model"),
("H01-PYR-L4-150#null-model","H01-PYR-L4-150#null-model","H01-PYR-L4-150#null-model"),
("H01-PYR-L5-150#null-model","H01-PYR-L5-150#null-model","H01-PYR-L5-150#null-model"),
("H01-PYR-L6-150#null-model","H01-PYR-L6-150#null-model","H01-PYR-L6-150#null-model"),
("H01-PYR-L2-150","H01-PYR-L2-150","H01-PYR-L2-150"),
("H01-PYR-L3-150","H01-PYR-L3-150","H01-PYR-L3-150"),
("H01-PYR-L4-150","H01-PYR-L4-150","H01-PYR-L4-150"),
("H01-PYR-L5-150","H01-PYR-L5-150","H01-PYR-L5-150"),
("H01-PYR-L6-150","H01-PYR-L6-150","H01-PYR-L6-150"),
("H01-PYR-L2-200#null-model","H01-PYR-L2-200#null-model","H01-PYR-L2-200#null-model"),
("H01-PYR-L3-200#null-model","H01-PYR-L3-200#null-model","H01-PYR-L3-200#null-model"),
("H01-PYR-L4-200#null-model","H01-PYR-L4-200#null-model","H01-PYR-L4-200#null-model"),
("H01-PYR-L5-200#null-model","H01-PYR-L5-200#null-model","H01-PYR-L5-200#null-model"),
("H01-PYR-L6-200#null-model","H01-PYR-L6-200#null-model","H01-PYR-L6-200#null-model"),
("H01-PYR-L2-200","H01-PYR-L2-200","H01-PYR-L2-200"),
("H01-PYR-L3-200","H01-PYR-L3-200","H01-PYR-L3-200"),
("H01-PYR-L4-200","H01-PYR-L4-200","H01-PYR-L4-200"),
("H01-PYR-L5-200","H01-PYR-L5-200","H01-PYR-L5-200"),
("H01-PYR-L6-200","H01-PYR-L6-200","H01-PYR-L6-200")
] | def get_cell_type_combinations():
return [('C2-L2PY', 'C2-L2PY', 'C2-L2PY'), ('C2-L3PY', 'C2-L2PY', 'C2-L2PY'), ('C2-L3PY', 'C2-L3PY', 'C2-L2PY'), ('C2-L3PY', 'C2-L3PY', 'C2-L3PY'), ('C2-L4PY', 'C2-L2PY', 'C2-L2PY'), ('C2-L4PY', 'C2-L3PY', 'C2-L2PY'), ('C2-L4PY', 'C2-L3PY', 'C2-L3PY'), ('C2-L4PY', 'C2-L4PY', 'C2-L2PY'), ('C2-L4PY', 'C2-L4PY', 'C2-L3PY'), ('C2-L4PY', 'C2-L4PY', 'C2-L4PY'), ('C2-L4sp', 'C2-L2PY', 'C2-L2PY'), ('C2-L4sp', 'C2-L3PY', 'C2-L2PY'), ('C2-L4sp', 'C2-L3PY', 'C2-L3PY'), ('C2-L4sp', 'C2-L4PY', 'C2-L2PY'), ('C2-L4sp', 'C2-L4PY', 'C2-L3PY'), ('C2-L4sp', 'C2-L4PY', 'C2-L4PY'), ('C2-L4sp', 'C2-L4sp', 'C2-L2PY'), ('C2-L4sp', 'C2-L4sp', 'C2-L3PY'), ('C2-L4sp', 'C2-L4sp', 'C2-L4PY'), ('C2-L4sp', 'C2-L4sp', 'C2-L4sp'), ('C2-L4ss', 'C2-L2PY', 'C2-L2PY'), ('C2-L4ss', 'C2-L3PY', 'C2-L2PY'), ('C2-L4ss', 'C2-L3PY', 'C2-L3PY'), ('C2-L4ss', 'C2-L4PY', 'C2-L2PY'), ('C2-L4ss', 'C2-L4PY', 'C2-L3PY'), ('C2-L4ss', 'C2-L4PY', 'C2-L4PY'), ('C2-L4ss', 'C2-L4sp', 'C2-L2PY'), ('C2-L4ss', 'C2-L4sp', 'C2-L3PY'), ('C2-L4ss', 'C2-L4sp', 'C2-L4PY'), ('C2-L4ss', 'C2-L4sp', 'C2-L4sp'), ('C2-L4ss', 'C2-L4ss', 'C2-L2PY'), ('C2-L4ss', 'C2-L4ss', 'C2-L3PY'), ('C2-L4ss', 'C2-L4ss', 'C2-L4PY'), ('C2-L4ss', 'C2-L4ss', 'C2-L4sp'), ('C2-L4ss', 'C2-L4ss', 'C2-L4ss'), ('C2-L5IT', 'C2-L2PY', 'C2-L2PY'), ('C2-L5IT', 'C2-L3PY', 'C2-L2PY'), ('C2-L5IT', 'C2-L3PY', 'C2-L3PY'), ('C2-L5IT', 'C2-L4PY', 'C2-L2PY'), ('C2-L5IT', 'C2-L4PY', 'C2-L3PY'), ('C2-L5IT', 'C2-L4PY', 'C2-L4PY'), ('C2-L5IT', 'C2-L4sp', 'C2-L2PY'), ('C2-L5IT', 'C2-L4sp', 'C2-L3PY'), ('C2-L5IT', 'C2-L4sp', 'C2-L4PY'), ('C2-L5IT', 'C2-L4sp', 'C2-L4sp'), ('C2-L5IT', 'C2-L4ss', 'C2-L2PY'), ('C2-L5IT', 'C2-L4ss', 'C2-L3PY'), ('C2-L5IT', 'C2-L4ss', 'C2-L4PY'), ('C2-L5IT', 'C2-L4ss', 'C2-L4sp'), ('C2-L5IT', 'C2-L4ss', 'C2-L4ss'), ('C2-L5IT', 'C2-L5IT', 'C2-L2PY'), ('C2-L5IT', 'C2-L5IT', 'C2-L3PY'), ('C2-L5IT', 'C2-L5IT', 'C2-L4PY'), ('C2-L5IT', 'C2-L5IT', 'C2-L4sp'), ('C2-L5IT', 'C2-L5IT', 'C2-L4ss'), ('C2-L5IT', 'C2-L5IT', 'C2-L5IT'), ('C2-L5PT', 'C2-L2PY', 'C2-L2PY'), ('C2-L5PT', 'C2-L3PY', 'C2-L2PY'), ('C2-L5PT', 'C2-L3PY', 'C2-L3PY'), ('C2-L5PT', 'C2-L4PY', 'C2-L2PY'), ('C2-L5PT', 'C2-L4PY', 'C2-L3PY'), ('C2-L5PT', 'C2-L4PY', 'C2-L4PY'), ('C2-L5PT', 'C2-L4sp', 'C2-L2PY'), ('C2-L5PT', 'C2-L4sp', 'C2-L3PY'), ('C2-L5PT', 'C2-L4sp', 'C2-L4PY'), ('C2-L5PT', 'C2-L4sp', 'C2-L4sp'), ('C2-L5PT', 'C2-L4ss', 'C2-L2PY'), ('C2-L5PT', 'C2-L4ss', 'C2-L3PY'), ('C2-L5PT', 'C2-L4ss', 'C2-L4PY'), ('C2-L5PT', 'C2-L4ss', 'C2-L4sp'), ('C2-L5PT', 'C2-L4ss', 'C2-L4ss'), ('C2-L5PT', 'C2-L5IT', 'C2-L2PY'), ('C2-L5PT', 'C2-L5IT', 'C2-L3PY'), ('C2-L5PT', 'C2-L5IT', 'C2-L4PY'), ('C2-L5PT', 'C2-L5IT', 'C2-L4sp'), ('C2-L5PT', 'C2-L5IT', 'C2-L4ss'), ('C2-L5PT', 'C2-L5IT', 'C2-L5IT'), ('C2-L5PT', 'C2-L5PT', 'C2-L2PY'), ('C2-L5PT', 'C2-L5PT', 'C2-L3PY'), ('C2-L5PT', 'C2-L5PT', 'C2-L4PY'), ('C2-L5PT', 'C2-L5PT', 'C2-L4sp'), ('C2-L5PT', 'C2-L5PT', 'C2-L4ss'), ('C2-L5PT', 'C2-L5PT', 'C2-L5IT'), ('C2-L5PT', 'C2-L5PT', 'C2-L5PT'), ('C2-L6CC', 'C2-L2PY', 'C2-L2PY'), ('C2-L6CC', 'C2-L3PY', 'C2-L2PY'), ('C2-L6CC', 'C2-L3PY', 'C2-L3PY'), ('C2-L6CC', 'C2-L4PY', 'C2-L2PY'), ('C2-L6CC', 'C2-L4PY', 'C2-L3PY'), ('C2-L6CC', 'C2-L4PY', 'C2-L4PY'), ('C2-L6CC', 'C2-L4sp', 'C2-L2PY'), ('C2-L6CC', 'C2-L4sp', 'C2-L3PY'), ('C2-L6CC', 'C2-L4sp', 'C2-L4PY'), ('C2-L6CC', 'C2-L4sp', 'C2-L4sp'), ('C2-L6CC', 'C2-L4ss', 'C2-L2PY'), ('C2-L6CC', 'C2-L4ss', 'C2-L3PY'), ('C2-L6CC', 'C2-L4ss', 'C2-L4PY'), ('C2-L6CC', 'C2-L4ss', 'C2-L4sp'), ('C2-L6CC', 'C2-L4ss', 'C2-L4ss'), ('C2-L6CC', 'C2-L5IT', 'C2-L2PY'), ('C2-L6CC', 'C2-L5IT', 'C2-L3PY'), ('C2-L6CC', 'C2-L5IT', 'C2-L4PY'), ('C2-L6CC', 'C2-L5IT', 'C2-L4sp'), ('C2-L6CC', 'C2-L5IT', 'C2-L4ss'), ('C2-L6CC', 'C2-L5IT', 'C2-L5IT'), ('C2-L6CC', 'C2-L5PT', 'C2-L2PY'), ('C2-L6CC', 'C2-L5PT', 'C2-L3PY'), ('C2-L6CC', 'C2-L5PT', 'C2-L4PY'), ('C2-L6CC', 'C2-L5PT', 'C2-L4sp'), ('C2-L6CC', 'C2-L5PT', 'C2-L4ss'), ('C2-L6CC', 'C2-L5PT', 'C2-L5IT'), ('C2-L6CC', 'C2-L5PT', 'C2-L5PT'), ('C2-L6CC', 'C2-L6CC', 'C2-L2PY'), ('C2-L6CC', 'C2-L6CC', 'C2-L3PY'), ('C2-L6CC', 'C2-L6CC', 'C2-L4PY'), ('C2-L6CC', 'C2-L6CC', 'C2-L4sp'), ('C2-L6CC', 'C2-L6CC', 'C2-L4ss'), ('C2-L6CC', 'C2-L6CC', 'C2-L5IT'), ('C2-L6CC', 'C2-L6CC', 'C2-L5PT'), ('C2-L6CC', 'C2-L6CC', 'C2-L6CC'), ('C2-L6INV', 'C2-L2PY', 'C2-L2PY'), ('C2-L6INV', 'C2-L3PY', 'C2-L2PY'), ('C2-L6INV', 'C2-L3PY', 'C2-L3PY'), ('C2-L6INV', 'C2-L4PY', 'C2-L2PY'), ('C2-L6INV', 'C2-L4PY', 'C2-L3PY'), ('C2-L6INV', 'C2-L4PY', 'C2-L4PY'), ('C2-L6INV', 'C2-L4sp', 'C2-L2PY'), ('C2-L6INV', 'C2-L4sp', 'C2-L3PY'), ('C2-L6INV', 'C2-L4sp', 'C2-L4PY'), ('C2-L6INV', 'C2-L4sp', 'C2-L4sp'), ('C2-L6INV', 'C2-L4ss', 'C2-L2PY'), ('C2-L6INV', 'C2-L4ss', 'C2-L3PY'), ('C2-L6INV', 'C2-L4ss', 'C2-L4PY'), ('C2-L6INV', 'C2-L4ss', 'C2-L4sp'), ('C2-L6INV', 'C2-L4ss', 'C2-L4ss'), ('C2-L6INV', 'C2-L5IT', 'C2-L2PY'), ('C2-L6INV', 'C2-L5IT', 'C2-L3PY'), ('C2-L6INV', 'C2-L5IT', 'C2-L4PY'), ('C2-L6INV', 'C2-L5IT', 'C2-L4sp'), ('C2-L6INV', 'C2-L5IT', 'C2-L4ss'), ('C2-L6INV', 'C2-L5IT', 'C2-L5IT'), ('C2-L6INV', 'C2-L5PT', 'C2-L2PY'), ('C2-L6INV', 'C2-L5PT', 'C2-L3PY'), ('C2-L6INV', 'C2-L5PT', 'C2-L4PY'), ('C2-L6INV', 'C2-L5PT', 'C2-L4sp'), ('C2-L6INV', 'C2-L5PT', 'C2-L4ss'), ('C2-L6INV', 'C2-L5PT', 'C2-L5IT'), ('C2-L6INV', 'C2-L5PT', 'C2-L5PT'), ('C2-L6INV', 'C2-L6CC', 'C2-L2PY'), ('C2-L6INV', 'C2-L6CC', 'C2-L3PY'), ('C2-L6INV', 'C2-L6CC', 'C2-L4PY'), ('C2-L6INV', 'C2-L6CC', 'C2-L4sp'), ('C2-L6INV', 'C2-L6CC', 'C2-L4ss'), ('C2-L6INV', 'C2-L6CC', 'C2-L5IT'), ('C2-L6INV', 'C2-L6CC', 'C2-L5PT'), ('C2-L6INV', 'C2-L6CC', 'C2-L6CC'), ('C2-L6INV', 'C2-L6INV', 'C2-L2PY'), ('C2-L6INV', 'C2-L6INV', 'C2-L3PY'), ('C2-L6INV', 'C2-L6INV', 'C2-L4PY'), ('C2-L6INV', 'C2-L6INV', 'C2-L4sp'), ('C2-L6INV', 'C2-L6INV', 'C2-L4ss'), ('C2-L6INV', 'C2-L6INV', 'C2-L5IT'), ('C2-L6INV', 'C2-L6INV', 'C2-L5PT'), ('C2-L6INV', 'C2-L6INV', 'C2-L6CC'), ('C2-L6INV', 'C2-L6INV', 'C2-L6INV'), ('C2-L6CT', 'C2-L2PY', 'C2-L2PY'), ('C2-L6CT', 'C2-L3PY', 'C2-L2PY'), ('C2-L6CT', 'C2-L3PY', 'C2-L3PY'), ('C2-L6CT', 'C2-L4PY', 'C2-L2PY'), ('C2-L6CT', 'C2-L4PY', 'C2-L3PY'), ('C2-L6CT', 'C2-L4PY', 'C2-L4PY'), ('C2-L6CT', 'C2-L4sp', 'C2-L2PY'), ('C2-L6CT', 'C2-L4sp', 'C2-L3PY'), ('C2-L6CT', 'C2-L4sp', 'C2-L4PY'), ('C2-L6CT', 'C2-L4sp', 'C2-L4sp'), ('C2-L6CT', 'C2-L4ss', 'C2-L2PY'), ('C2-L6CT', 'C2-L4ss', 'C2-L3PY'), ('C2-L6CT', 'C2-L4ss', 'C2-L4PY'), ('C2-L6CT', 'C2-L4ss', 'C2-L4sp'), ('C2-L6CT', 'C2-L4ss', 'C2-L4ss'), ('C2-L6CT', 'C2-L5IT', 'C2-L2PY'), ('C2-L6CT', 'C2-L5IT', 'C2-L3PY'), ('C2-L6CT', 'C2-L5IT', 'C2-L4PY'), ('C2-L6CT', 'C2-L5IT', 'C2-L4sp'), ('C2-L6CT', 'C2-L5IT', 'C2-L4ss'), ('C2-L6CT', 'C2-L5IT', 'C2-L5IT'), ('C2-L6CT', 'C2-L5PT', 'C2-L2PY'), ('C2-L6CT', 'C2-L5PT', 'C2-L3PY'), ('C2-L6CT', 'C2-L5PT', 'C2-L4PY'), ('C2-L6CT', 'C2-L5PT', 'C2-L4sp'), ('C2-L6CT', 'C2-L5PT', 'C2-L4ss'), ('C2-L6CT', 'C2-L5PT', 'C2-L5IT'), ('C2-L6CT', 'C2-L5PT', 'C2-L5PT'), ('C2-L6CT', 'C2-L6CC', 'C2-L2PY'), ('C2-L6CT', 'C2-L6CC', 'C2-L3PY'), ('C2-L6CT', 'C2-L6CC', 'C2-L4PY'), ('C2-L6CT', 'C2-L6CC', 'C2-L4sp'), ('C2-L6CT', 'C2-L6CC', 'C2-L4ss'), ('C2-L6CT', 'C2-L6CC', 'C2-L5IT'), ('C2-L6CT', 'C2-L6CC', 'C2-L5PT'), ('C2-L6CT', 'C2-L6CC', 'C2-L6CC'), ('C2-L6CT', 'C2-L6INV', 'C2-L2PY'), ('C2-L6CT', 'C2-L6INV', 'C2-L3PY'), ('C2-L6CT', 'C2-L6INV', 'C2-L4PY'), ('C2-L6CT', 'C2-L6INV', 'C2-L4sp'), ('C2-L6CT', 'C2-L6INV', 'C2-L4ss'), ('C2-L6CT', 'C2-L6INV', 'C2-L5IT'), ('C2-L6CT', 'C2-L6INV', 'C2-L5PT'), ('C2-L6CT', 'C2-L6INV', 'C2-L6CC'), ('C2-L6CT', 'C2-L6INV', 'C2-L6INV'), ('C2-L6CT', 'C2-L6CT', 'C2-L2PY'), ('C2-L6CT', 'C2-L6CT', 'C2-L3PY'), ('C2-L6CT', 'C2-L6CT', 'C2-L4PY'), ('C2-L6CT', 'C2-L6CT', 'C2-L4sp'), ('C2-L6CT', 'C2-L6CT', 'C2-L4ss'), ('C2-L6CT', 'C2-L6CT', 'C2-L5IT'), ('C2-L6CT', 'C2-L6CT', 'C2-L5PT'), ('C2-L6CT', 'C2-L6CT', 'C2-L6CC'), ('C2-L6CT', 'C2-L6CT', 'C2-L6INV'), ('C2-L6CT', 'C2-L6CT', 'C2-L6CT'), ('C2-VPM', 'C2-L2PY', 'C2-L2PY'), ('C2-VPM', 'C2-L3PY', 'C2-L2PY'), ('C2-VPM', 'C2-L3PY', 'C2-L3PY'), ('C2-VPM', 'C2-L4PY', 'C2-L2PY'), ('C2-VPM', 'C2-L4PY', 'C2-L3PY'), ('C2-VPM', 'C2-L4PY', 'C2-L4PY'), ('C2-VPM', 'C2-L4sp', 'C2-L2PY'), ('C2-VPM', 'C2-L4sp', 'C2-L3PY'), ('C2-VPM', 'C2-L4sp', 'C2-L4PY'), ('C2-VPM', 'C2-L4sp', 'C2-L4sp'), ('C2-VPM', 'C2-L4ss', 'C2-L2PY'), ('C2-VPM', 'C2-L4ss', 'C2-L3PY'), ('C2-VPM', 'C2-L4ss', 'C2-L4PY'), ('C2-VPM', 'C2-L4ss', 'C2-L4sp'), ('C2-VPM', 'C2-L4ss', 'C2-L4ss'), ('C2-VPM', 'C2-L5IT', 'C2-L2PY'), ('C2-VPM', 'C2-L5IT', 'C2-L3PY'), ('C2-VPM', 'C2-L5IT', 'C2-L4PY'), ('C2-VPM', 'C2-L5IT', 'C2-L4sp'), ('C2-VPM', 'C2-L5IT', 'C2-L4ss'), ('C2-VPM', 'C2-L5IT', 'C2-L5IT'), ('C2-VPM', 'C2-L5PT', 'C2-L2PY'), ('C2-VPM', 'C2-L5PT', 'C2-L3PY'), ('C2-VPM', 'C2-L5PT', 'C2-L4PY'), ('C2-VPM', 'C2-L5PT', 'C2-L4sp'), ('C2-VPM', 'C2-L5PT', 'C2-L4ss'), ('C2-VPM', 'C2-L5PT', 'C2-L5IT'), ('C2-VPM', 'C2-L5PT', 'C2-L5PT'), ('C2-VPM', 'C2-L6CC', 'C2-L2PY'), ('C2-VPM', 'C2-L6CC', 'C2-L3PY'), ('C2-VPM', 'C2-L6CC', 'C2-L4PY'), ('C2-VPM', 'C2-L6CC', 'C2-L4sp'), ('C2-VPM', 'C2-L6CC', 'C2-L4ss'), ('C2-VPM', 'C2-L6CC', 'C2-L5IT'), ('C2-VPM', 'C2-L6CC', 'C2-L5PT'), ('C2-VPM', 'C2-L6CC', 'C2-L6CC'), ('C2-VPM', 'C2-L6INV', 'C2-L2PY'), ('C2-VPM', 'C2-L6INV', 'C2-L3PY'), ('C2-VPM', 'C2-L6INV', 'C2-L4PY'), ('C2-VPM', 'C2-L6INV', 'C2-L4sp'), ('C2-VPM', 'C2-L6INV', 'C2-L4ss'), ('C2-VPM', 'C2-L6INV', 'C2-L5IT'), ('C2-VPM', 'C2-L6INV', 'C2-L5PT'), ('C2-VPM', 'C2-L6INV', 'C2-L6CC'), ('C2-VPM', 'C2-L6INV', 'C2-L6INV'), ('C2-VPM', 'C2-L6CT', 'C2-L2PY'), ('C2-VPM', 'C2-L6CT', 'C2-L3PY'), ('C2-VPM', 'C2-L6CT', 'C2-L4PY'), ('C2-VPM', 'C2-L6CT', 'C2-L4sp'), ('C2-VPM', 'C2-L6CT', 'C2-L4ss'), ('C2-VPM', 'C2-L6CT', 'C2-L5IT'), ('C2-VPM', 'C2-L6CT', 'C2-L5PT'), ('C2-VPM', 'C2-L6CT', 'C2-L6CC'), ('C2-VPM', 'C2-L6CT', 'C2-L6INV'), ('C2-VPM', 'C2-L6CT', 'C2-L6CT'), ('C2-VPM', 'C2-VPM', 'C2-L2PY'), ('C2-VPM', 'C2-VPM', 'C2-L3PY'), ('C2-VPM', 'C2-VPM', 'C2-L4PY'), ('C2-VPM', 'C2-VPM', 'C2-L4sp'), ('C2-VPM', 'C2-VPM', 'C2-L4ss'), ('C2-VPM', 'C2-VPM', 'C2-L5IT'), ('C2-VPM', 'C2-VPM', 'C2-L5PT'), ('C2-VPM', 'C2-VPM', 'C2-L6CC'), ('C2-VPM', 'C2-VPM', 'C2-L6INV'), ('C2-VPM', 'C2-VPM', 'C2-L6CT'), ('C2-VPM', 'C2-VPM', 'C2-VPM'), ('C2-INH', 'C2-L2PY', 'C2-L2PY'), ('C2-INH', 'C2-L3PY', 'C2-L2PY'), ('C2-INH', 'C2-L3PY', 'C2-L3PY'), ('C2-INH', 'C2-L4PY', 'C2-L2PY'), ('C2-INH', 'C2-L4PY', 'C2-L3PY'), ('C2-INH', 'C2-L4PY', 'C2-L4PY'), ('C2-INH', 'C2-L4sp', 'C2-L2PY'), ('C2-INH', 'C2-L4sp', 'C2-L3PY'), ('C2-INH', 'C2-L4sp', 'C2-L4PY'), ('C2-INH', 'C2-L4sp', 'C2-L4sp'), ('C2-INH', 'C2-L4ss', 'C2-L2PY'), ('C2-INH', 'C2-L4ss', 'C2-L3PY'), ('C2-INH', 'C2-L4ss', 'C2-L4PY'), ('C2-INH', 'C2-L4ss', 'C2-L4sp'), ('C2-INH', 'C2-L4ss', 'C2-L4ss'), ('C2-INH', 'C2-L5IT', 'C2-L2PY'), ('C2-INH', 'C2-L5IT', 'C2-L3PY'), ('C2-INH', 'C2-L5IT', 'C2-L4PY'), ('C2-INH', 'C2-L5IT', 'C2-L4sp'), ('C2-INH', 'C2-L5IT', 'C2-L4ss'), ('C2-INH', 'C2-L5IT', 'C2-L5IT'), ('C2-INH', 'C2-L5PT', 'C2-L2PY'), ('C2-INH', 'C2-L5PT', 'C2-L3PY'), ('C2-INH', 'C2-L5PT', 'C2-L4PY'), ('C2-INH', 'C2-L5PT', 'C2-L4sp'), ('C2-INH', 'C2-L5PT', 'C2-L4ss'), ('C2-INH', 'C2-L5PT', 'C2-L5IT'), ('C2-INH', 'C2-L5PT', 'C2-L5PT'), ('C2-INH', 'C2-L6CC', 'C2-L2PY'), ('C2-INH', 'C2-L6CC', 'C2-L3PY'), ('C2-INH', 'C2-L6CC', 'C2-L4PY'), ('C2-INH', 'C2-L6CC', 'C2-L4sp'), ('C2-INH', 'C2-L6CC', 'C2-L4ss'), ('C2-INH', 'C2-L6CC', 'C2-L5IT'), ('C2-INH', 'C2-L6CC', 'C2-L5PT'), ('C2-INH', 'C2-L6CC', 'C2-L6CC'), ('C2-INH', 'C2-L6INV', 'C2-L2PY'), ('C2-INH', 'C2-L6INV', 'C2-L3PY'), ('C2-INH', 'C2-L6INV', 'C2-L4PY'), ('C2-INH', 'C2-L6INV', 'C2-L4sp'), ('C2-INH', 'C2-L6INV', 'C2-L4ss'), ('C2-INH', 'C2-L6INV', 'C2-L5IT'), ('C2-INH', 'C2-L6INV', 'C2-L5PT'), ('C2-INH', 'C2-L6INV', 'C2-L6CC'), ('C2-INH', 'C2-L6INV', 'C2-L6INV'), ('C2-INH', 'C2-L6CT', 'C2-L2PY'), ('C2-INH', 'C2-L6CT', 'C2-L3PY'), ('C2-INH', 'C2-L6CT', 'C2-L4PY'), ('C2-INH', 'C2-L6CT', 'C2-L4sp'), ('C2-INH', 'C2-L6CT', 'C2-L4ss'), ('C2-INH', 'C2-L6CT', 'C2-L5IT'), ('C2-INH', 'C2-L6CT', 'C2-L5PT'), ('C2-INH', 'C2-L6CT', 'C2-L6CC'), ('C2-INH', 'C2-L6CT', 'C2-L6INV'), ('C2-INH', 'C2-L6CT', 'C2-L6CT'), ('C2-INH', 'C2-VPM', 'C2-L2PY'), ('C2-INH', 'C2-VPM', 'C2-L3PY'), ('C2-INH', 'C2-VPM', 'C2-L4PY'), ('C2-INH', 'C2-VPM', 'C2-L4sp'), ('C2-INH', 'C2-VPM', 'C2-L4ss'), ('C2-INH', 'C2-VPM', 'C2-L5IT'), ('C2-INH', 'C2-VPM', 'C2-L5PT'), ('C2-INH', 'C2-VPM', 'C2-L6CC'), ('C2-INH', 'C2-VPM', 'C2-L6INV'), ('C2-INH', 'C2-VPM', 'C2-L6CT'), ('C2-INH', 'C2-VPM', 'C2-VPM'), ('C2-INH', 'C2-INH', 'C2-L2PY'), ('C2-INH', 'C2-INH', 'C2-L3PY'), ('C2-INH', 'C2-INH', 'C2-L4PY'), ('C2-INH', 'C2-INH', 'C2-L4sp'), ('C2-INH', 'C2-INH', 'C2-L4ss'), ('C2-INH', 'C2-INH', 'C2-L5IT'), ('C2-INH', 'C2-INH', 'C2-L5PT'), ('C2-INH', 'C2-INH', 'C2-L6CC'), ('C2-INH', 'C2-INH', 'C2-L6INV'), ('C2-INH', 'C2-INH', 'C2-L6CT'), ('C2-INH', 'C2-INH', 'C2-VPM'), ('C2-INH', 'C2-INH', 'C2-INH')]
def get_cell_type_layer_combinations():
return [('C2-L1INH', 'C2-L2PY', 'C2-L2PY'), ('C2-L1INH', 'C2-L3PY', 'C2-L2PY'), ('C2-L1INH', 'C2-L3PY', 'C2-L3PY'), ('C2-L1INH', 'C2-L4PY', 'C2-L2PY'), ('C2-L1INH', 'C2-L4PY', 'C2-L3PY'), ('C2-L1INH', 'C2-L4PY', 'C2-L4PY'), ('C2-L1INH', 'C2-L4sp', 'C2-L2PY'), ('C2-L1INH', 'C2-L4sp', 'C2-L3PY'), ('C2-L1INH', 'C2-L4sp', 'C2-L4PY'), ('C2-L1INH', 'C2-L4sp', 'C2-L4sp'), ('C2-L1INH', 'C2-L4ss', 'C2-L2PY'), ('C2-L1INH', 'C2-L4ss', 'C2-L3PY'), ('C2-L1INH', 'C2-L4ss', 'C2-L4PY'), ('C2-L1INH', 'C2-L4ss', 'C2-L4sp'), ('C2-L1INH', 'C2-L4ss', 'C2-L4ss'), ('C2-L1INH', 'C2-L5IT', 'C2-L2PY'), ('C2-L1INH', 'C2-L5IT', 'C2-L3PY'), ('C2-L1INH', 'C2-L5IT', 'C2-L4PY'), ('C2-L1INH', 'C2-L5IT', 'C2-L4sp'), ('C2-L1INH', 'C2-L5IT', 'C2-L4ss'), ('C2-L1INH', 'C2-L5IT', 'C2-L5IT'), ('C2-L1INH', 'C2-L5PT', 'C2-L2PY'), ('C2-L1INH', 'C2-L5PT', 'C2-L3PY'), ('C2-L1INH', 'C2-L5PT', 'C2-L4PY'), ('C2-L1INH', 'C2-L5PT', 'C2-L4sp'), ('C2-L1INH', 'C2-L5PT', 'C2-L4ss'), ('C2-L1INH', 'C2-L5PT', 'C2-L5IT'), ('C2-L1INH', 'C2-L5PT', 'C2-L5PT'), ('C2-L1INH', 'C2-L6CC', 'C2-L2PY'), ('C2-L1INH', 'C2-L6CC', 'C2-L3PY'), ('C2-L1INH', 'C2-L6CC', 'C2-L4PY'), ('C2-L1INH', 'C2-L6CC', 'C2-L4sp'), ('C2-L1INH', 'C2-L6CC', 'C2-L4ss'), ('C2-L1INH', 'C2-L6CC', 'C2-L5IT'), ('C2-L1INH', 'C2-L6CC', 'C2-L5PT'), ('C2-L1INH', 'C2-L6CC', 'C2-L6CC'), ('C2-L1INH', 'C2-L6INV', 'C2-L2PY'), ('C2-L1INH', 'C2-L6INV', 'C2-L3PY'), ('C2-L1INH', 'C2-L6INV', 'C2-L4PY'), ('C2-L1INH', 'C2-L6INV', 'C2-L4sp'), ('C2-L1INH', 'C2-L6INV', 'C2-L4ss'), ('C2-L1INH', 'C2-L6INV', 'C2-L5IT'), ('C2-L1INH', 'C2-L6INV', 'C2-L5PT'), ('C2-L1INH', 'C2-L6INV', 'C2-L6CC'), ('C2-L1INH', 'C2-L6INV', 'C2-L6INV'), ('C2-L1INH', 'C2-L6CT', 'C2-L2PY'), ('C2-L1INH', 'C2-L6CT', 'C2-L3PY'), ('C2-L1INH', 'C2-L6CT', 'C2-L4PY'), ('C2-L1INH', 'C2-L6CT', 'C2-L4sp'), ('C2-L1INH', 'C2-L6CT', 'C2-L4ss'), ('C2-L1INH', 'C2-L6CT', 'C2-L5IT'), ('C2-L1INH', 'C2-L6CT', 'C2-L5PT'), ('C2-L1INH', 'C2-L6CT', 'C2-L6CC'), ('C2-L1INH', 'C2-L6CT', 'C2-L6INV'), ('C2-L1INH', 'C2-L6CT', 'C2-L6CT'), ('C2-L1INH', 'C2-VPM', 'C2-L2PY'), ('C2-L1INH', 'C2-VPM', 'C2-L3PY'), ('C2-L1INH', 'C2-VPM', 'C2-L4PY'), ('C2-L1INH', 'C2-VPM', 'C2-L4sp'), ('C2-L1INH', 'C2-VPM', 'C2-L4ss'), ('C2-L1INH', 'C2-VPM', 'C2-L5IT'), ('C2-L1INH', 'C2-VPM', 'C2-L5PT'), ('C2-L1INH', 'C2-VPM', 'C2-L6CC'), ('C2-L1INH', 'C2-VPM', 'C2-L6INV'), ('C2-L1INH', 'C2-VPM', 'C2-L6CT'), ('C2-L1INH', 'C2-VPM', 'C2-VPM'), ('C2-L1INH', 'C2-INH', 'C2-L2PY'), ('C2-L1INH', 'C2-INH', 'C2-L3PY'), ('C2-L1INH', 'C2-INH', 'C2-L4PY'), ('C2-L1INH', 'C2-INH', 'C2-L4sp'), ('C2-L1INH', 'C2-INH', 'C2-L4ss'), ('C2-L1INH', 'C2-INH', 'C2-L5IT'), ('C2-L1INH', 'C2-INH', 'C2-L5PT'), ('C2-L1INH', 'C2-INH', 'C2-L6CC'), ('C2-L1INH', 'C2-INH', 'C2-L6INV'), ('C2-L1INH', 'C2-INH', 'C2-L6CT'), ('C2-L1INH', 'C2-INH', 'C2-VPM'), ('C2-L1INH', 'C2-INH', 'C2-INH'), ('C2-L1INH', 'C2-L1INH', 'C2-L2PY'), ('C2-L1INH', 'C2-L1INH', 'C2-L3PY'), ('C2-L1INH', 'C2-L1INH', 'C2-L4PY'), ('C2-L1INH', 'C2-L1INH', 'C2-L4sp'), ('C2-L1INH', 'C2-L1INH', 'C2-L4ss'), ('C2-L1INH', 'C2-L1INH', 'C2-L5IT'), ('C2-L1INH', 'C2-L1INH', 'C2-L5PT'), ('C2-L1INH', 'C2-L1INH', 'C2-L6CC'), ('C2-L1INH', 'C2-L1INH', 'C2-L6INV'), ('C2-L1INH', 'C2-L1INH', 'C2-L6CT'), ('C2-L1INH', 'C2-L1INH', 'C2-VPM'), ('C2-L1INH', 'C2-L1INH', 'C2-INH'), ('C2-L1INH', 'C2-L1INH', 'C2-L1INH'), ('C2-L2INH', 'C2-L2PY', 'C2-L2PY'), ('C2-L2INH', 'C2-L3PY', 'C2-L2PY'), ('C2-L2INH', 'C2-L3PY', 'C2-L3PY'), ('C2-L2INH', 'C2-L4PY', 'C2-L2PY'), ('C2-L2INH', 'C2-L4PY', 'C2-L3PY'), ('C2-L2INH', 'C2-L4PY', 'C2-L4PY'), ('C2-L2INH', 'C2-L4sp', 'C2-L2PY'), ('C2-L2INH', 'C2-L4sp', 'C2-L3PY'), ('C2-L2INH', 'C2-L4sp', 'C2-L4PY'), ('C2-L2INH', 'C2-L4sp', 'C2-L4sp'), ('C2-L2INH', 'C2-L4ss', 'C2-L2PY'), ('C2-L2INH', 'C2-L4ss', 'C2-L3PY'), ('C2-L2INH', 'C2-L4ss', 'C2-L4PY'), ('C2-L2INH', 'C2-L4ss', 'C2-L4sp'), ('C2-L2INH', 'C2-L4ss', 'C2-L4ss'), ('C2-L2INH', 'C2-L5IT', 'C2-L2PY'), ('C2-L2INH', 'C2-L5IT', 'C2-L3PY'), ('C2-L2INH', 'C2-L5IT', 'C2-L4PY'), ('C2-L2INH', 'C2-L5IT', 'C2-L4sp'), ('C2-L2INH', 'C2-L5IT', 'C2-L4ss'), ('C2-L2INH', 'C2-L5IT', 'C2-L5IT'), ('C2-L2INH', 'C2-L5PT', 'C2-L2PY'), ('C2-L2INH', 'C2-L5PT', 'C2-L3PY'), ('C2-L2INH', 'C2-L5PT', 'C2-L4PY'), ('C2-L2INH', 'C2-L5PT', 'C2-L4sp'), ('C2-L2INH', 'C2-L5PT', 'C2-L4ss'), ('C2-L2INH', 'C2-L5PT', 'C2-L5IT'), ('C2-L2INH', 'C2-L5PT', 'C2-L5PT'), ('C2-L2INH', 'C2-L6CC', 'C2-L2PY'), ('C2-L2INH', 'C2-L6CC', 'C2-L3PY'), ('C2-L2INH', 'C2-L6CC', 'C2-L4PY'), ('C2-L2INH', 'C2-L6CC', 'C2-L4sp'), ('C2-L2INH', 'C2-L6CC', 'C2-L4ss'), ('C2-L2INH', 'C2-L6CC', 'C2-L5IT'), ('C2-L2INH', 'C2-L6CC', 'C2-L5PT'), ('C2-L2INH', 'C2-L6CC', 'C2-L6CC'), ('C2-L2INH', 'C2-L6INV', 'C2-L2PY'), ('C2-L2INH', 'C2-L6INV', 'C2-L3PY'), ('C2-L2INH', 'C2-L6INV', 'C2-L4PY'), ('C2-L2INH', 'C2-L6INV', 'C2-L4sp'), ('C2-L2INH', 'C2-L6INV', 'C2-L4ss'), ('C2-L2INH', 'C2-L6INV', 'C2-L5IT'), ('C2-L2INH', 'C2-L6INV', 'C2-L5PT'), ('C2-L2INH', 'C2-L6INV', 'C2-L6CC'), ('C2-L2INH', 'C2-L6INV', 'C2-L6INV'), ('C2-L2INH', 'C2-L6CT', 'C2-L2PY'), ('C2-L2INH', 'C2-L6CT', 'C2-L3PY'), ('C2-L2INH', 'C2-L6CT', 'C2-L4PY'), ('C2-L2INH', 'C2-L6CT', 'C2-L4sp'), ('C2-L2INH', 'C2-L6CT', 'C2-L4ss'), ('C2-L2INH', 'C2-L6CT', 'C2-L5IT'), ('C2-L2INH', 'C2-L6CT', 'C2-L5PT'), ('C2-L2INH', 'C2-L6CT', 'C2-L6CC'), ('C2-L2INH', 'C2-L6CT', 'C2-L6INV'), ('C2-L2INH', 'C2-L6CT', 'C2-L6CT'), ('C2-L2INH', 'C2-VPM', 'C2-L2PY'), ('C2-L2INH', 'C2-VPM', 'C2-L3PY'), ('C2-L2INH', 'C2-VPM', 'C2-L4PY'), ('C2-L2INH', 'C2-VPM', 'C2-L4sp'), ('C2-L2INH', 'C2-VPM', 'C2-L4ss'), ('C2-L2INH', 'C2-VPM', 'C2-L5IT'), ('C2-L2INH', 'C2-VPM', 'C2-L5PT'), ('C2-L2INH', 'C2-VPM', 'C2-L6CC'), ('C2-L2INH', 'C2-VPM', 'C2-L6INV'), ('C2-L2INH', 'C2-VPM', 'C2-L6CT'), ('C2-L2INH', 'C2-VPM', 'C2-VPM'), ('C2-L2INH', 'C2-INH', 'C2-L2PY'), ('C2-L2INH', 'C2-INH', 'C2-L3PY'), ('C2-L2INH', 'C2-INH', 'C2-L4PY'), ('C2-L2INH', 'C2-INH', 'C2-L4sp'), ('C2-L2INH', 'C2-INH', 'C2-L4ss'), ('C2-L2INH', 'C2-INH', 'C2-L5IT'), ('C2-L2INH', 'C2-INH', 'C2-L5PT'), ('C2-L2INH', 'C2-INH', 'C2-L6CC'), ('C2-L2INH', 'C2-INH', 'C2-L6INV'), ('C2-L2INH', 'C2-INH', 'C2-L6CT'), ('C2-L2INH', 'C2-INH', 'C2-VPM'), ('C2-L2INH', 'C2-INH', 'C2-INH'), ('C2-L2INH', 'C2-L1INH', 'C2-L2PY'), ('C2-L2INH', 'C2-L1INH', 'C2-L3PY'), ('C2-L2INH', 'C2-L1INH', 'C2-L4PY'), ('C2-L2INH', 'C2-L1INH', 'C2-L4sp'), ('C2-L2INH', 'C2-L1INH', 'C2-L4ss'), ('C2-L2INH', 'C2-L1INH', 'C2-L5IT'), ('C2-L2INH', 'C2-L1INH', 'C2-L5PT'), ('C2-L2INH', 'C2-L1INH', 'C2-L6CC'), ('C2-L2INH', 'C2-L1INH', 'C2-L6INV'), ('C2-L2INH', 'C2-L1INH', 'C2-L6CT'), ('C2-L2INH', 'C2-L1INH', 'C2-VPM'), ('C2-L2INH', 'C2-L1INH', 'C2-INH'), ('C2-L2INH', 'C2-L1INH', 'C2-L1INH'), ('C2-L2INH', 'C2-L2INH', 'C2-L2PY'), ('C2-L2INH', 'C2-L2INH', 'C2-L3PY'), ('C2-L2INH', 'C2-L2INH', 'C2-L4PY'), ('C2-L2INH', 'C2-L2INH', 'C2-L4sp'), ('C2-L2INH', 'C2-L2INH', 'C2-L4ss'), ('C2-L2INH', 'C2-L2INH', 'C2-L5IT'), ('C2-L2INH', 'C2-L2INH', 'C2-L5PT'), ('C2-L2INH', 'C2-L2INH', 'C2-L6CC'), ('C2-L2INH', 'C2-L2INH', 'C2-L6INV'), ('C2-L2INH', 'C2-L2INH', 'C2-L6CT'), ('C2-L2INH', 'C2-L2INH', 'C2-VPM'), ('C2-L2INH', 'C2-L2INH', 'C2-INH'), ('C2-L2INH', 'C2-L2INH', 'C2-L1INH'), ('C2-L2INH', 'C2-L2INH', 'C2-L2INH'), ('C2-L3INH', 'C2-L2PY', 'C2-L2PY'), ('C2-L3INH', 'C2-L3PY', 'C2-L2PY'), ('C2-L3INH', 'C2-L3PY', 'C2-L3PY'), ('C2-L3INH', 'C2-L4PY', 'C2-L2PY'), ('C2-L3INH', 'C2-L4PY', 'C2-L3PY'), ('C2-L3INH', 'C2-L4PY', 'C2-L4PY'), ('C2-L3INH', 'C2-L4sp', 'C2-L2PY'), ('C2-L3INH', 'C2-L4sp', 'C2-L3PY'), ('C2-L3INH', 'C2-L4sp', 'C2-L4PY'), ('C2-L3INH', 'C2-L4sp', 'C2-L4sp'), ('C2-L3INH', 'C2-L4ss', 'C2-L2PY'), ('C2-L3INH', 'C2-L4ss', 'C2-L3PY'), ('C2-L3INH', 'C2-L4ss', 'C2-L4PY'), ('C2-L3INH', 'C2-L4ss', 'C2-L4sp'), ('C2-L3INH', 'C2-L4ss', 'C2-L4ss'), ('C2-L3INH', 'C2-L5IT', 'C2-L2PY'), ('C2-L3INH', 'C2-L5IT', 'C2-L3PY'), ('C2-L3INH', 'C2-L5IT', 'C2-L4PY'), ('C2-L3INH', 'C2-L5IT', 'C2-L4sp'), ('C2-L3INH', 'C2-L5IT', 'C2-L4ss'), ('C2-L3INH', 'C2-L5IT', 'C2-L5IT'), ('C2-L3INH', 'C2-L5PT', 'C2-L2PY'), ('C2-L3INH', 'C2-L5PT', 'C2-L3PY'), ('C2-L3INH', 'C2-L5PT', 'C2-L4PY'), ('C2-L3INH', 'C2-L5PT', 'C2-L4sp'), ('C2-L3INH', 'C2-L5PT', 'C2-L4ss'), ('C2-L3INH', 'C2-L5PT', 'C2-L5IT'), ('C2-L3INH', 'C2-L5PT', 'C2-L5PT'), ('C2-L3INH', 'C2-L6CC', 'C2-L2PY'), ('C2-L3INH', 'C2-L6CC', 'C2-L3PY'), ('C2-L3INH', 'C2-L6CC', 'C2-L4PY'), ('C2-L3INH', 'C2-L6CC', 'C2-L4sp'), ('C2-L3INH', 'C2-L6CC', 'C2-L4ss'), ('C2-L3INH', 'C2-L6CC', 'C2-L5IT'), ('C2-L3INH', 'C2-L6CC', 'C2-L5PT'), ('C2-L3INH', 'C2-L6CC', 'C2-L6CC'), ('C2-L3INH', 'C2-L6INV', 'C2-L2PY'), ('C2-L3INH', 'C2-L6INV', 'C2-L3PY'), ('C2-L3INH', 'C2-L6INV', 'C2-L4PY'), ('C2-L3INH', 'C2-L6INV', 'C2-L4sp'), ('C2-L3INH', 'C2-L6INV', 'C2-L4ss'), ('C2-L3INH', 'C2-L6INV', 'C2-L5IT'), ('C2-L3INH', 'C2-L6INV', 'C2-L5PT'), ('C2-L3INH', 'C2-L6INV', 'C2-L6CC'), ('C2-L3INH', 'C2-L6INV', 'C2-L6INV'), ('C2-L3INH', 'C2-L6CT', 'C2-L2PY'), ('C2-L3INH', 'C2-L6CT', 'C2-L3PY'), ('C2-L3INH', 'C2-L6CT', 'C2-L4PY'), ('C2-L3INH', 'C2-L6CT', 'C2-L4sp'), ('C2-L3INH', 'C2-L6CT', 'C2-L4ss'), ('C2-L3INH', 'C2-L6CT', 'C2-L5IT'), ('C2-L3INH', 'C2-L6CT', 'C2-L5PT'), ('C2-L3INH', 'C2-L6CT', 'C2-L6CC'), ('C2-L3INH', 'C2-L6CT', 'C2-L6INV'), ('C2-L3INH', 'C2-L6CT', 'C2-L6CT'), ('C2-L3INH', 'C2-VPM', 'C2-L2PY'), ('C2-L3INH', 'C2-VPM', 'C2-L3PY'), ('C2-L3INH', 'C2-VPM', 'C2-L4PY'), ('C2-L3INH', 'C2-VPM', 'C2-L4sp'), ('C2-L3INH', 'C2-VPM', 'C2-L4ss'), ('C2-L3INH', 'C2-VPM', 'C2-L5IT'), ('C2-L3INH', 'C2-VPM', 'C2-L5PT'), ('C2-L3INH', 'C2-VPM', 'C2-L6CC'), ('C2-L3INH', 'C2-VPM', 'C2-L6INV'), ('C2-L3INH', 'C2-VPM', 'C2-L6CT'), ('C2-L3INH', 'C2-VPM', 'C2-VPM'), ('C2-L3INH', 'C2-INH', 'C2-L2PY'), ('C2-L3INH', 'C2-INH', 'C2-L3PY'), ('C2-L3INH', 'C2-INH', 'C2-L4PY'), ('C2-L3INH', 'C2-INH', 'C2-L4sp'), ('C2-L3INH', 'C2-INH', 'C2-L4ss'), ('C2-L3INH', 'C2-INH', 'C2-L5IT'), ('C2-L3INH', 'C2-INH', 'C2-L5PT'), ('C2-L3INH', 'C2-INH', 'C2-L6CC'), ('C2-L3INH', 'C2-INH', 'C2-L6INV'), ('C2-L3INH', 'C2-INH', 'C2-L6CT'), ('C2-L3INH', 'C2-INH', 'C2-VPM'), ('C2-L3INH', 'C2-INH', 'C2-INH'), ('C2-L3INH', 'C2-L1INH', 'C2-L2PY'), ('C2-L3INH', 'C2-L1INH', 'C2-L3PY'), ('C2-L3INH', 'C2-L1INH', 'C2-L4PY'), ('C2-L3INH', 'C2-L1INH', 'C2-L4sp'), ('C2-L3INH', 'C2-L1INH', 'C2-L4ss'), ('C2-L3INH', 'C2-L1INH', 'C2-L5IT'), ('C2-L3INH', 'C2-L1INH', 'C2-L5PT'), ('C2-L3INH', 'C2-L1INH', 'C2-L6CC'), ('C2-L3INH', 'C2-L1INH', 'C2-L6INV'), ('C2-L3INH', 'C2-L1INH', 'C2-L6CT'), ('C2-L3INH', 'C2-L1INH', 'C2-VPM'), ('C2-L3INH', 'C2-L1INH', 'C2-INH'), ('C2-L3INH', 'C2-L1INH', 'C2-L1INH'), ('C2-L3INH', 'C2-L2INH', 'C2-L2PY'), ('C2-L3INH', 'C2-L2INH', 'C2-L3PY'), ('C2-L3INH', 'C2-L2INH', 'C2-L4PY'), ('C2-L3INH', 'C2-L2INH', 'C2-L4sp'), ('C2-L3INH', 'C2-L2INH', 'C2-L4ss'), ('C2-L3INH', 'C2-L2INH', 'C2-L5IT'), ('C2-L3INH', 'C2-L2INH', 'C2-L5PT'), ('C2-L3INH', 'C2-L2INH', 'C2-L6CC'), ('C2-L3INH', 'C2-L2INH', 'C2-L6INV'), ('C2-L3INH', 'C2-L2INH', 'C2-L6CT'), ('C2-L3INH', 'C2-L2INH', 'C2-VPM'), ('C2-L3INH', 'C2-L2INH', 'C2-INH'), ('C2-L3INH', 'C2-L2INH', 'C2-L1INH'), ('C2-L3INH', 'C2-L2INH', 'C2-L2INH'), ('C2-L3INH', 'C2-L3INH', 'C2-L2PY'), ('C2-L3INH', 'C2-L3INH', 'C2-L3PY'), ('C2-L3INH', 'C2-L3INH', 'C2-L4PY'), ('C2-L3INH', 'C2-L3INH', 'C2-L4sp'), ('C2-L3INH', 'C2-L3INH', 'C2-L4ss'), ('C2-L3INH', 'C2-L3INH', 'C2-L5IT'), ('C2-L3INH', 'C2-L3INH', 'C2-L5PT'), ('C2-L3INH', 'C2-L3INH', 'C2-L6CC'), ('C2-L3INH', 'C2-L3INH', 'C2-L6INV'), ('C2-L3INH', 'C2-L3INH', 'C2-L6CT'), ('C2-L3INH', 'C2-L3INH', 'C2-VPM'), ('C2-L3INH', 'C2-L3INH', 'C2-INH'), ('C2-L3INH', 'C2-L3INH', 'C2-L1INH'), ('C2-L3INH', 'C2-L3INH', 'C2-L2INH'), ('C2-L3INH', 'C2-L3INH', 'C2-L3INH'), ('C2-L4INH', 'C2-L2PY', 'C2-L2PY'), ('C2-L4INH', 'C2-L3PY', 'C2-L2PY'), ('C2-L4INH', 'C2-L3PY', 'C2-L3PY'), ('C2-L4INH', 'C2-L4PY', 'C2-L2PY'), ('C2-L4INH', 'C2-L4PY', 'C2-L3PY'), ('C2-L4INH', 'C2-L4PY', 'C2-L4PY'), ('C2-L4INH', 'C2-L4sp', 'C2-L2PY'), ('C2-L4INH', 'C2-L4sp', 'C2-L3PY'), ('C2-L4INH', 'C2-L4sp', 'C2-L4PY'), ('C2-L4INH', 'C2-L4sp', 'C2-L4sp'), ('C2-L4INH', 'C2-L4ss', 'C2-L2PY'), ('C2-L4INH', 'C2-L4ss', 'C2-L3PY'), ('C2-L4INH', 'C2-L4ss', 'C2-L4PY'), ('C2-L4INH', 'C2-L4ss', 'C2-L4sp'), ('C2-L4INH', 'C2-L4ss', 'C2-L4ss'), ('C2-L4INH', 'C2-L5IT', 'C2-L2PY'), ('C2-L4INH', 'C2-L5IT', 'C2-L3PY'), ('C2-L4INH', 'C2-L5IT', 'C2-L4PY'), ('C2-L4INH', 'C2-L5IT', 'C2-L4sp'), ('C2-L4INH', 'C2-L5IT', 'C2-L4ss'), ('C2-L4INH', 'C2-L5IT', 'C2-L5IT'), ('C2-L4INH', 'C2-L5PT', 'C2-L2PY'), ('C2-L4INH', 'C2-L5PT', 'C2-L3PY'), ('C2-L4INH', 'C2-L5PT', 'C2-L4PY'), ('C2-L4INH', 'C2-L5PT', 'C2-L4sp'), ('C2-L4INH', 'C2-L5PT', 'C2-L4ss'), ('C2-L4INH', 'C2-L5PT', 'C2-L5IT'), ('C2-L4INH', 'C2-L5PT', 'C2-L5PT'), ('C2-L4INH', 'C2-L6CC', 'C2-L2PY'), ('C2-L4INH', 'C2-L6CC', 'C2-L3PY'), ('C2-L4INH', 'C2-L6CC', 'C2-L4PY'), ('C2-L4INH', 'C2-L6CC', 'C2-L4sp'), ('C2-L4INH', 'C2-L6CC', 'C2-L4ss'), ('C2-L4INH', 'C2-L6CC', 'C2-L5IT'), ('C2-L4INH', 'C2-L6CC', 'C2-L5PT'), ('C2-L4INH', 'C2-L6CC', 'C2-L6CC'), ('C2-L4INH', 'C2-L6INV', 'C2-L2PY'), ('C2-L4INH', 'C2-L6INV', 'C2-L3PY'), ('C2-L4INH', 'C2-L6INV', 'C2-L4PY'), ('C2-L4INH', 'C2-L6INV', 'C2-L4sp'), ('C2-L4INH', 'C2-L6INV', 'C2-L4ss'), ('C2-L4INH', 'C2-L6INV', 'C2-L5IT'), ('C2-L4INH', 'C2-L6INV', 'C2-L5PT'), ('C2-L4INH', 'C2-L6INV', 'C2-L6CC'), ('C2-L4INH', 'C2-L6INV', 'C2-L6INV'), ('C2-L4INH', 'C2-L6CT', 'C2-L2PY'), ('C2-L4INH', 'C2-L6CT', 'C2-L3PY'), ('C2-L4INH', 'C2-L6CT', 'C2-L4PY'), ('C2-L4INH', 'C2-L6CT', 'C2-L4sp'), ('C2-L4INH', 'C2-L6CT', 'C2-L4ss'), ('C2-L4INH', 'C2-L6CT', 'C2-L5IT'), ('C2-L4INH', 'C2-L6CT', 'C2-L5PT'), ('C2-L4INH', 'C2-L6CT', 'C2-L6CC'), ('C2-L4INH', 'C2-L6CT', 'C2-L6INV'), ('C2-L4INH', 'C2-L6CT', 'C2-L6CT'), ('C2-L4INH', 'C2-VPM', 'C2-L2PY'), ('C2-L4INH', 'C2-VPM', 'C2-L3PY'), ('C2-L4INH', 'C2-VPM', 'C2-L4PY'), ('C2-L4INH', 'C2-VPM', 'C2-L4sp'), ('C2-L4INH', 'C2-VPM', 'C2-L4ss'), ('C2-L4INH', 'C2-VPM', 'C2-L5IT'), ('C2-L4INH', 'C2-VPM', 'C2-L5PT'), ('C2-L4INH', 'C2-VPM', 'C2-L6CC'), ('C2-L4INH', 'C2-VPM', 'C2-L6INV'), ('C2-L4INH', 'C2-VPM', 'C2-L6CT'), ('C2-L4INH', 'C2-VPM', 'C2-VPM'), ('C2-L4INH', 'C2-INH', 'C2-L2PY'), ('C2-L4INH', 'C2-INH', 'C2-L3PY'), ('C2-L4INH', 'C2-INH', 'C2-L4PY'), ('C2-L4INH', 'C2-INH', 'C2-L4sp'), ('C2-L4INH', 'C2-INH', 'C2-L4ss'), ('C2-L4INH', 'C2-INH', 'C2-L5IT'), ('C2-L4INH', 'C2-INH', 'C2-L5PT'), ('C2-L4INH', 'C2-INH', 'C2-L6CC'), ('C2-L4INH', 'C2-INH', 'C2-L6INV'), ('C2-L4INH', 'C2-INH', 'C2-L6CT'), ('C2-L4INH', 'C2-INH', 'C2-VPM'), ('C2-L4INH', 'C2-INH', 'C2-INH'), ('C2-L4INH', 'C2-L1INH', 'C2-L2PY'), ('C2-L4INH', 'C2-L1INH', 'C2-L3PY'), ('C2-L4INH', 'C2-L1INH', 'C2-L4PY'), ('C2-L4INH', 'C2-L1INH', 'C2-L4sp'), ('C2-L4INH', 'C2-L1INH', 'C2-L4ss'), ('C2-L4INH', 'C2-L1INH', 'C2-L5IT'), ('C2-L4INH', 'C2-L1INH', 'C2-L5PT'), ('C2-L4INH', 'C2-L1INH', 'C2-L6CC'), ('C2-L4INH', 'C2-L1INH', 'C2-L6INV'), ('C2-L4INH', 'C2-L1INH', 'C2-L6CT'), ('C2-L4INH', 'C2-L1INH', 'C2-VPM'), ('C2-L4INH', 'C2-L1INH', 'C2-INH'), ('C2-L4INH', 'C2-L1INH', 'C2-L1INH'), ('C2-L4INH', 'C2-L2INH', 'C2-L2PY'), ('C2-L4INH', 'C2-L2INH', 'C2-L3PY'), ('C2-L4INH', 'C2-L2INH', 'C2-L4PY'), ('C2-L4INH', 'C2-L2INH', 'C2-L4sp'), ('C2-L4INH', 'C2-L2INH', 'C2-L4ss'), ('C2-L4INH', 'C2-L2INH', 'C2-L5IT'), ('C2-L4INH', 'C2-L2INH', 'C2-L5PT'), ('C2-L4INH', 'C2-L2INH', 'C2-L6CC'), ('C2-L4INH', 'C2-L2INH', 'C2-L6INV'), ('C2-L4INH', 'C2-L2INH', 'C2-L6CT'), ('C2-L4INH', 'C2-L2INH', 'C2-VPM'), ('C2-L4INH', 'C2-L2INH', 'C2-INH'), ('C2-L4INH', 'C2-L2INH', 'C2-L1INH'), ('C2-L4INH', 'C2-L2INH', 'C2-L2INH'), ('C2-L4INH', 'C2-L3INH', 'C2-L2PY'), ('C2-L4INH', 'C2-L3INH', 'C2-L3PY'), ('C2-L4INH', 'C2-L3INH', 'C2-L4PY'), ('C2-L4INH', 'C2-L3INH', 'C2-L4sp'), ('C2-L4INH', 'C2-L3INH', 'C2-L4ss'), ('C2-L4INH', 'C2-L3INH', 'C2-L5IT'), ('C2-L4INH', 'C2-L3INH', 'C2-L5PT'), ('C2-L4INH', 'C2-L3INH', 'C2-L6CC'), ('C2-L4INH', 'C2-L3INH', 'C2-L6INV'), ('C2-L4INH', 'C2-L3INH', 'C2-L6CT'), ('C2-L4INH', 'C2-L3INH', 'C2-VPM'), ('C2-L4INH', 'C2-L3INH', 'C2-INH'), ('C2-L4INH', 'C2-L3INH', 'C2-L1INH'), ('C2-L4INH', 'C2-L3INH', 'C2-L2INH'), ('C2-L4INH', 'C2-L3INH', 'C2-L3INH'), ('C2-L4INH', 'C2-L4INH', 'C2-L2PY'), ('C2-L4INH', 'C2-L4INH', 'C2-L3PY'), ('C2-L4INH', 'C2-L4INH', 'C2-L4PY'), ('C2-L4INH', 'C2-L4INH', 'C2-L4sp'), ('C2-L4INH', 'C2-L4INH', 'C2-L4ss'), ('C2-L4INH', 'C2-L4INH', 'C2-L5IT'), ('C2-L4INH', 'C2-L4INH', 'C2-L5PT'), ('C2-L4INH', 'C2-L4INH', 'C2-L6CC'), ('C2-L4INH', 'C2-L4INH', 'C2-L6INV'), ('C2-L4INH', 'C2-L4INH', 'C2-L6CT'), ('C2-L4INH', 'C2-L4INH', 'C2-VPM'), ('C2-L4INH', 'C2-L4INH', 'C2-INH'), ('C2-L4INH', 'C2-L4INH', 'C2-L1INH'), ('C2-L4INH', 'C2-L4INH', 'C2-L2INH'), ('C2-L4INH', 'C2-L4INH', 'C2-L3INH'), ('C2-L4INH', 'C2-L4INH', 'C2-L4INH'), ('C2-L5INH', 'C2-L2PY', 'C2-L2PY'), ('C2-L5INH', 'C2-L3PY', 'C2-L2PY'), ('C2-L5INH', 'C2-L3PY', 'C2-L3PY'), ('C2-L5INH', 'C2-L4PY', 'C2-L2PY'), ('C2-L5INH', 'C2-L4PY', 'C2-L3PY'), ('C2-L5INH', 'C2-L4PY', 'C2-L4PY'), ('C2-L5INH', 'C2-L4sp', 'C2-L2PY'), ('C2-L5INH', 'C2-L4sp', 'C2-L3PY'), ('C2-L5INH', 'C2-L4sp', 'C2-L4PY'), ('C2-L5INH', 'C2-L4sp', 'C2-L4sp'), ('C2-L5INH', 'C2-L4ss', 'C2-L2PY'), ('C2-L5INH', 'C2-L4ss', 'C2-L3PY'), ('C2-L5INH', 'C2-L4ss', 'C2-L4PY'), ('C2-L5INH', 'C2-L4ss', 'C2-L4sp'), ('C2-L5INH', 'C2-L4ss', 'C2-L4ss'), ('C2-L5INH', 'C2-L5IT', 'C2-L2PY'), ('C2-L5INH', 'C2-L5IT', 'C2-L3PY'), ('C2-L5INH', 'C2-L5IT', 'C2-L4PY'), ('C2-L5INH', 'C2-L5IT', 'C2-L4sp'), ('C2-L5INH', 'C2-L5IT', 'C2-L4ss'), ('C2-L5INH', 'C2-L5IT', 'C2-L5IT'), ('C2-L5INH', 'C2-L5PT', 'C2-L2PY'), ('C2-L5INH', 'C2-L5PT', 'C2-L3PY'), ('C2-L5INH', 'C2-L5PT', 'C2-L4PY'), ('C2-L5INH', 'C2-L5PT', 'C2-L4sp'), ('C2-L5INH', 'C2-L5PT', 'C2-L4ss'), ('C2-L5INH', 'C2-L5PT', 'C2-L5IT'), ('C2-L5INH', 'C2-L5PT', 'C2-L5PT'), ('C2-L5INH', 'C2-L6CC', 'C2-L2PY'), ('C2-L5INH', 'C2-L6CC', 'C2-L3PY'), ('C2-L5INH', 'C2-L6CC', 'C2-L4PY'), ('C2-L5INH', 'C2-L6CC', 'C2-L4sp'), ('C2-L5INH', 'C2-L6CC', 'C2-L4ss'), ('C2-L5INH', 'C2-L6CC', 'C2-L5IT'), ('C2-L5INH', 'C2-L6CC', 'C2-L5PT'), ('C2-L5INH', 'C2-L6CC', 'C2-L6CC'), ('C2-L5INH', 'C2-L6INV', 'C2-L2PY'), ('C2-L5INH', 'C2-L6INV', 'C2-L3PY'), ('C2-L5INH', 'C2-L6INV', 'C2-L4PY'), ('C2-L5INH', 'C2-L6INV', 'C2-L4sp'), ('C2-L5INH', 'C2-L6INV', 'C2-L4ss'), ('C2-L5INH', 'C2-L6INV', 'C2-L5IT'), ('C2-L5INH', 'C2-L6INV', 'C2-L5PT'), ('C2-L5INH', 'C2-L6INV', 'C2-L6CC'), ('C2-L5INH', 'C2-L6INV', 'C2-L6INV'), ('C2-L5INH', 'C2-L6CT', 'C2-L2PY'), ('C2-L5INH', 'C2-L6CT', 'C2-L3PY'), ('C2-L5INH', 'C2-L6CT', 'C2-L4PY'), ('C2-L5INH', 'C2-L6CT', 'C2-L4sp'), ('C2-L5INH', 'C2-L6CT', 'C2-L4ss'), ('C2-L5INH', 'C2-L6CT', 'C2-L5IT'), ('C2-L5INH', 'C2-L6CT', 'C2-L5PT'), ('C2-L5INH', 'C2-L6CT', 'C2-L6CC'), ('C2-L5INH', 'C2-L6CT', 'C2-L6INV'), ('C2-L5INH', 'C2-L6CT', 'C2-L6CT'), ('C2-L5INH', 'C2-VPM', 'C2-L2PY'), ('C2-L5INH', 'C2-VPM', 'C2-L3PY'), ('C2-L5INH', 'C2-VPM', 'C2-L4PY'), ('C2-L5INH', 'C2-VPM', 'C2-L4sp'), ('C2-L5INH', 'C2-VPM', 'C2-L4ss'), ('C2-L5INH', 'C2-VPM', 'C2-L5IT'), ('C2-L5INH', 'C2-VPM', 'C2-L5PT'), ('C2-L5INH', 'C2-VPM', 'C2-L6CC'), ('C2-L5INH', 'C2-VPM', 'C2-L6INV'), ('C2-L5INH', 'C2-VPM', 'C2-L6CT'), ('C2-L5INH', 'C2-VPM', 'C2-VPM'), ('C2-L5INH', 'C2-INH', 'C2-L2PY'), ('C2-L5INH', 'C2-INH', 'C2-L3PY'), ('C2-L5INH', 'C2-INH', 'C2-L4PY'), ('C2-L5INH', 'C2-INH', 'C2-L4sp'), ('C2-L5INH', 'C2-INH', 'C2-L4ss'), ('C2-L5INH', 'C2-INH', 'C2-L5IT'), ('C2-L5INH', 'C2-INH', 'C2-L5PT'), ('C2-L5INH', 'C2-INH', 'C2-L6CC'), ('C2-L5INH', 'C2-INH', 'C2-L6INV'), ('C2-L5INH', 'C2-INH', 'C2-L6CT'), ('C2-L5INH', 'C2-INH', 'C2-VPM'), ('C2-L5INH', 'C2-INH', 'C2-INH'), ('C2-L5INH', 'C2-L1INH', 'C2-L2PY'), ('C2-L5INH', 'C2-L1INH', 'C2-L3PY'), ('C2-L5INH', 'C2-L1INH', 'C2-L4PY'), ('C2-L5INH', 'C2-L1INH', 'C2-L4sp'), ('C2-L5INH', 'C2-L1INH', 'C2-L4ss'), ('C2-L5INH', 'C2-L1INH', 'C2-L5IT'), ('C2-L5INH', 'C2-L1INH', 'C2-L5PT'), ('C2-L5INH', 'C2-L1INH', 'C2-L6CC'), ('C2-L5INH', 'C2-L1INH', 'C2-L6INV'), ('C2-L5INH', 'C2-L1INH', 'C2-L6CT'), ('C2-L5INH', 'C2-L1INH', 'C2-VPM'), ('C2-L5INH', 'C2-L1INH', 'C2-INH'), ('C2-L5INH', 'C2-L1INH', 'C2-L1INH'), ('C2-L5INH', 'C2-L2INH', 'C2-L2PY'), ('C2-L5INH', 'C2-L2INH', 'C2-L3PY'), ('C2-L5INH', 'C2-L2INH', 'C2-L4PY'), ('C2-L5INH', 'C2-L2INH', 'C2-L4sp'), ('C2-L5INH', 'C2-L2INH', 'C2-L4ss'), ('C2-L5INH', 'C2-L2INH', 'C2-L5IT'), ('C2-L5INH', 'C2-L2INH', 'C2-L5PT'), ('C2-L5INH', 'C2-L2INH', 'C2-L6CC'), ('C2-L5INH', 'C2-L2INH', 'C2-L6INV'), ('C2-L5INH', 'C2-L2INH', 'C2-L6CT'), ('C2-L5INH', 'C2-L2INH', 'C2-VPM'), ('C2-L5INH', 'C2-L2INH', 'C2-INH'), ('C2-L5INH', 'C2-L2INH', 'C2-L1INH'), ('C2-L5INH', 'C2-L2INH', 'C2-L2INH'), ('C2-L5INH', 'C2-L3INH', 'C2-L2PY'), ('C2-L5INH', 'C2-L3INH', 'C2-L3PY'), ('C2-L5INH', 'C2-L3INH', 'C2-L4PY'), ('C2-L5INH', 'C2-L3INH', 'C2-L4sp'), ('C2-L5INH', 'C2-L3INH', 'C2-L4ss'), ('C2-L5INH', 'C2-L3INH', 'C2-L5IT'), ('C2-L5INH', 'C2-L3INH', 'C2-L5PT'), ('C2-L5INH', 'C2-L3INH', 'C2-L6CC'), ('C2-L5INH', 'C2-L3INH', 'C2-L6INV'), ('C2-L5INH', 'C2-L3INH', 'C2-L6CT'), ('C2-L5INH', 'C2-L3INH', 'C2-VPM'), ('C2-L5INH', 'C2-L3INH', 'C2-INH'), ('C2-L5INH', 'C2-L3INH', 'C2-L1INH'), ('C2-L5INH', 'C2-L3INH', 'C2-L2INH'), ('C2-L5INH', 'C2-L3INH', 'C2-L3INH'), ('C2-L5INH', 'C2-L4INH', 'C2-L2PY'), ('C2-L5INH', 'C2-L4INH', 'C2-L3PY'), ('C2-L5INH', 'C2-L4INH', 'C2-L4PY'), ('C2-L5INH', 'C2-L4INH', 'C2-L4sp'), ('C2-L5INH', 'C2-L4INH', 'C2-L4ss'), ('C2-L5INH', 'C2-L4INH', 'C2-L5IT'), ('C2-L5INH', 'C2-L4INH', 'C2-L5PT'), ('C2-L5INH', 'C2-L4INH', 'C2-L6CC'), ('C2-L5INH', 'C2-L4INH', 'C2-L6INV'), ('C2-L5INH', 'C2-L4INH', 'C2-L6CT'), ('C2-L5INH', 'C2-L4INH', 'C2-VPM'), ('C2-L5INH', 'C2-L4INH', 'C2-INH'), ('C2-L5INH', 'C2-L4INH', 'C2-L1INH'), ('C2-L5INH', 'C2-L4INH', 'C2-L2INH'), ('C2-L5INH', 'C2-L4INH', 'C2-L3INH'), ('C2-L5INH', 'C2-L4INH', 'C2-L4INH'), ('C2-L5INH', 'C2-L5INH', 'C2-L2PY'), ('C2-L5INH', 'C2-L5INH', 'C2-L3PY'), ('C2-L5INH', 'C2-L5INH', 'C2-L4PY'), ('C2-L5INH', 'C2-L5INH', 'C2-L4sp'), ('C2-L5INH', 'C2-L5INH', 'C2-L4ss'), ('C2-L5INH', 'C2-L5INH', 'C2-L5IT'), ('C2-L5INH', 'C2-L5INH', 'C2-L5PT'), ('C2-L5INH', 'C2-L5INH', 'C2-L6CC'), ('C2-L5INH', 'C2-L5INH', 'C2-L6INV'), ('C2-L5INH', 'C2-L5INH', 'C2-L6CT'), ('C2-L5INH', 'C2-L5INH', 'C2-VPM'), ('C2-L5INH', 'C2-L5INH', 'C2-INH'), ('C2-L5INH', 'C2-L5INH', 'C2-L1INH'), ('C2-L5INH', 'C2-L5INH', 'C2-L2INH'), ('C2-L5INH', 'C2-L5INH', 'C2-L3INH'), ('C2-L5INH', 'C2-L5INH', 'C2-L4INH'), ('C2-L5INH', 'C2-L5INH', 'C2-L5INH'), ('C2-L6INH', 'C2-L2PY', 'C2-L2PY'), ('C2-L6INH', 'C2-L3PY', 'C2-L2PY'), ('C2-L6INH', 'C2-L3PY', 'C2-L3PY'), ('C2-L6INH', 'C2-L4PY', 'C2-L2PY'), ('C2-L6INH', 'C2-L4PY', 'C2-L3PY'), ('C2-L6INH', 'C2-L4PY', 'C2-L4PY'), ('C2-L6INH', 'C2-L4sp', 'C2-L2PY'), ('C2-L6INH', 'C2-L4sp', 'C2-L3PY'), ('C2-L6INH', 'C2-L4sp', 'C2-L4PY'), ('C2-L6INH', 'C2-L4sp', 'C2-L4sp'), ('C2-L6INH', 'C2-L4ss', 'C2-L2PY'), ('C2-L6INH', 'C2-L4ss', 'C2-L3PY'), ('C2-L6INH', 'C2-L4ss', 'C2-L4PY'), ('C2-L6INH', 'C2-L4ss', 'C2-L4sp'), ('C2-L6INH', 'C2-L4ss', 'C2-L4ss'), ('C2-L6INH', 'C2-L5IT', 'C2-L2PY'), ('C2-L6INH', 'C2-L5IT', 'C2-L3PY'), ('C2-L6INH', 'C2-L5IT', 'C2-L4PY'), ('C2-L6INH', 'C2-L5IT', 'C2-L4sp'), ('C2-L6INH', 'C2-L5IT', 'C2-L4ss'), ('C2-L6INH', 'C2-L5IT', 'C2-L5IT'), ('C2-L6INH', 'C2-L5PT', 'C2-L2PY'), ('C2-L6INH', 'C2-L5PT', 'C2-L3PY'), ('C2-L6INH', 'C2-L5PT', 'C2-L4PY'), ('C2-L6INH', 'C2-L5PT', 'C2-L4sp'), ('C2-L6INH', 'C2-L5PT', 'C2-L4ss'), ('C2-L6INH', 'C2-L5PT', 'C2-L5IT'), ('C2-L6INH', 'C2-L5PT', 'C2-L5PT'), ('C2-L6INH', 'C2-L6CC', 'C2-L2PY'), ('C2-L6INH', 'C2-L6CC', 'C2-L3PY'), ('C2-L6INH', 'C2-L6CC', 'C2-L4PY'), ('C2-L6INH', 'C2-L6CC', 'C2-L4sp'), ('C2-L6INH', 'C2-L6CC', 'C2-L4ss'), ('C2-L6INH', 'C2-L6CC', 'C2-L5IT'), ('C2-L6INH', 'C2-L6CC', 'C2-L5PT'), ('C2-L6INH', 'C2-L6CC', 'C2-L6CC'), ('C2-L6INH', 'C2-L6INV', 'C2-L2PY'), ('C2-L6INH', 'C2-L6INV', 'C2-L3PY'), ('C2-L6INH', 'C2-L6INV', 'C2-L4PY'), ('C2-L6INH', 'C2-L6INV', 'C2-L4sp'), ('C2-L6INH', 'C2-L6INV', 'C2-L4ss'), ('C2-L6INH', 'C2-L6INV', 'C2-L5IT'), ('C2-L6INH', 'C2-L6INV', 'C2-L5PT'), ('C2-L6INH', 'C2-L6INV', 'C2-L6CC'), ('C2-L6INH', 'C2-L6INV', 'C2-L6INV'), ('C2-L6INH', 'C2-L6CT', 'C2-L2PY'), ('C2-L6INH', 'C2-L6CT', 'C2-L3PY'), ('C2-L6INH', 'C2-L6CT', 'C2-L4PY'), ('C2-L6INH', 'C2-L6CT', 'C2-L4sp'), ('C2-L6INH', 'C2-L6CT', 'C2-L4ss'), ('C2-L6INH', 'C2-L6CT', 'C2-L5IT'), ('C2-L6INH', 'C2-L6CT', 'C2-L5PT'), ('C2-L6INH', 'C2-L6CT', 'C2-L6CC'), ('C2-L6INH', 'C2-L6CT', 'C2-L6INV'), ('C2-L6INH', 'C2-L6CT', 'C2-L6CT'), ('C2-L6INH', 'C2-VPM', 'C2-L2PY'), ('C2-L6INH', 'C2-VPM', 'C2-L3PY'), ('C2-L6INH', 'C2-VPM', 'C2-L4PY'), ('C2-L6INH', 'C2-VPM', 'C2-L4sp'), ('C2-L6INH', 'C2-VPM', 'C2-L4ss'), ('C2-L6INH', 'C2-VPM', 'C2-L5IT'), ('C2-L6INH', 'C2-VPM', 'C2-L5PT'), ('C2-L6INH', 'C2-VPM', 'C2-L6CC'), ('C2-L6INH', 'C2-VPM', 'C2-L6INV'), ('C2-L6INH', 'C2-VPM', 'C2-L6CT'), ('C2-L6INH', 'C2-VPM', 'C2-VPM'), ('C2-L6INH', 'C2-INH', 'C2-L2PY'), ('C2-L6INH', 'C2-INH', 'C2-L3PY'), ('C2-L6INH', 'C2-INH', 'C2-L4PY'), ('C2-L6INH', 'C2-INH', 'C2-L4sp'), ('C2-L6INH', 'C2-INH', 'C2-L4ss'), ('C2-L6INH', 'C2-INH', 'C2-L5IT'), ('C2-L6INH', 'C2-INH', 'C2-L5PT'), ('C2-L6INH', 'C2-INH', 'C2-L6CC'), ('C2-L6INH', 'C2-INH', 'C2-L6INV'), ('C2-L6INH', 'C2-INH', 'C2-L6CT'), ('C2-L6INH', 'C2-INH', 'C2-VPM'), ('C2-L6INH', 'C2-INH', 'C2-INH'), ('C2-L6INH', 'C2-L1INH', 'C2-L2PY'), ('C2-L6INH', 'C2-L1INH', 'C2-L3PY'), ('C2-L6INH', 'C2-L1INH', 'C2-L4PY'), ('C2-L6INH', 'C2-L1INH', 'C2-L4sp'), ('C2-L6INH', 'C2-L1INH', 'C2-L4ss'), ('C2-L6INH', 'C2-L1INH', 'C2-L5IT'), ('C2-L6INH', 'C2-L1INH', 'C2-L5PT'), ('C2-L6INH', 'C2-L1INH', 'C2-L6CC'), ('C2-L6INH', 'C2-L1INH', 'C2-L6INV'), ('C2-L6INH', 'C2-L1INH', 'C2-L6CT'), ('C2-L6INH', 'C2-L1INH', 'C2-VPM'), ('C2-L6INH', 'C2-L1INH', 'C2-INH'), ('C2-L6INH', 'C2-L1INH', 'C2-L1INH'), ('C2-L6INH', 'C2-L2INH', 'C2-L2PY'), ('C2-L6INH', 'C2-L2INH', 'C2-L3PY'), ('C2-L6INH', 'C2-L2INH', 'C2-L4PY'), ('C2-L6INH', 'C2-L2INH', 'C2-L4sp'), ('C2-L6INH', 'C2-L2INH', 'C2-L4ss'), ('C2-L6INH', 'C2-L2INH', 'C2-L5IT'), ('C2-L6INH', 'C2-L2INH', 'C2-L5PT'), ('C2-L6INH', 'C2-L2INH', 'C2-L6CC'), ('C2-L6INH', 'C2-L2INH', 'C2-L6INV'), ('C2-L6INH', 'C2-L2INH', 'C2-L6CT'), ('C2-L6INH', 'C2-L2INH', 'C2-VPM'), ('C2-L6INH', 'C2-L2INH', 'C2-INH'), ('C2-L6INH', 'C2-L2INH', 'C2-L1INH'), ('C2-L6INH', 'C2-L2INH', 'C2-L2INH'), ('C2-L6INH', 'C2-L3INH', 'C2-L2PY'), ('C2-L6INH', 'C2-L3INH', 'C2-L3PY'), ('C2-L6INH', 'C2-L3INH', 'C2-L4PY'), ('C2-L6INH', 'C2-L3INH', 'C2-L4sp'), ('C2-L6INH', 'C2-L3INH', 'C2-L4ss'), ('C2-L6INH', 'C2-L3INH', 'C2-L5IT'), ('C2-L6INH', 'C2-L3INH', 'C2-L5PT'), ('C2-L6INH', 'C2-L3INH', 'C2-L6CC'), ('C2-L6INH', 'C2-L3INH', 'C2-L6INV'), ('C2-L6INH', 'C2-L3INH', 'C2-L6CT'), ('C2-L6INH', 'C2-L3INH', 'C2-VPM'), ('C2-L6INH', 'C2-L3INH', 'C2-INH'), ('C2-L6INH', 'C2-L3INH', 'C2-L1INH'), ('C2-L6INH', 'C2-L3INH', 'C2-L2INH'), ('C2-L6INH', 'C2-L3INH', 'C2-L3INH'), ('C2-L6INH', 'C2-L4INH', 'C2-L2PY'), ('C2-L6INH', 'C2-L4INH', 'C2-L3PY'), ('C2-L6INH', 'C2-L4INH', 'C2-L4PY'), ('C2-L6INH', 'C2-L4INH', 'C2-L4sp'), ('C2-L6INH', 'C2-L4INH', 'C2-L4ss'), ('C2-L6INH', 'C2-L4INH', 'C2-L5IT'), ('C2-L6INH', 'C2-L4INH', 'C2-L5PT'), ('C2-L6INH', 'C2-L4INH', 'C2-L6CC'), ('C2-L6INH', 'C2-L4INH', 'C2-L6INV'), ('C2-L6INH', 'C2-L4INH', 'C2-L6CT'), ('C2-L6INH', 'C2-L4INH', 'C2-VPM'), ('C2-L6INH', 'C2-L4INH', 'C2-INH'), ('C2-L6INH', 'C2-L4INH', 'C2-L1INH'), ('C2-L6INH', 'C2-L4INH', 'C2-L2INH'), ('C2-L6INH', 'C2-L4INH', 'C2-L3INH'), ('C2-L6INH', 'C2-L4INH', 'C2-L4INH'), ('C2-L6INH', 'C2-L5INH', 'C2-L2PY'), ('C2-L6INH', 'C2-L5INH', 'C2-L3PY'), ('C2-L6INH', 'C2-L5INH', 'C2-L4PY'), ('C2-L6INH', 'C2-L5INH', 'C2-L4sp'), ('C2-L6INH', 'C2-L5INH', 'C2-L4ss'), ('C2-L6INH', 'C2-L5INH', 'C2-L5IT'), ('C2-L6INH', 'C2-L5INH', 'C2-L5PT'), ('C2-L6INH', 'C2-L5INH', 'C2-L6CC'), ('C2-L6INH', 'C2-L5INH', 'C2-L6INV'), ('C2-L6INH', 'C2-L5INH', 'C2-L6CT'), ('C2-L6INH', 'C2-L5INH', 'C2-VPM'), ('C2-L6INH', 'C2-L5INH', 'C2-INH'), ('C2-L6INH', 'C2-L5INH', 'C2-L1INH'), ('C2-L6INH', 'C2-L5INH', 'C2-L2INH'), ('C2-L6INH', 'C2-L5INH', 'C2-L3INH'), ('C2-L6INH', 'C2-L5INH', 'C2-L4INH'), ('C2-L6INH', 'C2-L5INH', 'C2-L5INH'), ('C2-L6INH', 'C2-L6INH', 'C2-L2PY'), ('C2-L6INH', 'C2-L6INH', 'C2-L3PY'), ('C2-L6INH', 'C2-L6INH', 'C2-L4PY'), ('C2-L6INH', 'C2-L6INH', 'C2-L4sp'), ('C2-L6INH', 'C2-L6INH', 'C2-L4ss'), ('C2-L6INH', 'C2-L6INH', 'C2-L5IT'), ('C2-L6INH', 'C2-L6INH', 'C2-L5PT'), ('C2-L6INH', 'C2-L6INH', 'C2-L6CC'), ('C2-L6INH', 'C2-L6INH', 'C2-L6INV'), ('C2-L6INH', 'C2-L6INH', 'C2-L6CT'), ('C2-L6INH', 'C2-L6INH', 'C2-VPM'), ('C2-L6INH', 'C2-L6INH', 'C2-INH'), ('C2-L6INH', 'C2-L6INH', 'C2-L1INH'), ('C2-L6INH', 'C2-L6INH', 'C2-L2INH'), ('C2-L6INH', 'C2-L6INH', 'C2-L3INH'), ('C2-L6INH', 'C2-L6INH', 'C2-L4INH'), ('C2-L6INH', 'C2-L6INH', 'C2-L5INH'), ('C2-L6INH', 'C2-L6INH', 'C2-L6INH'), ('C2-L2EXC', 'C2-L2PY', 'C2-L2PY'), ('C2-L2EXC', 'C2-L3PY', 'C2-L2PY'), ('C2-L2EXC', 'C2-L3PY', 'C2-L3PY'), ('C2-L2EXC', 'C2-L4PY', 'C2-L2PY'), ('C2-L2EXC', 'C2-L4PY', 'C2-L3PY'), ('C2-L2EXC', 'C2-L4PY', 'C2-L4PY'), ('C2-L2EXC', 'C2-L4sp', 'C2-L2PY'), ('C2-L2EXC', 'C2-L4sp', 'C2-L3PY'), ('C2-L2EXC', 'C2-L4sp', 'C2-L4PY'), ('C2-L2EXC', 'C2-L4sp', 'C2-L4sp'), ('C2-L2EXC', 'C2-L4ss', 'C2-L2PY'), ('C2-L2EXC', 'C2-L4ss', 'C2-L3PY'), ('C2-L2EXC', 'C2-L4ss', 'C2-L4PY'), ('C2-L2EXC', 'C2-L4ss', 'C2-L4sp'), ('C2-L2EXC', 'C2-L4ss', 'C2-L4ss'), ('C2-L2EXC', 'C2-L5IT', 'C2-L2PY'), ('C2-L2EXC', 'C2-L5IT', 'C2-L3PY'), ('C2-L2EXC', 'C2-L5IT', 'C2-L4PY'), ('C2-L2EXC', 'C2-L5IT', 'C2-L4sp'), ('C2-L2EXC', 'C2-L5IT', 'C2-L4ss'), ('C2-L2EXC', 'C2-L5IT', 'C2-L5IT'), ('C2-L2EXC', 'C2-L5PT', 'C2-L2PY'), ('C2-L2EXC', 'C2-L5PT', 'C2-L3PY'), ('C2-L2EXC', 'C2-L5PT', 'C2-L4PY'), ('C2-L2EXC', 'C2-L5PT', 'C2-L4sp'), ('C2-L2EXC', 'C2-L5PT', 'C2-L4ss'), ('C2-L2EXC', 'C2-L5PT', 'C2-L5IT'), ('C2-L2EXC', 'C2-L5PT', 'C2-L5PT'), ('C2-L2EXC', 'C2-L6CC', 'C2-L2PY'), ('C2-L2EXC', 'C2-L6CC', 'C2-L3PY'), ('C2-L2EXC', 'C2-L6CC', 'C2-L4PY'), ('C2-L2EXC', 'C2-L6CC', 'C2-L4sp'), ('C2-L2EXC', 'C2-L6CC', 'C2-L4ss'), ('C2-L2EXC', 'C2-L6CC', 'C2-L5IT'), ('C2-L2EXC', 'C2-L6CC', 'C2-L5PT'), ('C2-L2EXC', 'C2-L6CC', 'C2-L6CC'), ('C2-L2EXC', 'C2-L6INV', 'C2-L2PY'), ('C2-L2EXC', 'C2-L6INV', 'C2-L3PY'), ('C2-L2EXC', 'C2-L6INV', 'C2-L4PY'), ('C2-L2EXC', 'C2-L6INV', 'C2-L4sp'), ('C2-L2EXC', 'C2-L6INV', 'C2-L4ss'), ('C2-L2EXC', 'C2-L6INV', 'C2-L5IT'), ('C2-L2EXC', 'C2-L6INV', 'C2-L5PT'), ('C2-L2EXC', 'C2-L6INV', 'C2-L6CC'), ('C2-L2EXC', 'C2-L6INV', 'C2-L6INV'), ('C2-L2EXC', 'C2-L6CT', 'C2-L2PY'), ('C2-L2EXC', 'C2-L6CT', 'C2-L3PY'), ('C2-L2EXC', 'C2-L6CT', 'C2-L4PY'), ('C2-L2EXC', 'C2-L6CT', 'C2-L4sp'), ('C2-L2EXC', 'C2-L6CT', 'C2-L4ss'), ('C2-L2EXC', 'C2-L6CT', 'C2-L5IT'), ('C2-L2EXC', 'C2-L6CT', 'C2-L5PT'), ('C2-L2EXC', 'C2-L6CT', 'C2-L6CC'), ('C2-L2EXC', 'C2-L6CT', 'C2-L6INV'), ('C2-L2EXC', 'C2-L6CT', 'C2-L6CT'), ('C2-L2EXC', 'C2-VPM', 'C2-L2PY'), ('C2-L2EXC', 'C2-VPM', 'C2-L3PY'), ('C2-L2EXC', 'C2-VPM', 'C2-L4PY'), ('C2-L2EXC', 'C2-VPM', 'C2-L4sp'), ('C2-L2EXC', 'C2-VPM', 'C2-L4ss'), ('C2-L2EXC', 'C2-VPM', 'C2-L5IT'), ('C2-L2EXC', 'C2-VPM', 'C2-L5PT'), ('C2-L2EXC', 'C2-VPM', 'C2-L6CC'), ('C2-L2EXC', 'C2-VPM', 'C2-L6INV'), ('C2-L2EXC', 'C2-VPM', 'C2-L6CT'), ('C2-L2EXC', 'C2-VPM', 'C2-VPM'), ('C2-L2EXC', 'C2-INH', 'C2-L2PY'), ('C2-L2EXC', 'C2-INH', 'C2-L3PY'), ('C2-L2EXC', 'C2-INH', 'C2-L4PY'), ('C2-L2EXC', 'C2-INH', 'C2-L4sp'), ('C2-L2EXC', 'C2-INH', 'C2-L4ss'), ('C2-L2EXC', 'C2-INH', 'C2-L5IT'), ('C2-L2EXC', 'C2-INH', 'C2-L5PT'), ('C2-L2EXC', 'C2-INH', 'C2-L6CC'), ('C2-L2EXC', 'C2-INH', 'C2-L6INV'), ('C2-L2EXC', 'C2-INH', 'C2-L6CT'), ('C2-L2EXC', 'C2-INH', 'C2-VPM'), ('C2-L2EXC', 'C2-INH', 'C2-INH'), ('C2-L2EXC', 'C2-L1INH', 'C2-L2PY'), ('C2-L2EXC', 'C2-L1INH', 'C2-L3PY'), ('C2-L2EXC', 'C2-L1INH', 'C2-L4PY'), ('C2-L2EXC', 'C2-L1INH', 'C2-L4sp'), ('C2-L2EXC', 'C2-L1INH', 'C2-L4ss'), ('C2-L2EXC', 'C2-L1INH', 'C2-L5IT'), ('C2-L2EXC', 'C2-L1INH', 'C2-L5PT'), ('C2-L2EXC', 'C2-L1INH', 'C2-L6CC'), ('C2-L2EXC', 'C2-L1INH', 'C2-L6INV'), ('C2-L2EXC', 'C2-L1INH', 'C2-L6CT'), ('C2-L2EXC', 'C2-L1INH', 'C2-VPM'), ('C2-L2EXC', 'C2-L1INH', 'C2-INH'), ('C2-L2EXC', 'C2-L1INH', 'C2-L1INH'), ('C2-L2EXC', 'C2-L2INH', 'C2-L2PY'), ('C2-L2EXC', 'C2-L2INH', 'C2-L3PY'), ('C2-L2EXC', 'C2-L2INH', 'C2-L4PY'), ('C2-L2EXC', 'C2-L2INH', 'C2-L4sp'), ('C2-L2EXC', 'C2-L2INH', 'C2-L4ss'), ('C2-L2EXC', 'C2-L2INH', 'C2-L5IT'), ('C2-L2EXC', 'C2-L2INH', 'C2-L5PT'), ('C2-L2EXC', 'C2-L2INH', 'C2-L6CC'), ('C2-L2EXC', 'C2-L2INH', 'C2-L6INV'), ('C2-L2EXC', 'C2-L2INH', 'C2-L6CT'), ('C2-L2EXC', 'C2-L2INH', 'C2-VPM'), ('C2-L2EXC', 'C2-L2INH', 'C2-INH'), ('C2-L2EXC', 'C2-L2INH', 'C2-L1INH'), ('C2-L2EXC', 'C2-L2INH', 'C2-L2INH'), ('C2-L2EXC', 'C2-L3INH', 'C2-L2PY'), ('C2-L2EXC', 'C2-L3INH', 'C2-L3PY'), ('C2-L2EXC', 'C2-L3INH', 'C2-L4PY'), ('C2-L2EXC', 'C2-L3INH', 'C2-L4sp'), ('C2-L2EXC', 'C2-L3INH', 'C2-L4ss'), ('C2-L2EXC', 'C2-L3INH', 'C2-L5IT'), ('C2-L2EXC', 'C2-L3INH', 'C2-L5PT'), ('C2-L2EXC', 'C2-L3INH', 'C2-L6CC'), ('C2-L2EXC', 'C2-L3INH', 'C2-L6INV'), ('C2-L2EXC', 'C2-L3INH', 'C2-L6CT'), ('C2-L2EXC', 'C2-L3INH', 'C2-VPM'), ('C2-L2EXC', 'C2-L3INH', 'C2-INH'), ('C2-L2EXC', 'C2-L3INH', 'C2-L1INH'), ('C2-L2EXC', 'C2-L3INH', 'C2-L2INH'), ('C2-L2EXC', 'C2-L3INH', 'C2-L3INH'), ('C2-L2EXC', 'C2-L4INH', 'C2-L2PY'), ('C2-L2EXC', 'C2-L4INH', 'C2-L3PY'), ('C2-L2EXC', 'C2-L4INH', 'C2-L4PY'), ('C2-L2EXC', 'C2-L4INH', 'C2-L4sp'), ('C2-L2EXC', 'C2-L4INH', 'C2-L4ss'), ('C2-L2EXC', 'C2-L4INH', 'C2-L5IT'), ('C2-L2EXC', 'C2-L4INH', 'C2-L5PT'), ('C2-L2EXC', 'C2-L4INH', 'C2-L6CC'), ('C2-L2EXC', 'C2-L4INH', 'C2-L6INV'), ('C2-L2EXC', 'C2-L4INH', 'C2-L6CT'), ('C2-L2EXC', 'C2-L4INH', 'C2-VPM'), ('C2-L2EXC', 'C2-L4INH', 'C2-INH'), ('C2-L2EXC', 'C2-L4INH', 'C2-L1INH'), ('C2-L2EXC', 'C2-L4INH', 'C2-L2INH'), ('C2-L2EXC', 'C2-L4INH', 'C2-L3INH'), ('C2-L2EXC', 'C2-L4INH', 'C2-L4INH'), ('C2-L2EXC', 'C2-L5INH', 'C2-L2PY'), ('C2-L2EXC', 'C2-L5INH', 'C2-L3PY'), ('C2-L2EXC', 'C2-L5INH', 'C2-L4PY'), ('C2-L2EXC', 'C2-L5INH', 'C2-L4sp'), ('C2-L2EXC', 'C2-L5INH', 'C2-L4ss'), ('C2-L2EXC', 'C2-L5INH', 'C2-L5IT'), ('C2-L2EXC', 'C2-L5INH', 'C2-L5PT'), ('C2-L2EXC', 'C2-L5INH', 'C2-L6CC'), ('C2-L2EXC', 'C2-L5INH', 'C2-L6INV'), ('C2-L2EXC', 'C2-L5INH', 'C2-L6CT'), ('C2-L2EXC', 'C2-L5INH', 'C2-VPM'), ('C2-L2EXC', 'C2-L5INH', 'C2-INH'), ('C2-L2EXC', 'C2-L5INH', 'C2-L1INH'), ('C2-L2EXC', 'C2-L5INH', 'C2-L2INH'), ('C2-L2EXC', 'C2-L5INH', 'C2-L3INH'), ('C2-L2EXC', 'C2-L5INH', 'C2-L4INH'), ('C2-L2EXC', 'C2-L5INH', 'C2-L5INH'), ('C2-L2EXC', 'C2-L6INH', 'C2-L2PY'), ('C2-L2EXC', 'C2-L6INH', 'C2-L3PY'), ('C2-L2EXC', 'C2-L6INH', 'C2-L4PY'), ('C2-L2EXC', 'C2-L6INH', 'C2-L4sp'), ('C2-L2EXC', 'C2-L6INH', 'C2-L4ss'), ('C2-L2EXC', 'C2-L6INH', 'C2-L5IT'), ('C2-L2EXC', 'C2-L6INH', 'C2-L5PT'), ('C2-L2EXC', 'C2-L6INH', 'C2-L6CC'), ('C2-L2EXC', 'C2-L6INH', 'C2-L6INV'), ('C2-L2EXC', 'C2-L6INH', 'C2-L6CT'), ('C2-L2EXC', 'C2-L6INH', 'C2-VPM'), ('C2-L2EXC', 'C2-L6INH', 'C2-INH'), ('C2-L2EXC', 'C2-L6INH', 'C2-L1INH'), ('C2-L2EXC', 'C2-L6INH', 'C2-L2INH'), ('C2-L2EXC', 'C2-L6INH', 'C2-L3INH'), ('C2-L2EXC', 'C2-L6INH', 'C2-L4INH'), ('C2-L2EXC', 'C2-L6INH', 'C2-L5INH'), ('C2-L2EXC', 'C2-L6INH', 'C2-L6INH'), ('C2-L2EXC', 'C2-L2EXC', 'C2-L2PY'), ('C2-L2EXC', 'C2-L2EXC', 'C2-L3PY'), ('C2-L2EXC', 'C2-L2EXC', 'C2-L4PY'), ('C2-L2EXC', 'C2-L2EXC', 'C2-L4sp'), ('C2-L2EXC', 'C2-L2EXC', 'C2-L4ss'), ('C2-L2EXC', 'C2-L2EXC', 'C2-L5IT'), ('C2-L2EXC', 'C2-L2EXC', 'C2-L5PT'), ('C2-L2EXC', 'C2-L2EXC', 'C2-L6CC'), ('C2-L2EXC', 'C2-L2EXC', 'C2-L6INV'), ('C2-L2EXC', 'C2-L2EXC', 'C2-L6CT'), ('C2-L2EXC', 'C2-L2EXC', 'C2-VPM'), ('C2-L2EXC', 'C2-L2EXC', 'C2-INH'), ('C2-L2EXC', 'C2-L2EXC', 'C2-L1INH'), ('C2-L2EXC', 'C2-L2EXC', 'C2-L2INH'), ('C2-L2EXC', 'C2-L2EXC', 'C2-L3INH'), ('C2-L2EXC', 'C2-L2EXC', 'C2-L4INH'), ('C2-L2EXC', 'C2-L2EXC', 'C2-L5INH'), ('C2-L2EXC', 'C2-L2EXC', 'C2-L6INH'), ('C2-L2EXC', 'C2-L2EXC', 'C2-L2EXC'), ('C2-L3EXC', 'C2-L2PY', 'C2-L2PY'), ('C2-L3EXC', 'C2-L3PY', 'C2-L2PY'), ('C2-L3EXC', 'C2-L3PY', 'C2-L3PY'), ('C2-L3EXC', 'C2-L4PY', 'C2-L2PY'), ('C2-L3EXC', 'C2-L4PY', 'C2-L3PY'), ('C2-L3EXC', 'C2-L4PY', 'C2-L4PY'), ('C2-L3EXC', 'C2-L4sp', 'C2-L2PY'), ('C2-L3EXC', 'C2-L4sp', 'C2-L3PY'), ('C2-L3EXC', 'C2-L4sp', 'C2-L4PY'), ('C2-L3EXC', 'C2-L4sp', 'C2-L4sp'), ('C2-L3EXC', 'C2-L4ss', 'C2-L2PY'), ('C2-L3EXC', 'C2-L4ss', 'C2-L3PY'), ('C2-L3EXC', 'C2-L4ss', 'C2-L4PY'), ('C2-L3EXC', 'C2-L4ss', 'C2-L4sp'), ('C2-L3EXC', 'C2-L4ss', 'C2-L4ss'), ('C2-L3EXC', 'C2-L5IT', 'C2-L2PY'), ('C2-L3EXC', 'C2-L5IT', 'C2-L3PY'), ('C2-L3EXC', 'C2-L5IT', 'C2-L4PY'), ('C2-L3EXC', 'C2-L5IT', 'C2-L4sp'), ('C2-L3EXC', 'C2-L5IT', 'C2-L4ss'), ('C2-L3EXC', 'C2-L5IT', 'C2-L5IT'), ('C2-L3EXC', 'C2-L5PT', 'C2-L2PY'), ('C2-L3EXC', 'C2-L5PT', 'C2-L3PY'), ('C2-L3EXC', 'C2-L5PT', 'C2-L4PY'), ('C2-L3EXC', 'C2-L5PT', 'C2-L4sp'), ('C2-L3EXC', 'C2-L5PT', 'C2-L4ss'), ('C2-L3EXC', 'C2-L5PT', 'C2-L5IT'), ('C2-L3EXC', 'C2-L5PT', 'C2-L5PT'), ('C2-L3EXC', 'C2-L6CC', 'C2-L2PY'), ('C2-L3EXC', 'C2-L6CC', 'C2-L3PY'), ('C2-L3EXC', 'C2-L6CC', 'C2-L4PY'), ('C2-L3EXC', 'C2-L6CC', 'C2-L4sp'), ('C2-L3EXC', 'C2-L6CC', 'C2-L4ss'), ('C2-L3EXC', 'C2-L6CC', 'C2-L5IT'), ('C2-L3EXC', 'C2-L6CC', 'C2-L5PT'), ('C2-L3EXC', 'C2-L6CC', 'C2-L6CC'), ('C2-L3EXC', 'C2-L6INV', 'C2-L2PY'), ('C2-L3EXC', 'C2-L6INV', 'C2-L3PY'), ('C2-L3EXC', 'C2-L6INV', 'C2-L4PY'), ('C2-L3EXC', 'C2-L6INV', 'C2-L4sp'), ('C2-L3EXC', 'C2-L6INV', 'C2-L4ss'), ('C2-L3EXC', 'C2-L6INV', 'C2-L5IT'), ('C2-L3EXC', 'C2-L6INV', 'C2-L5PT'), ('C2-L3EXC', 'C2-L6INV', 'C2-L6CC'), ('C2-L3EXC', 'C2-L6INV', 'C2-L6INV'), ('C2-L3EXC', 'C2-L6CT', 'C2-L2PY'), ('C2-L3EXC', 'C2-L6CT', 'C2-L3PY'), ('C2-L3EXC', 'C2-L6CT', 'C2-L4PY'), ('C2-L3EXC', 'C2-L6CT', 'C2-L4sp'), ('C2-L3EXC', 'C2-L6CT', 'C2-L4ss'), ('C2-L3EXC', 'C2-L6CT', 'C2-L5IT'), ('C2-L3EXC', 'C2-L6CT', 'C2-L5PT'), ('C2-L3EXC', 'C2-L6CT', 'C2-L6CC'), ('C2-L3EXC', 'C2-L6CT', 'C2-L6INV'), ('C2-L3EXC', 'C2-L6CT', 'C2-L6CT'), ('C2-L3EXC', 'C2-VPM', 'C2-L2PY'), ('C2-L3EXC', 'C2-VPM', 'C2-L3PY'), ('C2-L3EXC', 'C2-VPM', 'C2-L4PY'), ('C2-L3EXC', 'C2-VPM', 'C2-L4sp'), ('C2-L3EXC', 'C2-VPM', 'C2-L4ss'), ('C2-L3EXC', 'C2-VPM', 'C2-L5IT'), ('C2-L3EXC', 'C2-VPM', 'C2-L5PT'), ('C2-L3EXC', 'C2-VPM', 'C2-L6CC'), ('C2-L3EXC', 'C2-VPM', 'C2-L6INV'), ('C2-L3EXC', 'C2-VPM', 'C2-L6CT'), ('C2-L3EXC', 'C2-VPM', 'C2-VPM'), ('C2-L3EXC', 'C2-INH', 'C2-L2PY'), ('C2-L3EXC', 'C2-INH', 'C2-L3PY'), ('C2-L3EXC', 'C2-INH', 'C2-L4PY'), ('C2-L3EXC', 'C2-INH', 'C2-L4sp'), ('C2-L3EXC', 'C2-INH', 'C2-L4ss'), ('C2-L3EXC', 'C2-INH', 'C2-L5IT'), ('C2-L3EXC', 'C2-INH', 'C2-L5PT'), ('C2-L3EXC', 'C2-INH', 'C2-L6CC'), ('C2-L3EXC', 'C2-INH', 'C2-L6INV'), ('C2-L3EXC', 'C2-INH', 'C2-L6CT'), ('C2-L3EXC', 'C2-INH', 'C2-VPM'), ('C2-L3EXC', 'C2-INH', 'C2-INH'), ('C2-L3EXC', 'C2-L1INH', 'C2-L2PY'), ('C2-L3EXC', 'C2-L1INH', 'C2-L3PY'), ('C2-L3EXC', 'C2-L1INH', 'C2-L4PY'), ('C2-L3EXC', 'C2-L1INH', 'C2-L4sp'), ('C2-L3EXC', 'C2-L1INH', 'C2-L4ss'), ('C2-L3EXC', 'C2-L1INH', 'C2-L5IT'), ('C2-L3EXC', 'C2-L1INH', 'C2-L5PT'), ('C2-L3EXC', 'C2-L1INH', 'C2-L6CC'), ('C2-L3EXC', 'C2-L1INH', 'C2-L6INV'), ('C2-L3EXC', 'C2-L1INH', 'C2-L6CT'), ('C2-L3EXC', 'C2-L1INH', 'C2-VPM'), ('C2-L3EXC', 'C2-L1INH', 'C2-INH'), ('C2-L3EXC', 'C2-L1INH', 'C2-L1INH'), ('C2-L3EXC', 'C2-L2INH', 'C2-L2PY'), ('C2-L3EXC', 'C2-L2INH', 'C2-L3PY'), ('C2-L3EXC', 'C2-L2INH', 'C2-L4PY'), ('C2-L3EXC', 'C2-L2INH', 'C2-L4sp'), ('C2-L3EXC', 'C2-L2INH', 'C2-L4ss'), ('C2-L3EXC', 'C2-L2INH', 'C2-L5IT'), ('C2-L3EXC', 'C2-L2INH', 'C2-L5PT'), ('C2-L3EXC', 'C2-L2INH', 'C2-L6CC'), ('C2-L3EXC', 'C2-L2INH', 'C2-L6INV'), ('C2-L3EXC', 'C2-L2INH', 'C2-L6CT'), ('C2-L3EXC', 'C2-L2INH', 'C2-VPM'), ('C2-L3EXC', 'C2-L2INH', 'C2-INH'), ('C2-L3EXC', 'C2-L2INH', 'C2-L1INH'), ('C2-L3EXC', 'C2-L2INH', 'C2-L2INH'), ('C2-L3EXC', 'C2-L3INH', 'C2-L2PY'), ('C2-L3EXC', 'C2-L3INH', 'C2-L3PY'), ('C2-L3EXC', 'C2-L3INH', 'C2-L4PY'), ('C2-L3EXC', 'C2-L3INH', 'C2-L4sp'), ('C2-L3EXC', 'C2-L3INH', 'C2-L4ss'), ('C2-L3EXC', 'C2-L3INH', 'C2-L5IT'), ('C2-L3EXC', 'C2-L3INH', 'C2-L5PT'), ('C2-L3EXC', 'C2-L3INH', 'C2-L6CC'), ('C2-L3EXC', 'C2-L3INH', 'C2-L6INV'), ('C2-L3EXC', 'C2-L3INH', 'C2-L6CT'), ('C2-L3EXC', 'C2-L3INH', 'C2-VPM'), ('C2-L3EXC', 'C2-L3INH', 'C2-INH'), ('C2-L3EXC', 'C2-L3INH', 'C2-L1INH'), ('C2-L3EXC', 'C2-L3INH', 'C2-L2INH'), ('C2-L3EXC', 'C2-L3INH', 'C2-L3INH'), ('C2-L3EXC', 'C2-L4INH', 'C2-L2PY'), ('C2-L3EXC', 'C2-L4INH', 'C2-L3PY'), ('C2-L3EXC', 'C2-L4INH', 'C2-L4PY'), ('C2-L3EXC', 'C2-L4INH', 'C2-L4sp'), ('C2-L3EXC', 'C2-L4INH', 'C2-L4ss'), ('C2-L3EXC', 'C2-L4INH', 'C2-L5IT'), ('C2-L3EXC', 'C2-L4INH', 'C2-L5PT'), ('C2-L3EXC', 'C2-L4INH', 'C2-L6CC'), ('C2-L3EXC', 'C2-L4INH', 'C2-L6INV'), ('C2-L3EXC', 'C2-L4INH', 'C2-L6CT'), ('C2-L3EXC', 'C2-L4INH', 'C2-VPM'), ('C2-L3EXC', 'C2-L4INH', 'C2-INH'), ('C2-L3EXC', 'C2-L4INH', 'C2-L1INH'), ('C2-L3EXC', 'C2-L4INH', 'C2-L2INH'), ('C2-L3EXC', 'C2-L4INH', 'C2-L3INH'), ('C2-L3EXC', 'C2-L4INH', 'C2-L4INH'), ('C2-L3EXC', 'C2-L5INH', 'C2-L2PY'), ('C2-L3EXC', 'C2-L5INH', 'C2-L3PY'), ('C2-L3EXC', 'C2-L5INH', 'C2-L4PY'), ('C2-L3EXC', 'C2-L5INH', 'C2-L4sp'), ('C2-L3EXC', 'C2-L5INH', 'C2-L4ss'), ('C2-L3EXC', 'C2-L5INH', 'C2-L5IT'), ('C2-L3EXC', 'C2-L5INH', 'C2-L5PT'), ('C2-L3EXC', 'C2-L5INH', 'C2-L6CC'), ('C2-L3EXC', 'C2-L5INH', 'C2-L6INV'), ('C2-L3EXC', 'C2-L5INH', 'C2-L6CT'), ('C2-L3EXC', 'C2-L5INH', 'C2-VPM'), ('C2-L3EXC', 'C2-L5INH', 'C2-INH'), ('C2-L3EXC', 'C2-L5INH', 'C2-L1INH'), ('C2-L3EXC', 'C2-L5INH', 'C2-L2INH'), ('C2-L3EXC', 'C2-L5INH', 'C2-L3INH'), ('C2-L3EXC', 'C2-L5INH', 'C2-L4INH'), ('C2-L3EXC', 'C2-L5INH', 'C2-L5INH'), ('C2-L3EXC', 'C2-L6INH', 'C2-L2PY'), ('C2-L3EXC', 'C2-L6INH', 'C2-L3PY'), ('C2-L3EXC', 'C2-L6INH', 'C2-L4PY'), ('C2-L3EXC', 'C2-L6INH', 'C2-L4sp'), ('C2-L3EXC', 'C2-L6INH', 'C2-L4ss'), ('C2-L3EXC', 'C2-L6INH', 'C2-L5IT'), ('C2-L3EXC', 'C2-L6INH', 'C2-L5PT'), ('C2-L3EXC', 'C2-L6INH', 'C2-L6CC'), ('C2-L3EXC', 'C2-L6INH', 'C2-L6INV'), ('C2-L3EXC', 'C2-L6INH', 'C2-L6CT'), ('C2-L3EXC', 'C2-L6INH', 'C2-VPM'), ('C2-L3EXC', 'C2-L6INH', 'C2-INH'), ('C2-L3EXC', 'C2-L6INH', 'C2-L1INH'), ('C2-L3EXC', 'C2-L6INH', 'C2-L2INH'), ('C2-L3EXC', 'C2-L6INH', 'C2-L3INH'), ('C2-L3EXC', 'C2-L6INH', 'C2-L4INH'), ('C2-L3EXC', 'C2-L6INH', 'C2-L5INH'), ('C2-L3EXC', 'C2-L6INH', 'C2-L6INH'), ('C2-L3EXC', 'C2-L2EXC', 'C2-L2PY'), ('C2-L3EXC', 'C2-L2EXC', 'C2-L3PY'), ('C2-L3EXC', 'C2-L2EXC', 'C2-L4PY'), ('C2-L3EXC', 'C2-L2EXC', 'C2-L4sp'), ('C2-L3EXC', 'C2-L2EXC', 'C2-L4ss'), ('C2-L3EXC', 'C2-L2EXC', 'C2-L5IT'), ('C2-L3EXC', 'C2-L2EXC', 'C2-L5PT'), ('C2-L3EXC', 'C2-L2EXC', 'C2-L6CC'), ('C2-L3EXC', 'C2-L2EXC', 'C2-L6INV'), ('C2-L3EXC', 'C2-L2EXC', 'C2-L6CT'), ('C2-L3EXC', 'C2-L2EXC', 'C2-VPM'), ('C2-L3EXC', 'C2-L2EXC', 'C2-INH'), ('C2-L3EXC', 'C2-L2EXC', 'C2-L1INH'), ('C2-L3EXC', 'C2-L2EXC', 'C2-L2INH'), ('C2-L3EXC', 'C2-L2EXC', 'C2-L3INH'), ('C2-L3EXC', 'C2-L2EXC', 'C2-L4INH'), ('C2-L3EXC', 'C2-L2EXC', 'C2-L5INH'), ('C2-L3EXC', 'C2-L2EXC', 'C2-L6INH'), ('C2-L3EXC', 'C2-L2EXC', 'C2-L2EXC'), ('C2-L3EXC', 'C2-L3EXC', 'C2-L2PY'), ('C2-L3EXC', 'C2-L3EXC', 'C2-L3PY'), ('C2-L3EXC', 'C2-L3EXC', 'C2-L4PY'), ('C2-L3EXC', 'C2-L3EXC', 'C2-L4sp'), ('C2-L3EXC', 'C2-L3EXC', 'C2-L4ss'), ('C2-L3EXC', 'C2-L3EXC', 'C2-L5IT'), ('C2-L3EXC', 'C2-L3EXC', 'C2-L5PT'), ('C2-L3EXC', 'C2-L3EXC', 'C2-L6CC'), ('C2-L3EXC', 'C2-L3EXC', 'C2-L6INV'), ('C2-L3EXC', 'C2-L3EXC', 'C2-L6CT'), ('C2-L3EXC', 'C2-L3EXC', 'C2-VPM'), ('C2-L3EXC', 'C2-L3EXC', 'C2-INH'), ('C2-L3EXC', 'C2-L3EXC', 'C2-L1INH'), ('C2-L3EXC', 'C2-L3EXC', 'C2-L2INH'), ('C2-L3EXC', 'C2-L3EXC', 'C2-L3INH'), ('C2-L3EXC', 'C2-L3EXC', 'C2-L4INH'), ('C2-L3EXC', 'C2-L3EXC', 'C2-L5INH'), ('C2-L3EXC', 'C2-L3EXC', 'C2-L6INH'), ('C2-L3EXC', 'C2-L3EXC', 'C2-L2EXC'), ('C2-L3EXC', 'C2-L3EXC', 'C2-L3EXC'), ('C2-L4EXC', 'C2-L2PY', 'C2-L2PY'), ('C2-L4EXC', 'C2-L3PY', 'C2-L2PY'), ('C2-L4EXC', 'C2-L3PY', 'C2-L3PY'), ('C2-L4EXC', 'C2-L4PY', 'C2-L2PY'), ('C2-L4EXC', 'C2-L4PY', 'C2-L3PY'), ('C2-L4EXC', 'C2-L4PY', 'C2-L4PY'), ('C2-L4EXC', 'C2-L4sp', 'C2-L2PY'), ('C2-L4EXC', 'C2-L4sp', 'C2-L3PY'), ('C2-L4EXC', 'C2-L4sp', 'C2-L4PY'), ('C2-L4EXC', 'C2-L4sp', 'C2-L4sp'), ('C2-L4EXC', 'C2-L4ss', 'C2-L2PY'), ('C2-L4EXC', 'C2-L4ss', 'C2-L3PY'), ('C2-L4EXC', 'C2-L4ss', 'C2-L4PY'), ('C2-L4EXC', 'C2-L4ss', 'C2-L4sp'), ('C2-L4EXC', 'C2-L4ss', 'C2-L4ss'), ('C2-L4EXC', 'C2-L5IT', 'C2-L2PY'), ('C2-L4EXC', 'C2-L5IT', 'C2-L3PY'), ('C2-L4EXC', 'C2-L5IT', 'C2-L4PY'), ('C2-L4EXC', 'C2-L5IT', 'C2-L4sp'), ('C2-L4EXC', 'C2-L5IT', 'C2-L4ss'), ('C2-L4EXC', 'C2-L5IT', 'C2-L5IT'), ('C2-L4EXC', 'C2-L5PT', 'C2-L2PY'), ('C2-L4EXC', 'C2-L5PT', 'C2-L3PY'), ('C2-L4EXC', 'C2-L5PT', 'C2-L4PY'), ('C2-L4EXC', 'C2-L5PT', 'C2-L4sp'), ('C2-L4EXC', 'C2-L5PT', 'C2-L4ss'), ('C2-L4EXC', 'C2-L5PT', 'C2-L5IT'), ('C2-L4EXC', 'C2-L5PT', 'C2-L5PT'), ('C2-L4EXC', 'C2-L6CC', 'C2-L2PY'), ('C2-L4EXC', 'C2-L6CC', 'C2-L3PY'), ('C2-L4EXC', 'C2-L6CC', 'C2-L4PY'), ('C2-L4EXC', 'C2-L6CC', 'C2-L4sp'), ('C2-L4EXC', 'C2-L6CC', 'C2-L4ss'), ('C2-L4EXC', 'C2-L6CC', 'C2-L5IT'), ('C2-L4EXC', 'C2-L6CC', 'C2-L5PT'), ('C2-L4EXC', 'C2-L6CC', 'C2-L6CC'), ('C2-L4EXC', 'C2-L6INV', 'C2-L2PY'), ('C2-L4EXC', 'C2-L6INV', 'C2-L3PY'), ('C2-L4EXC', 'C2-L6INV', 'C2-L4PY'), ('C2-L4EXC', 'C2-L6INV', 'C2-L4sp'), ('C2-L4EXC', 'C2-L6INV', 'C2-L4ss'), ('C2-L4EXC', 'C2-L6INV', 'C2-L5IT'), ('C2-L4EXC', 'C2-L6INV', 'C2-L5PT'), ('C2-L4EXC', 'C2-L6INV', 'C2-L6CC'), ('C2-L4EXC', 'C2-L6INV', 'C2-L6INV'), ('C2-L4EXC', 'C2-L6CT', 'C2-L2PY'), ('C2-L4EXC', 'C2-L6CT', 'C2-L3PY'), ('C2-L4EXC', 'C2-L6CT', 'C2-L4PY'), ('C2-L4EXC', 'C2-L6CT', 'C2-L4sp'), ('C2-L4EXC', 'C2-L6CT', 'C2-L4ss'), ('C2-L4EXC', 'C2-L6CT', 'C2-L5IT'), ('C2-L4EXC', 'C2-L6CT', 'C2-L5PT'), ('C2-L4EXC', 'C2-L6CT', 'C2-L6CC'), ('C2-L4EXC', 'C2-L6CT', 'C2-L6INV'), ('C2-L4EXC', 'C2-L6CT', 'C2-L6CT'), ('C2-L4EXC', 'C2-VPM', 'C2-L2PY'), ('C2-L4EXC', 'C2-VPM', 'C2-L3PY'), ('C2-L4EXC', 'C2-VPM', 'C2-L4PY'), ('C2-L4EXC', 'C2-VPM', 'C2-L4sp'), ('C2-L4EXC', 'C2-VPM', 'C2-L4ss'), ('C2-L4EXC', 'C2-VPM', 'C2-L5IT'), ('C2-L4EXC', 'C2-VPM', 'C2-L5PT'), ('C2-L4EXC', 'C2-VPM', 'C2-L6CC'), ('C2-L4EXC', 'C2-VPM', 'C2-L6INV'), ('C2-L4EXC', 'C2-VPM', 'C2-L6CT'), ('C2-L4EXC', 'C2-VPM', 'C2-VPM'), ('C2-L4EXC', 'C2-INH', 'C2-L2PY'), ('C2-L4EXC', 'C2-INH', 'C2-L3PY'), ('C2-L4EXC', 'C2-INH', 'C2-L4PY'), ('C2-L4EXC', 'C2-INH', 'C2-L4sp'), ('C2-L4EXC', 'C2-INH', 'C2-L4ss'), ('C2-L4EXC', 'C2-INH', 'C2-L5IT'), ('C2-L4EXC', 'C2-INH', 'C2-L5PT'), ('C2-L4EXC', 'C2-INH', 'C2-L6CC'), ('C2-L4EXC', 'C2-INH', 'C2-L6INV'), ('C2-L4EXC', 'C2-INH', 'C2-L6CT'), ('C2-L4EXC', 'C2-INH', 'C2-VPM'), ('C2-L4EXC', 'C2-INH', 'C2-INH'), ('C2-L4EXC', 'C2-L1INH', 'C2-L2PY'), ('C2-L4EXC', 'C2-L1INH', 'C2-L3PY'), ('C2-L4EXC', 'C2-L1INH', 'C2-L4PY'), ('C2-L4EXC', 'C2-L1INH', 'C2-L4sp'), ('C2-L4EXC', 'C2-L1INH', 'C2-L4ss'), ('C2-L4EXC', 'C2-L1INH', 'C2-L5IT'), ('C2-L4EXC', 'C2-L1INH', 'C2-L5PT'), ('C2-L4EXC', 'C2-L1INH', 'C2-L6CC'), ('C2-L4EXC', 'C2-L1INH', 'C2-L6INV'), ('C2-L4EXC', 'C2-L1INH', 'C2-L6CT'), ('C2-L4EXC', 'C2-L1INH', 'C2-VPM'), ('C2-L4EXC', 'C2-L1INH', 'C2-INH'), ('C2-L4EXC', 'C2-L1INH', 'C2-L1INH'), ('C2-L4EXC', 'C2-L2INH', 'C2-L2PY'), ('C2-L4EXC', 'C2-L2INH', 'C2-L3PY'), ('C2-L4EXC', 'C2-L2INH', 'C2-L4PY'), ('C2-L4EXC', 'C2-L2INH', 'C2-L4sp'), ('C2-L4EXC', 'C2-L2INH', 'C2-L4ss'), ('C2-L4EXC', 'C2-L2INH', 'C2-L5IT'), ('C2-L4EXC', 'C2-L2INH', 'C2-L5PT'), ('C2-L4EXC', 'C2-L2INH', 'C2-L6CC'), ('C2-L4EXC', 'C2-L2INH', 'C2-L6INV'), ('C2-L4EXC', 'C2-L2INH', 'C2-L6CT'), ('C2-L4EXC', 'C2-L2INH', 'C2-VPM'), ('C2-L4EXC', 'C2-L2INH', 'C2-INH'), ('C2-L4EXC', 'C2-L2INH', 'C2-L1INH'), ('C2-L4EXC', 'C2-L2INH', 'C2-L2INH'), ('C2-L4EXC', 'C2-L3INH', 'C2-L2PY'), ('C2-L4EXC', 'C2-L3INH', 'C2-L3PY'), ('C2-L4EXC', 'C2-L3INH', 'C2-L4PY'), ('C2-L4EXC', 'C2-L3INH', 'C2-L4sp'), ('C2-L4EXC', 'C2-L3INH', 'C2-L4ss'), ('C2-L4EXC', 'C2-L3INH', 'C2-L5IT'), ('C2-L4EXC', 'C2-L3INH', 'C2-L5PT'), ('C2-L4EXC', 'C2-L3INH', 'C2-L6CC'), ('C2-L4EXC', 'C2-L3INH', 'C2-L6INV'), ('C2-L4EXC', 'C2-L3INH', 'C2-L6CT'), ('C2-L4EXC', 'C2-L3INH', 'C2-VPM'), ('C2-L4EXC', 'C2-L3INH', 'C2-INH'), ('C2-L4EXC', 'C2-L3INH', 'C2-L1INH'), ('C2-L4EXC', 'C2-L3INH', 'C2-L2INH'), ('C2-L4EXC', 'C2-L3INH', 'C2-L3INH'), ('C2-L4EXC', 'C2-L4INH', 'C2-L2PY'), ('C2-L4EXC', 'C2-L4INH', 'C2-L3PY'), ('C2-L4EXC', 'C2-L4INH', 'C2-L4PY'), ('C2-L4EXC', 'C2-L4INH', 'C2-L4sp'), ('C2-L4EXC', 'C2-L4INH', 'C2-L4ss'), ('C2-L4EXC', 'C2-L4INH', 'C2-L5IT'), ('C2-L4EXC', 'C2-L4INH', 'C2-L5PT'), ('C2-L4EXC', 'C2-L4INH', 'C2-L6CC'), ('C2-L4EXC', 'C2-L4INH', 'C2-L6INV'), ('C2-L4EXC', 'C2-L4INH', 'C2-L6CT'), ('C2-L4EXC', 'C2-L4INH', 'C2-VPM'), ('C2-L4EXC', 'C2-L4INH', 'C2-INH'), ('C2-L4EXC', 'C2-L4INH', 'C2-L1INH'), ('C2-L4EXC', 'C2-L4INH', 'C2-L2INH'), ('C2-L4EXC', 'C2-L4INH', 'C2-L3INH'), ('C2-L4EXC', 'C2-L4INH', 'C2-L4INH'), ('C2-L4EXC', 'C2-L5INH', 'C2-L2PY'), ('C2-L4EXC', 'C2-L5INH', 'C2-L3PY'), ('C2-L4EXC', 'C2-L5INH', 'C2-L4PY'), ('C2-L4EXC', 'C2-L5INH', 'C2-L4sp'), ('C2-L4EXC', 'C2-L5INH', 'C2-L4ss'), ('C2-L4EXC', 'C2-L5INH', 'C2-L5IT'), ('C2-L4EXC', 'C2-L5INH', 'C2-L5PT'), ('C2-L4EXC', 'C2-L5INH', 'C2-L6CC'), ('C2-L4EXC', 'C2-L5INH', 'C2-L6INV'), ('C2-L4EXC', 'C2-L5INH', 'C2-L6CT'), ('C2-L4EXC', 'C2-L5INH', 'C2-VPM'), ('C2-L4EXC', 'C2-L5INH', 'C2-INH'), ('C2-L4EXC', 'C2-L5INH', 'C2-L1INH'), ('C2-L4EXC', 'C2-L5INH', 'C2-L2INH'), ('C2-L4EXC', 'C2-L5INH', 'C2-L3INH'), ('C2-L4EXC', 'C2-L5INH', 'C2-L4INH'), ('C2-L4EXC', 'C2-L5INH', 'C2-L5INH'), ('C2-L4EXC', 'C2-L6INH', 'C2-L2PY'), ('C2-L4EXC', 'C2-L6INH', 'C2-L3PY'), ('C2-L4EXC', 'C2-L6INH', 'C2-L4PY'), ('C2-L4EXC', 'C2-L6INH', 'C2-L4sp'), ('C2-L4EXC', 'C2-L6INH', 'C2-L4ss'), ('C2-L4EXC', 'C2-L6INH', 'C2-L5IT'), ('C2-L4EXC', 'C2-L6INH', 'C2-L5PT'), ('C2-L4EXC', 'C2-L6INH', 'C2-L6CC'), ('C2-L4EXC', 'C2-L6INH', 'C2-L6INV'), ('C2-L4EXC', 'C2-L6INH', 'C2-L6CT'), ('C2-L4EXC', 'C2-L6INH', 'C2-VPM'), ('C2-L4EXC', 'C2-L6INH', 'C2-INH'), ('C2-L4EXC', 'C2-L6INH', 'C2-L1INH'), ('C2-L4EXC', 'C2-L6INH', 'C2-L2INH'), ('C2-L4EXC', 'C2-L6INH', 'C2-L3INH'), ('C2-L4EXC', 'C2-L6INH', 'C2-L4INH'), ('C2-L4EXC', 'C2-L6INH', 'C2-L5INH'), ('C2-L4EXC', 'C2-L6INH', 'C2-L6INH'), ('C2-L4EXC', 'C2-L2EXC', 'C2-L2PY'), ('C2-L4EXC', 'C2-L2EXC', 'C2-L3PY'), ('C2-L4EXC', 'C2-L2EXC', 'C2-L4PY'), ('C2-L4EXC', 'C2-L2EXC', 'C2-L4sp'), ('C2-L4EXC', 'C2-L2EXC', 'C2-L4ss'), ('C2-L4EXC', 'C2-L2EXC', 'C2-L5IT'), ('C2-L4EXC', 'C2-L2EXC', 'C2-L5PT'), ('C2-L4EXC', 'C2-L2EXC', 'C2-L6CC'), ('C2-L4EXC', 'C2-L2EXC', 'C2-L6INV'), ('C2-L4EXC', 'C2-L2EXC', 'C2-L6CT'), ('C2-L4EXC', 'C2-L2EXC', 'C2-VPM'), ('C2-L4EXC', 'C2-L2EXC', 'C2-INH'), ('C2-L4EXC', 'C2-L2EXC', 'C2-L1INH'), ('C2-L4EXC', 'C2-L2EXC', 'C2-L2INH'), ('C2-L4EXC', 'C2-L2EXC', 'C2-L3INH'), ('C2-L4EXC', 'C2-L2EXC', 'C2-L4INH'), ('C2-L4EXC', 'C2-L2EXC', 'C2-L5INH'), ('C2-L4EXC', 'C2-L2EXC', 'C2-L6INH'), ('C2-L4EXC', 'C2-L2EXC', 'C2-L2EXC'), ('C2-L4EXC', 'C2-L3EXC', 'C2-L2PY'), ('C2-L4EXC', 'C2-L3EXC', 'C2-L3PY'), ('C2-L4EXC', 'C2-L3EXC', 'C2-L4PY'), ('C2-L4EXC', 'C2-L3EXC', 'C2-L4sp'), ('C2-L4EXC', 'C2-L3EXC', 'C2-L4ss'), ('C2-L4EXC', 'C2-L3EXC', 'C2-L5IT'), ('C2-L4EXC', 'C2-L3EXC', 'C2-L5PT'), ('C2-L4EXC', 'C2-L3EXC', 'C2-L6CC'), ('C2-L4EXC', 'C2-L3EXC', 'C2-L6INV'), ('C2-L4EXC', 'C2-L3EXC', 'C2-L6CT'), ('C2-L4EXC', 'C2-L3EXC', 'C2-VPM'), ('C2-L4EXC', 'C2-L3EXC', 'C2-INH'), ('C2-L4EXC', 'C2-L3EXC', 'C2-L1INH'), ('C2-L4EXC', 'C2-L3EXC', 'C2-L2INH'), ('C2-L4EXC', 'C2-L3EXC', 'C2-L3INH'), ('C2-L4EXC', 'C2-L3EXC', 'C2-L4INH'), ('C2-L4EXC', 'C2-L3EXC', 'C2-L5INH'), ('C2-L4EXC', 'C2-L3EXC', 'C2-L6INH'), ('C2-L4EXC', 'C2-L3EXC', 'C2-L2EXC'), ('C2-L4EXC', 'C2-L3EXC', 'C2-L3EXC'), ('C2-L4EXC', 'C2-L4EXC', 'C2-L2PY'), ('C2-L4EXC', 'C2-L4EXC', 'C2-L3PY'), ('C2-L4EXC', 'C2-L4EXC', 'C2-L4PY'), ('C2-L4EXC', 'C2-L4EXC', 'C2-L4sp'), ('C2-L4EXC', 'C2-L4EXC', 'C2-L4ss'), ('C2-L4EXC', 'C2-L4EXC', 'C2-L5IT'), ('C2-L4EXC', 'C2-L4EXC', 'C2-L5PT'), ('C2-L4EXC', 'C2-L4EXC', 'C2-L6CC'), ('C2-L4EXC', 'C2-L4EXC', 'C2-L6INV'), ('C2-L4EXC', 'C2-L4EXC', 'C2-L6CT'), ('C2-L4EXC', 'C2-L4EXC', 'C2-VPM'), ('C2-L4EXC', 'C2-L4EXC', 'C2-INH'), ('C2-L4EXC', 'C2-L4EXC', 'C2-L1INH'), ('C2-L4EXC', 'C2-L4EXC', 'C2-L2INH'), ('C2-L4EXC', 'C2-L4EXC', 'C2-L3INH'), ('C2-L4EXC', 'C2-L4EXC', 'C2-L4INH'), ('C2-L4EXC', 'C2-L4EXC', 'C2-L5INH'), ('C2-L4EXC', 'C2-L4EXC', 'C2-L6INH'), ('C2-L4EXC', 'C2-L4EXC', 'C2-L2EXC'), ('C2-L4EXC', 'C2-L4EXC', 'C2-L3EXC'), ('C2-L4EXC', 'C2-L4EXC', 'C2-L4EXC'), ('C2-L5EXC', 'C2-L2PY', 'C2-L2PY'), ('C2-L5EXC', 'C2-L3PY', 'C2-L2PY'), ('C2-L5EXC', 'C2-L3PY', 'C2-L3PY'), ('C2-L5EXC', 'C2-L4PY', 'C2-L2PY'), ('C2-L5EXC', 'C2-L4PY', 'C2-L3PY'), ('C2-L5EXC', 'C2-L4PY', 'C2-L4PY'), ('C2-L5EXC', 'C2-L4sp', 'C2-L2PY'), ('C2-L5EXC', 'C2-L4sp', 'C2-L3PY'), ('C2-L5EXC', 'C2-L4sp', 'C2-L4PY'), ('C2-L5EXC', 'C2-L4sp', 'C2-L4sp'), ('C2-L5EXC', 'C2-L4ss', 'C2-L2PY'), ('C2-L5EXC', 'C2-L4ss', 'C2-L3PY'), ('C2-L5EXC', 'C2-L4ss', 'C2-L4PY'), ('C2-L5EXC', 'C2-L4ss', 'C2-L4sp'), ('C2-L5EXC', 'C2-L4ss', 'C2-L4ss'), ('C2-L5EXC', 'C2-L5IT', 'C2-L2PY'), ('C2-L5EXC', 'C2-L5IT', 'C2-L3PY'), ('C2-L5EXC', 'C2-L5IT', 'C2-L4PY'), ('C2-L5EXC', 'C2-L5IT', 'C2-L4sp'), ('C2-L5EXC', 'C2-L5IT', 'C2-L4ss'), ('C2-L5EXC', 'C2-L5IT', 'C2-L5IT'), ('C2-L5EXC', 'C2-L5PT', 'C2-L2PY'), ('C2-L5EXC', 'C2-L5PT', 'C2-L3PY'), ('C2-L5EXC', 'C2-L5PT', 'C2-L4PY'), ('C2-L5EXC', 'C2-L5PT', 'C2-L4sp'), ('C2-L5EXC', 'C2-L5PT', 'C2-L4ss'), ('C2-L5EXC', 'C2-L5PT', 'C2-L5IT'), ('C2-L5EXC', 'C2-L5PT', 'C2-L5PT'), ('C2-L5EXC', 'C2-L6CC', 'C2-L2PY'), ('C2-L5EXC', 'C2-L6CC', 'C2-L3PY'), ('C2-L5EXC', 'C2-L6CC', 'C2-L4PY'), ('C2-L5EXC', 'C2-L6CC', 'C2-L4sp'), ('C2-L5EXC', 'C2-L6CC', 'C2-L4ss'), ('C2-L5EXC', 'C2-L6CC', 'C2-L5IT'), ('C2-L5EXC', 'C2-L6CC', 'C2-L5PT'), ('C2-L5EXC', 'C2-L6CC', 'C2-L6CC'), ('C2-L5EXC', 'C2-L6INV', 'C2-L2PY'), ('C2-L5EXC', 'C2-L6INV', 'C2-L3PY'), ('C2-L5EXC', 'C2-L6INV', 'C2-L4PY'), ('C2-L5EXC', 'C2-L6INV', 'C2-L4sp'), ('C2-L5EXC', 'C2-L6INV', 'C2-L4ss'), ('C2-L5EXC', 'C2-L6INV', 'C2-L5IT'), ('C2-L5EXC', 'C2-L6INV', 'C2-L5PT'), ('C2-L5EXC', 'C2-L6INV', 'C2-L6CC'), ('C2-L5EXC', 'C2-L6INV', 'C2-L6INV'), ('C2-L5EXC', 'C2-L6CT', 'C2-L2PY'), ('C2-L5EXC', 'C2-L6CT', 'C2-L3PY'), ('C2-L5EXC', 'C2-L6CT', 'C2-L4PY'), ('C2-L5EXC', 'C2-L6CT', 'C2-L4sp'), ('C2-L5EXC', 'C2-L6CT', 'C2-L4ss'), ('C2-L5EXC', 'C2-L6CT', 'C2-L5IT'), ('C2-L5EXC', 'C2-L6CT', 'C2-L5PT'), ('C2-L5EXC', 'C2-L6CT', 'C2-L6CC'), ('C2-L5EXC', 'C2-L6CT', 'C2-L6INV'), ('C2-L5EXC', 'C2-L6CT', 'C2-L6CT'), ('C2-L5EXC', 'C2-VPM', 'C2-L2PY'), ('C2-L5EXC', 'C2-VPM', 'C2-L3PY'), ('C2-L5EXC', 'C2-VPM', 'C2-L4PY'), ('C2-L5EXC', 'C2-VPM', 'C2-L4sp'), ('C2-L5EXC', 'C2-VPM', 'C2-L4ss'), ('C2-L5EXC', 'C2-VPM', 'C2-L5IT'), ('C2-L5EXC', 'C2-VPM', 'C2-L5PT'), ('C2-L5EXC', 'C2-VPM', 'C2-L6CC'), ('C2-L5EXC', 'C2-VPM', 'C2-L6INV'), ('C2-L5EXC', 'C2-VPM', 'C2-L6CT'), ('C2-L5EXC', 'C2-VPM', 'C2-VPM'), ('C2-L5EXC', 'C2-INH', 'C2-L2PY'), ('C2-L5EXC', 'C2-INH', 'C2-L3PY'), ('C2-L5EXC', 'C2-INH', 'C2-L4PY'), ('C2-L5EXC', 'C2-INH', 'C2-L4sp'), ('C2-L5EXC', 'C2-INH', 'C2-L4ss'), ('C2-L5EXC', 'C2-INH', 'C2-L5IT'), ('C2-L5EXC', 'C2-INH', 'C2-L5PT'), ('C2-L5EXC', 'C2-INH', 'C2-L6CC'), ('C2-L5EXC', 'C2-INH', 'C2-L6INV'), ('C2-L5EXC', 'C2-INH', 'C2-L6CT'), ('C2-L5EXC', 'C2-INH', 'C2-VPM'), ('C2-L5EXC', 'C2-INH', 'C2-INH'), ('C2-L5EXC', 'C2-L1INH', 'C2-L2PY'), ('C2-L5EXC', 'C2-L1INH', 'C2-L3PY'), ('C2-L5EXC', 'C2-L1INH', 'C2-L4PY'), ('C2-L5EXC', 'C2-L1INH', 'C2-L4sp'), ('C2-L5EXC', 'C2-L1INH', 'C2-L4ss'), ('C2-L5EXC', 'C2-L1INH', 'C2-L5IT'), ('C2-L5EXC', 'C2-L1INH', 'C2-L5PT'), ('C2-L5EXC', 'C2-L1INH', 'C2-L6CC'), ('C2-L5EXC', 'C2-L1INH', 'C2-L6INV'), ('C2-L5EXC', 'C2-L1INH', 'C2-L6CT'), ('C2-L5EXC', 'C2-L1INH', 'C2-VPM'), ('C2-L5EXC', 'C2-L1INH', 'C2-INH'), ('C2-L5EXC', 'C2-L1INH', 'C2-L1INH'), ('C2-L5EXC', 'C2-L2INH', 'C2-L2PY'), ('C2-L5EXC', 'C2-L2INH', 'C2-L3PY'), ('C2-L5EXC', 'C2-L2INH', 'C2-L4PY'), ('C2-L5EXC', 'C2-L2INH', 'C2-L4sp'), ('C2-L5EXC', 'C2-L2INH', 'C2-L4ss'), ('C2-L5EXC', 'C2-L2INH', 'C2-L5IT'), ('C2-L5EXC', 'C2-L2INH', 'C2-L5PT'), ('C2-L5EXC', 'C2-L2INH', 'C2-L6CC'), ('C2-L5EXC', 'C2-L2INH', 'C2-L6INV'), ('C2-L5EXC', 'C2-L2INH', 'C2-L6CT'), ('C2-L5EXC', 'C2-L2INH', 'C2-VPM'), ('C2-L5EXC', 'C2-L2INH', 'C2-INH'), ('C2-L5EXC', 'C2-L2INH', 'C2-L1INH'), ('C2-L5EXC', 'C2-L2INH', 'C2-L2INH'), ('C2-L5EXC', 'C2-L3INH', 'C2-L2PY'), ('C2-L5EXC', 'C2-L3INH', 'C2-L3PY'), ('C2-L5EXC', 'C2-L3INH', 'C2-L4PY'), ('C2-L5EXC', 'C2-L3INH', 'C2-L4sp'), ('C2-L5EXC', 'C2-L3INH', 'C2-L4ss'), ('C2-L5EXC', 'C2-L3INH', 'C2-L5IT'), ('C2-L5EXC', 'C2-L3INH', 'C2-L5PT'), ('C2-L5EXC', 'C2-L3INH', 'C2-L6CC'), ('C2-L5EXC', 'C2-L3INH', 'C2-L6INV'), ('C2-L5EXC', 'C2-L3INH', 'C2-L6CT'), ('C2-L5EXC', 'C2-L3INH', 'C2-VPM'), ('C2-L5EXC', 'C2-L3INH', 'C2-INH'), ('C2-L5EXC', 'C2-L3INH', 'C2-L1INH'), ('C2-L5EXC', 'C2-L3INH', 'C2-L2INH'), ('C2-L5EXC', 'C2-L3INH', 'C2-L3INH'), ('C2-L5EXC', 'C2-L4INH', 'C2-L2PY'), ('C2-L5EXC', 'C2-L4INH', 'C2-L3PY'), ('C2-L5EXC', 'C2-L4INH', 'C2-L4PY'), ('C2-L5EXC', 'C2-L4INH', 'C2-L4sp'), ('C2-L5EXC', 'C2-L4INH', 'C2-L4ss'), ('C2-L5EXC', 'C2-L4INH', 'C2-L5IT'), ('C2-L5EXC', 'C2-L4INH', 'C2-L5PT'), ('C2-L5EXC', 'C2-L4INH', 'C2-L6CC'), ('C2-L5EXC', 'C2-L4INH', 'C2-L6INV'), ('C2-L5EXC', 'C2-L4INH', 'C2-L6CT'), ('C2-L5EXC', 'C2-L4INH', 'C2-VPM'), ('C2-L5EXC', 'C2-L4INH', 'C2-INH'), ('C2-L5EXC', 'C2-L4INH', 'C2-L1INH'), ('C2-L5EXC', 'C2-L4INH', 'C2-L2INH'), ('C2-L5EXC', 'C2-L4INH', 'C2-L3INH'), ('C2-L5EXC', 'C2-L4INH', 'C2-L4INH'), ('C2-L5EXC', 'C2-L5INH', 'C2-L2PY'), ('C2-L5EXC', 'C2-L5INH', 'C2-L3PY'), ('C2-L5EXC', 'C2-L5INH', 'C2-L4PY'), ('C2-L5EXC', 'C2-L5INH', 'C2-L4sp'), ('C2-L5EXC', 'C2-L5INH', 'C2-L4ss'), ('C2-L5EXC', 'C2-L5INH', 'C2-L5IT'), ('C2-L5EXC', 'C2-L5INH', 'C2-L5PT'), ('C2-L5EXC', 'C2-L5INH', 'C2-L6CC'), ('C2-L5EXC', 'C2-L5INH', 'C2-L6INV'), ('C2-L5EXC', 'C2-L5INH', 'C2-L6CT'), ('C2-L5EXC', 'C2-L5INH', 'C2-VPM'), ('C2-L5EXC', 'C2-L5INH', 'C2-INH'), ('C2-L5EXC', 'C2-L5INH', 'C2-L1INH'), ('C2-L5EXC', 'C2-L5INH', 'C2-L2INH'), ('C2-L5EXC', 'C2-L5INH', 'C2-L3INH'), ('C2-L5EXC', 'C2-L5INH', 'C2-L4INH'), ('C2-L5EXC', 'C2-L5INH', 'C2-L5INH'), ('C2-L5EXC', 'C2-L6INH', 'C2-L2PY'), ('C2-L5EXC', 'C2-L6INH', 'C2-L3PY'), ('C2-L5EXC', 'C2-L6INH', 'C2-L4PY'), ('C2-L5EXC', 'C2-L6INH', 'C2-L4sp'), ('C2-L5EXC', 'C2-L6INH', 'C2-L4ss'), ('C2-L5EXC', 'C2-L6INH', 'C2-L5IT'), ('C2-L5EXC', 'C2-L6INH', 'C2-L5PT'), ('C2-L5EXC', 'C2-L6INH', 'C2-L6CC'), ('C2-L5EXC', 'C2-L6INH', 'C2-L6INV'), ('C2-L5EXC', 'C2-L6INH', 'C2-L6CT'), ('C2-L5EXC', 'C2-L6INH', 'C2-VPM'), ('C2-L5EXC', 'C2-L6INH', 'C2-INH'), ('C2-L5EXC', 'C2-L6INH', 'C2-L1INH'), ('C2-L5EXC', 'C2-L6INH', 'C2-L2INH'), ('C2-L5EXC', 'C2-L6INH', 'C2-L3INH'), ('C2-L5EXC', 'C2-L6INH', 'C2-L4INH'), ('C2-L5EXC', 'C2-L6INH', 'C2-L5INH'), ('C2-L5EXC', 'C2-L6INH', 'C2-L6INH'), ('C2-L5EXC', 'C2-L2EXC', 'C2-L2PY'), ('C2-L5EXC', 'C2-L2EXC', 'C2-L3PY'), ('C2-L5EXC', 'C2-L2EXC', 'C2-L4PY'), ('C2-L5EXC', 'C2-L2EXC', 'C2-L4sp'), ('C2-L5EXC', 'C2-L2EXC', 'C2-L4ss'), ('C2-L5EXC', 'C2-L2EXC', 'C2-L5IT'), ('C2-L5EXC', 'C2-L2EXC', 'C2-L5PT'), ('C2-L5EXC', 'C2-L2EXC', 'C2-L6CC'), ('C2-L5EXC', 'C2-L2EXC', 'C2-L6INV'), ('C2-L5EXC', 'C2-L2EXC', 'C2-L6CT'), ('C2-L5EXC', 'C2-L2EXC', 'C2-VPM'), ('C2-L5EXC', 'C2-L2EXC', 'C2-INH'), ('C2-L5EXC', 'C2-L2EXC', 'C2-L1INH'), ('C2-L5EXC', 'C2-L2EXC', 'C2-L2INH'), ('C2-L5EXC', 'C2-L2EXC', 'C2-L3INH'), ('C2-L5EXC', 'C2-L2EXC', 'C2-L4INH'), ('C2-L5EXC', 'C2-L2EXC', 'C2-L5INH'), ('C2-L5EXC', 'C2-L2EXC', 'C2-L6INH'), ('C2-L5EXC', 'C2-L2EXC', 'C2-L2EXC'), ('C2-L5EXC', 'C2-L3EXC', 'C2-L2PY'), ('C2-L5EXC', 'C2-L3EXC', 'C2-L3PY'), ('C2-L5EXC', 'C2-L3EXC', 'C2-L4PY'), ('C2-L5EXC', 'C2-L3EXC', 'C2-L4sp'), ('C2-L5EXC', 'C2-L3EXC', 'C2-L4ss'), ('C2-L5EXC', 'C2-L3EXC', 'C2-L5IT'), ('C2-L5EXC', 'C2-L3EXC', 'C2-L5PT'), ('C2-L5EXC', 'C2-L3EXC', 'C2-L6CC'), ('C2-L5EXC', 'C2-L3EXC', 'C2-L6INV'), ('C2-L5EXC', 'C2-L3EXC', 'C2-L6CT'), ('C2-L5EXC', 'C2-L3EXC', 'C2-VPM'), ('C2-L5EXC', 'C2-L3EXC', 'C2-INH'), ('C2-L5EXC', 'C2-L3EXC', 'C2-L1INH'), ('C2-L5EXC', 'C2-L3EXC', 'C2-L2INH'), ('C2-L5EXC', 'C2-L3EXC', 'C2-L3INH'), ('C2-L5EXC', 'C2-L3EXC', 'C2-L4INH'), ('C2-L5EXC', 'C2-L3EXC', 'C2-L5INH'), ('C2-L5EXC', 'C2-L3EXC', 'C2-L6INH'), ('C2-L5EXC', 'C2-L3EXC', 'C2-L2EXC'), ('C2-L5EXC', 'C2-L3EXC', 'C2-L3EXC'), ('C2-L5EXC', 'C2-L4EXC', 'C2-L2PY'), ('C2-L5EXC', 'C2-L4EXC', 'C2-L3PY'), ('C2-L5EXC', 'C2-L4EXC', 'C2-L4PY'), ('C2-L5EXC', 'C2-L4EXC', 'C2-L4sp'), ('C2-L5EXC', 'C2-L4EXC', 'C2-L4ss'), ('C2-L5EXC', 'C2-L4EXC', 'C2-L5IT'), ('C2-L5EXC', 'C2-L4EXC', 'C2-L5PT'), ('C2-L5EXC', 'C2-L4EXC', 'C2-L6CC'), ('C2-L5EXC', 'C2-L4EXC', 'C2-L6INV'), ('C2-L5EXC', 'C2-L4EXC', 'C2-L6CT'), ('C2-L5EXC', 'C2-L4EXC', 'C2-VPM'), ('C2-L5EXC', 'C2-L4EXC', 'C2-INH'), ('C2-L5EXC', 'C2-L4EXC', 'C2-L1INH'), ('C2-L5EXC', 'C2-L4EXC', 'C2-L2INH'), ('C2-L5EXC', 'C2-L4EXC', 'C2-L3INH'), ('C2-L5EXC', 'C2-L4EXC', 'C2-L4INH'), ('C2-L5EXC', 'C2-L4EXC', 'C2-L5INH'), ('C2-L5EXC', 'C2-L4EXC', 'C2-L6INH'), ('C2-L5EXC', 'C2-L4EXC', 'C2-L2EXC'), ('C2-L5EXC', 'C2-L4EXC', 'C2-L3EXC'), ('C2-L5EXC', 'C2-L4EXC', 'C2-L4EXC'), ('C2-L5EXC', 'C2-L5EXC', 'C2-L2PY'), ('C2-L5EXC', 'C2-L5EXC', 'C2-L3PY'), ('C2-L5EXC', 'C2-L5EXC', 'C2-L4PY'), ('C2-L5EXC', 'C2-L5EXC', 'C2-L4sp'), ('C2-L5EXC', 'C2-L5EXC', 'C2-L4ss'), ('C2-L5EXC', 'C2-L5EXC', 'C2-L5IT'), ('C2-L5EXC', 'C2-L5EXC', 'C2-L5PT'), ('C2-L5EXC', 'C2-L5EXC', 'C2-L6CC'), ('C2-L5EXC', 'C2-L5EXC', 'C2-L6INV'), ('C2-L5EXC', 'C2-L5EXC', 'C2-L6CT'), ('C2-L5EXC', 'C2-L5EXC', 'C2-VPM'), ('C2-L5EXC', 'C2-L5EXC', 'C2-INH'), ('C2-L5EXC', 'C2-L5EXC', 'C2-L1INH'), ('C2-L5EXC', 'C2-L5EXC', 'C2-L2INH'), ('C2-L5EXC', 'C2-L5EXC', 'C2-L3INH'), ('C2-L5EXC', 'C2-L5EXC', 'C2-L4INH'), ('C2-L5EXC', 'C2-L5EXC', 'C2-L5INH'), ('C2-L5EXC', 'C2-L5EXC', 'C2-L6INH'), ('C2-L5EXC', 'C2-L5EXC', 'C2-L2EXC'), ('C2-L5EXC', 'C2-L5EXC', 'C2-L3EXC'), ('C2-L5EXC', 'C2-L5EXC', 'C2-L4EXC'), ('C2-L5EXC', 'C2-L5EXC', 'C2-L5EXC'), ('C2-L6EXC', 'C2-L2PY', 'C2-L2PY'), ('C2-L6EXC', 'C2-L3PY', 'C2-L2PY'), ('C2-L6EXC', 'C2-L3PY', 'C2-L3PY'), ('C2-L6EXC', 'C2-L4PY', 'C2-L2PY'), ('C2-L6EXC', 'C2-L4PY', 'C2-L3PY'), ('C2-L6EXC', 'C2-L4PY', 'C2-L4PY'), ('C2-L6EXC', 'C2-L4sp', 'C2-L2PY'), ('C2-L6EXC', 'C2-L4sp', 'C2-L3PY'), ('C2-L6EXC', 'C2-L4sp', 'C2-L4PY'), ('C2-L6EXC', 'C2-L4sp', 'C2-L4sp'), ('C2-L6EXC', 'C2-L4ss', 'C2-L2PY'), ('C2-L6EXC', 'C2-L4ss', 'C2-L3PY'), ('C2-L6EXC', 'C2-L4ss', 'C2-L4PY'), ('C2-L6EXC', 'C2-L4ss', 'C2-L4sp'), ('C2-L6EXC', 'C2-L4ss', 'C2-L4ss'), ('C2-L6EXC', 'C2-L5IT', 'C2-L2PY'), ('C2-L6EXC', 'C2-L5IT', 'C2-L3PY'), ('C2-L6EXC', 'C2-L5IT', 'C2-L4PY'), ('C2-L6EXC', 'C2-L5IT', 'C2-L4sp'), ('C2-L6EXC', 'C2-L5IT', 'C2-L4ss'), ('C2-L6EXC', 'C2-L5IT', 'C2-L5IT'), ('C2-L6EXC', 'C2-L5PT', 'C2-L2PY'), ('C2-L6EXC', 'C2-L5PT', 'C2-L3PY'), ('C2-L6EXC', 'C2-L5PT', 'C2-L4PY'), ('C2-L6EXC', 'C2-L5PT', 'C2-L4sp'), ('C2-L6EXC', 'C2-L5PT', 'C2-L4ss'), ('C2-L6EXC', 'C2-L5PT', 'C2-L5IT'), ('C2-L6EXC', 'C2-L5PT', 'C2-L5PT'), ('C2-L6EXC', 'C2-L6CC', 'C2-L2PY'), ('C2-L6EXC', 'C2-L6CC', 'C2-L3PY'), ('C2-L6EXC', 'C2-L6CC', 'C2-L4PY'), ('C2-L6EXC', 'C2-L6CC', 'C2-L4sp'), ('C2-L6EXC', 'C2-L6CC', 'C2-L4ss'), ('C2-L6EXC', 'C2-L6CC', 'C2-L5IT'), ('C2-L6EXC', 'C2-L6CC', 'C2-L5PT'), ('C2-L6EXC', 'C2-L6CC', 'C2-L6CC'), ('C2-L6EXC', 'C2-L6INV', 'C2-L2PY'), ('C2-L6EXC', 'C2-L6INV', 'C2-L3PY'), ('C2-L6EXC', 'C2-L6INV', 'C2-L4PY'), ('C2-L6EXC', 'C2-L6INV', 'C2-L4sp'), ('C2-L6EXC', 'C2-L6INV', 'C2-L4ss'), ('C2-L6EXC', 'C2-L6INV', 'C2-L5IT'), ('C2-L6EXC', 'C2-L6INV', 'C2-L5PT'), ('C2-L6EXC', 'C2-L6INV', 'C2-L6CC'), ('C2-L6EXC', 'C2-L6INV', 'C2-L6INV'), ('C2-L6EXC', 'C2-L6CT', 'C2-L2PY'), ('C2-L6EXC', 'C2-L6CT', 'C2-L3PY'), ('C2-L6EXC', 'C2-L6CT', 'C2-L4PY'), ('C2-L6EXC', 'C2-L6CT', 'C2-L4sp'), ('C2-L6EXC', 'C2-L6CT', 'C2-L4ss'), ('C2-L6EXC', 'C2-L6CT', 'C2-L5IT'), ('C2-L6EXC', 'C2-L6CT', 'C2-L5PT'), ('C2-L6EXC', 'C2-L6CT', 'C2-L6CC'), ('C2-L6EXC', 'C2-L6CT', 'C2-L6INV'), ('C2-L6EXC', 'C2-L6CT', 'C2-L6CT'), ('C2-L6EXC', 'C2-VPM', 'C2-L2PY'), ('C2-L6EXC', 'C2-VPM', 'C2-L3PY'), ('C2-L6EXC', 'C2-VPM', 'C2-L4PY'), ('C2-L6EXC', 'C2-VPM', 'C2-L4sp'), ('C2-L6EXC', 'C2-VPM', 'C2-L4ss'), ('C2-L6EXC', 'C2-VPM', 'C2-L5IT'), ('C2-L6EXC', 'C2-VPM', 'C2-L5PT'), ('C2-L6EXC', 'C2-VPM', 'C2-L6CC'), ('C2-L6EXC', 'C2-VPM', 'C2-L6INV'), ('C2-L6EXC', 'C2-VPM', 'C2-L6CT'), ('C2-L6EXC', 'C2-VPM', 'C2-VPM'), ('C2-L6EXC', 'C2-INH', 'C2-L2PY'), ('C2-L6EXC', 'C2-INH', 'C2-L3PY'), ('C2-L6EXC', 'C2-INH', 'C2-L4PY'), ('C2-L6EXC', 'C2-INH', 'C2-L4sp'), ('C2-L6EXC', 'C2-INH', 'C2-L4ss'), ('C2-L6EXC', 'C2-INH', 'C2-L5IT'), ('C2-L6EXC', 'C2-INH', 'C2-L5PT'), ('C2-L6EXC', 'C2-INH', 'C2-L6CC'), ('C2-L6EXC', 'C2-INH', 'C2-L6INV'), ('C2-L6EXC', 'C2-INH', 'C2-L6CT'), ('C2-L6EXC', 'C2-INH', 'C2-VPM'), ('C2-L6EXC', 'C2-INH', 'C2-INH'), ('C2-L6EXC', 'C2-L1INH', 'C2-L2PY'), ('C2-L6EXC', 'C2-L1INH', 'C2-L3PY'), ('C2-L6EXC', 'C2-L1INH', 'C2-L4PY'), ('C2-L6EXC', 'C2-L1INH', 'C2-L4sp'), ('C2-L6EXC', 'C2-L1INH', 'C2-L4ss'), ('C2-L6EXC', 'C2-L1INH', 'C2-L5IT'), ('C2-L6EXC', 'C2-L1INH', 'C2-L5PT'), ('C2-L6EXC', 'C2-L1INH', 'C2-L6CC'), ('C2-L6EXC', 'C2-L1INH', 'C2-L6INV'), ('C2-L6EXC', 'C2-L1INH', 'C2-L6CT'), ('C2-L6EXC', 'C2-L1INH', 'C2-VPM'), ('C2-L6EXC', 'C2-L1INH', 'C2-INH'), ('C2-L6EXC', 'C2-L1INH', 'C2-L1INH'), ('C2-L6EXC', 'C2-L2INH', 'C2-L2PY'), ('C2-L6EXC', 'C2-L2INH', 'C2-L3PY'), ('C2-L6EXC', 'C2-L2INH', 'C2-L4PY'), ('C2-L6EXC', 'C2-L2INH', 'C2-L4sp'), ('C2-L6EXC', 'C2-L2INH', 'C2-L4ss'), ('C2-L6EXC', 'C2-L2INH', 'C2-L5IT'), ('C2-L6EXC', 'C2-L2INH', 'C2-L5PT'), ('C2-L6EXC', 'C2-L2INH', 'C2-L6CC'), ('C2-L6EXC', 'C2-L2INH', 'C2-L6INV'), ('C2-L6EXC', 'C2-L2INH', 'C2-L6CT'), ('C2-L6EXC', 'C2-L2INH', 'C2-VPM'), ('C2-L6EXC', 'C2-L2INH', 'C2-INH'), ('C2-L6EXC', 'C2-L2INH', 'C2-L1INH'), ('C2-L6EXC', 'C2-L2INH', 'C2-L2INH'), ('C2-L6EXC', 'C2-L3INH', 'C2-L2PY'), ('C2-L6EXC', 'C2-L3INH', 'C2-L3PY'), ('C2-L6EXC', 'C2-L3INH', 'C2-L4PY'), ('C2-L6EXC', 'C2-L3INH', 'C2-L4sp'), ('C2-L6EXC', 'C2-L3INH', 'C2-L4ss'), ('C2-L6EXC', 'C2-L3INH', 'C2-L5IT'), ('C2-L6EXC', 'C2-L3INH', 'C2-L5PT'), ('C2-L6EXC', 'C2-L3INH', 'C2-L6CC'), ('C2-L6EXC', 'C2-L3INH', 'C2-L6INV'), ('C2-L6EXC', 'C2-L3INH', 'C2-L6CT'), ('C2-L6EXC', 'C2-L3INH', 'C2-VPM'), ('C2-L6EXC', 'C2-L3INH', 'C2-INH'), ('C2-L6EXC', 'C2-L3INH', 'C2-L1INH'), ('C2-L6EXC', 'C2-L3INH', 'C2-L2INH'), ('C2-L6EXC', 'C2-L3INH', 'C2-L3INH'), ('C2-L6EXC', 'C2-L4INH', 'C2-L2PY'), ('C2-L6EXC', 'C2-L4INH', 'C2-L3PY'), ('C2-L6EXC', 'C2-L4INH', 'C2-L4PY'), ('C2-L6EXC', 'C2-L4INH', 'C2-L4sp'), ('C2-L6EXC', 'C2-L4INH', 'C2-L4ss'), ('C2-L6EXC', 'C2-L4INH', 'C2-L5IT'), ('C2-L6EXC', 'C2-L4INH', 'C2-L5PT'), ('C2-L6EXC', 'C2-L4INH', 'C2-L6CC'), ('C2-L6EXC', 'C2-L4INH', 'C2-L6INV'), ('C2-L6EXC', 'C2-L4INH', 'C2-L6CT'), ('C2-L6EXC', 'C2-L4INH', 'C2-VPM'), ('C2-L6EXC', 'C2-L4INH', 'C2-INH'), ('C2-L6EXC', 'C2-L4INH', 'C2-L1INH'), ('C2-L6EXC', 'C2-L4INH', 'C2-L2INH'), ('C2-L6EXC', 'C2-L4INH', 'C2-L3INH'), ('C2-L6EXC', 'C2-L4INH', 'C2-L4INH'), ('C2-L6EXC', 'C2-L5INH', 'C2-L2PY'), ('C2-L6EXC', 'C2-L5INH', 'C2-L3PY'), ('C2-L6EXC', 'C2-L5INH', 'C2-L4PY'), ('C2-L6EXC', 'C2-L5INH', 'C2-L4sp'), ('C2-L6EXC', 'C2-L5INH', 'C2-L4ss'), ('C2-L6EXC', 'C2-L5INH', 'C2-L5IT'), ('C2-L6EXC', 'C2-L5INH', 'C2-L5PT'), ('C2-L6EXC', 'C2-L5INH', 'C2-L6CC'), ('C2-L6EXC', 'C2-L5INH', 'C2-L6INV'), ('C2-L6EXC', 'C2-L5INH', 'C2-L6CT'), ('C2-L6EXC', 'C2-L5INH', 'C2-VPM'), ('C2-L6EXC', 'C2-L5INH', 'C2-INH'), ('C2-L6EXC', 'C2-L5INH', 'C2-L1INH'), ('C2-L6EXC', 'C2-L5INH', 'C2-L2INH'), ('C2-L6EXC', 'C2-L5INH', 'C2-L3INH'), ('C2-L6EXC', 'C2-L5INH', 'C2-L4INH'), ('C2-L6EXC', 'C2-L5INH', 'C2-L5INH'), ('C2-L6EXC', 'C2-L6INH', 'C2-L2PY'), ('C2-L6EXC', 'C2-L6INH', 'C2-L3PY'), ('C2-L6EXC', 'C2-L6INH', 'C2-L4PY'), ('C2-L6EXC', 'C2-L6INH', 'C2-L4sp'), ('C2-L6EXC', 'C2-L6INH', 'C2-L4ss'), ('C2-L6EXC', 'C2-L6INH', 'C2-L5IT'), ('C2-L6EXC', 'C2-L6INH', 'C2-L5PT'), ('C2-L6EXC', 'C2-L6INH', 'C2-L6CC'), ('C2-L6EXC', 'C2-L6INH', 'C2-L6INV'), ('C2-L6EXC', 'C2-L6INH', 'C2-L6CT'), ('C2-L6EXC', 'C2-L6INH', 'C2-VPM'), ('C2-L6EXC', 'C2-L6INH', 'C2-INH'), ('C2-L6EXC', 'C2-L6INH', 'C2-L1INH'), ('C2-L6EXC', 'C2-L6INH', 'C2-L2INH'), ('C2-L6EXC', 'C2-L6INH', 'C2-L3INH'), ('C2-L6EXC', 'C2-L6INH', 'C2-L4INH'), ('C2-L6EXC', 'C2-L6INH', 'C2-L5INH'), ('C2-L6EXC', 'C2-L6INH', 'C2-L6INH'), ('C2-L6EXC', 'C2-L2EXC', 'C2-L2PY'), ('C2-L6EXC', 'C2-L2EXC', 'C2-L3PY'), ('C2-L6EXC', 'C2-L2EXC', 'C2-L4PY'), ('C2-L6EXC', 'C2-L2EXC', 'C2-L4sp'), ('C2-L6EXC', 'C2-L2EXC', 'C2-L4ss'), ('C2-L6EXC', 'C2-L2EXC', 'C2-L5IT'), ('C2-L6EXC', 'C2-L2EXC', 'C2-L5PT'), ('C2-L6EXC', 'C2-L2EXC', 'C2-L6CC'), ('C2-L6EXC', 'C2-L2EXC', 'C2-L6INV'), ('C2-L6EXC', 'C2-L2EXC', 'C2-L6CT'), ('C2-L6EXC', 'C2-L2EXC', 'C2-VPM'), ('C2-L6EXC', 'C2-L2EXC', 'C2-INH'), ('C2-L6EXC', 'C2-L2EXC', 'C2-L1INH'), ('C2-L6EXC', 'C2-L2EXC', 'C2-L2INH'), ('C2-L6EXC', 'C2-L2EXC', 'C2-L3INH'), ('C2-L6EXC', 'C2-L2EXC', 'C2-L4INH'), ('C2-L6EXC', 'C2-L2EXC', 'C2-L5INH'), ('C2-L6EXC', 'C2-L2EXC', 'C2-L6INH'), ('C2-L6EXC', 'C2-L2EXC', 'C2-L2EXC'), ('C2-L6EXC', 'C2-L3EXC', 'C2-L2PY'), ('C2-L6EXC', 'C2-L3EXC', 'C2-L3PY'), ('C2-L6EXC', 'C2-L3EXC', 'C2-L4PY'), ('C2-L6EXC', 'C2-L3EXC', 'C2-L4sp'), ('C2-L6EXC', 'C2-L3EXC', 'C2-L4ss'), ('C2-L6EXC', 'C2-L3EXC', 'C2-L5IT'), ('C2-L6EXC', 'C2-L3EXC', 'C2-L5PT'), ('C2-L6EXC', 'C2-L3EXC', 'C2-L6CC'), ('C2-L6EXC', 'C2-L3EXC', 'C2-L6INV'), ('C2-L6EXC', 'C2-L3EXC', 'C2-L6CT'), ('C2-L6EXC', 'C2-L3EXC', 'C2-VPM'), ('C2-L6EXC', 'C2-L3EXC', 'C2-INH'), ('C2-L6EXC', 'C2-L3EXC', 'C2-L1INH'), ('C2-L6EXC', 'C2-L3EXC', 'C2-L2INH'), ('C2-L6EXC', 'C2-L3EXC', 'C2-L3INH'), ('C2-L6EXC', 'C2-L3EXC', 'C2-L4INH'), ('C2-L6EXC', 'C2-L3EXC', 'C2-L5INH'), ('C2-L6EXC', 'C2-L3EXC', 'C2-L6INH'), ('C2-L6EXC', 'C2-L3EXC', 'C2-L2EXC'), ('C2-L6EXC', 'C2-L3EXC', 'C2-L3EXC'), ('C2-L6EXC', 'C2-L4EXC', 'C2-L2PY'), ('C2-L6EXC', 'C2-L4EXC', 'C2-L3PY'), ('C2-L6EXC', 'C2-L4EXC', 'C2-L4PY'), ('C2-L6EXC', 'C2-L4EXC', 'C2-L4sp'), ('C2-L6EXC', 'C2-L4EXC', 'C2-L4ss'), ('C2-L6EXC', 'C2-L4EXC', 'C2-L5IT'), ('C2-L6EXC', 'C2-L4EXC', 'C2-L5PT'), ('C2-L6EXC', 'C2-L4EXC', 'C2-L6CC'), ('C2-L6EXC', 'C2-L4EXC', 'C2-L6INV'), ('C2-L6EXC', 'C2-L4EXC', 'C2-L6CT'), ('C2-L6EXC', 'C2-L4EXC', 'C2-VPM'), ('C2-L6EXC', 'C2-L4EXC', 'C2-INH'), ('C2-L6EXC', 'C2-L4EXC', 'C2-L1INH'), ('C2-L6EXC', 'C2-L4EXC', 'C2-L2INH'), ('C2-L6EXC', 'C2-L4EXC', 'C2-L3INH'), ('C2-L6EXC', 'C2-L4EXC', 'C2-L4INH'), ('C2-L6EXC', 'C2-L4EXC', 'C2-L5INH'), ('C2-L6EXC', 'C2-L4EXC', 'C2-L6INH'), ('C2-L6EXC', 'C2-L4EXC', 'C2-L2EXC'), ('C2-L6EXC', 'C2-L4EXC', 'C2-L3EXC'), ('C2-L6EXC', 'C2-L4EXC', 'C2-L4EXC'), ('C2-L6EXC', 'C2-L5EXC', 'C2-L2PY'), ('C2-L6EXC', 'C2-L5EXC', 'C2-L3PY'), ('C2-L6EXC', 'C2-L5EXC', 'C2-L4PY'), ('C2-L6EXC', 'C2-L5EXC', 'C2-L4sp'), ('C2-L6EXC', 'C2-L5EXC', 'C2-L4ss'), ('C2-L6EXC', 'C2-L5EXC', 'C2-L5IT'), ('C2-L6EXC', 'C2-L5EXC', 'C2-L5PT'), ('C2-L6EXC', 'C2-L5EXC', 'C2-L6CC'), ('C2-L6EXC', 'C2-L5EXC', 'C2-L6INV'), ('C2-L6EXC', 'C2-L5EXC', 'C2-L6CT'), ('C2-L6EXC', 'C2-L5EXC', 'C2-VPM'), ('C2-L6EXC', 'C2-L5EXC', 'C2-INH'), ('C2-L6EXC', 'C2-L5EXC', 'C2-L1INH'), ('C2-L6EXC', 'C2-L5EXC', 'C2-L2INH'), ('C2-L6EXC', 'C2-L5EXC', 'C2-L3INH'), ('C2-L6EXC', 'C2-L5EXC', 'C2-L4INH'), ('C2-L6EXC', 'C2-L5EXC', 'C2-L5INH'), ('C2-L6EXC', 'C2-L5EXC', 'C2-L6INH'), ('C2-L6EXC', 'C2-L5EXC', 'C2-L2EXC'), ('C2-L6EXC', 'C2-L5EXC', 'C2-L3EXC'), ('C2-L6EXC', 'C2-L5EXC', 'C2-L4EXC'), ('C2-L6EXC', 'C2-L5EXC', 'C2-L5EXC'), ('C2-L6EXC', 'C2-L6EXC', 'C2-L2PY'), ('C2-L6EXC', 'C2-L6EXC', 'C2-L3PY'), ('C2-L6EXC', 'C2-L6EXC', 'C2-L4PY'), ('C2-L6EXC', 'C2-L6EXC', 'C2-L4sp'), ('C2-L6EXC', 'C2-L6EXC', 'C2-L4ss'), ('C2-L6EXC', 'C2-L6EXC', 'C2-L5IT'), ('C2-L6EXC', 'C2-L6EXC', 'C2-L5PT'), ('C2-L6EXC', 'C2-L6EXC', 'C2-L6CC'), ('C2-L6EXC', 'C2-L6EXC', 'C2-L6INV'), ('C2-L6EXC', 'C2-L6EXC', 'C2-L6CT'), ('C2-L6EXC', 'C2-L6EXC', 'C2-VPM'), ('C2-L6EXC', 'C2-L6EXC', 'C2-INH'), ('C2-L6EXC', 'C2-L6EXC', 'C2-L1INH'), ('C2-L6EXC', 'C2-L6EXC', 'C2-L2INH'), ('C2-L6EXC', 'C2-L6EXC', 'C2-L3INH'), ('C2-L6EXC', 'C2-L6EXC', 'C2-L4INH'), ('C2-L6EXC', 'C2-L6EXC', 'C2-L5INH'), ('C2-L6EXC', 'C2-L6EXC', 'C2-L6INH'), ('C2-L6EXC', 'C2-L6EXC', 'C2-L2EXC'), ('C2-L6EXC', 'C2-L6EXC', 'C2-L3EXC'), ('C2-L6EXC', 'C2-L6EXC', 'C2-L4EXC'), ('C2-L6EXC', 'C2-L6EXC', 'C2-L5EXC'), ('C2-L6EXC', 'C2-L6EXC', 'C2-L6EXC')]
def get_all_column_combinations():
return [('ALL-ALL', 'ALL-ALL', 'ALL-ALL'), ('ALL-EXC', 'ALL-EXC', 'ALL-EXC'), ('ALL-INH', 'ALL-INH', 'ALL-INH'), ('ALL-L2EXC', 'ALL-L2EXC', 'ALL-L2EXC'), ('ALL-L3EXC', 'ALL-L3EXC', 'ALL-L3EXC'), ('ALL-L4EXC', 'ALL-L4EXC', 'ALL-L4EXC'), ('ALL-L5EXC', 'ALL-L5EXC', 'ALL-L5EXC'), ('ALL-L6EXC', 'ALL-L6EXC', 'ALL-L6EXC'), ('ALL-L2', 'ALL-L2', 'ALL-L2'), ('ALL-L3', 'ALL-L3', 'ALL-L3'), ('ALL-L4', 'ALL-L4', 'ALL-L4'), ('ALL-L5', 'ALL-L5', 'ALL-L5'), ('ALL-L6', 'ALL-L6', 'ALL-L6'), ('ALL-L2INH', 'ALL-L2INH', 'ALL-L2INH'), ('ALL-L3INH', 'ALL-L3INH', 'ALL-L3INH'), ('ALL-L4INH', 'ALL-L4INH', 'ALL-L4INH'), ('ALL-L5INH', 'ALL-L5INH', 'ALL-L5INH'), ('ALL-L6INH', 'ALL-L6INH', 'ALL-L6INH')]
def get_selected_column_combinations():
return [('C1-ALL', 'C2-ALL', 'C3-ALL'), ('D2-ALL', 'C2-ALL', 'E2-ALL'), ('C1-EXC', 'C2-EXC', 'C3-EXC'), ('D2-EXC', 'C2-EXC', 'E2-EXC'), ('C1-INH', 'C2-INH', 'C3-INH'), ('D2-INH', 'C2-INH', 'E2-INH')]
def get_intersomatic_distance_combinations():
return [('C2-ALL#0#100#A', 'C2-ALL#0#100#B', 'C2-ALL#0#100#C'), ('C2-ALL#100#200#A', 'C2-ALL#100#200#B', 'C2-ALL#100#200#C'), ('C2-ALL#200#inf#A', 'C2-ALL#200#inf#B', 'C2-ALL#200#inf#C'), ('C2-EXC#0#100#A', 'C2-EXC#0#100#B', 'C2-EXC#0#100#C'), ('C2-EXC#100#200#A', 'C2-EXC#100#200#B', 'C2-EXC#100#200#C'), ('C2-EXC#200#inf#A', 'C2-EXC#200#inf#B', 'C2-EXC#200#inf#C'), ('C2-INH#0#100#A', 'C2-INH#0#100#B', 'C2-INH#0#100#C'), ('C2-INH#100#200#A', 'C2-INH#100#200#B', 'C2-INH#100#200#C'), ('C2-INH#200#inf#A', 'C2-INH#200#inf#B', 'C2-INH#200#inf#C')]
def get_h01_layer_combinations():
return [('H01-ALL-LX-50#null-model', 'H01-ALL-LX-50#null-model', 'H01-ALL-LX-50#null-model'), ('H01-ALL-L2-50#null-model', 'H01-ALL-L2-50#null-model', 'H01-ALL-L2-50#null-model'), ('H01-ALL-L3-50#null-model', 'H01-ALL-L3-50#null-model', 'H01-ALL-L3-50#null-model'), ('H01-ALL-L4-50#null-model', 'H01-ALL-L4-50#null-model', 'H01-ALL-L4-50#null-model'), ('H01-ALL-L5-50#null-model', 'H01-ALL-L5-50#null-model', 'H01-ALL-L5-50#null-model'), ('H01-ALL-L6-50#null-model', 'H01-ALL-L6-50#null-model', 'H01-ALL-L6-50#null-model'), ('H01-ALL-LX-50', 'H01-ALL-LX-50', 'H01-ALL-LX-50'), ('H01-ALL-L2-50', 'H01-ALL-L2-50', 'H01-ALL-L2-50'), ('H01-ALL-L3-50', 'H01-ALL-L3-50', 'H01-ALL-L3-50'), ('H01-ALL-L4-50', 'H01-ALL-L4-50', 'H01-ALL-L4-50'), ('H01-ALL-L5-50', 'H01-ALL-L5-50', 'H01-ALL-L5-50'), ('H01-ALL-L6-50', 'H01-ALL-L6-50', 'H01-ALL-L6-50'), ('H01-ALL-LX-100#null-model', 'H01-ALL-LX-100#null-model', 'H01-ALL-LX-100#null-model'), ('H01-ALL-L2-100#null-model', 'H01-ALL-L2-100#null-model', 'H01-ALL-L2-100#null-model'), ('H01-ALL-L3-100#null-model', 'H01-ALL-L3-100#null-model', 'H01-ALL-L3-100#null-model'), ('H01-ALL-L4-100#null-model', 'H01-ALL-L4-100#null-model', 'H01-ALL-L4-100#null-model'), ('H01-ALL-L5-100#null-model', 'H01-ALL-L5-100#null-model', 'H01-ALL-L5-100#null-model'), ('H01-ALL-L6-100#null-model', 'H01-ALL-L6-100#null-model', 'H01-ALL-L6-100#null-model'), ('H01-ALL-LX-100', 'H01-ALL-LX-100', 'H01-ALL-LX-100'), ('H01-ALL-L2-100', 'H01-ALL-L2-100', 'H01-ALL-L2-100'), ('H01-ALL-L3-100', 'H01-ALL-L3-100', 'H01-ALL-L3-100'), ('H01-ALL-L4-100', 'H01-ALL-L4-100', 'H01-ALL-L4-100'), ('H01-ALL-L5-100', 'H01-ALL-L5-100', 'H01-ALL-L5-100'), ('H01-ALL-L6-100', 'H01-ALL-L6-100', 'H01-ALL-L6-100'), ('H01-ALL-LX-150#null-model', 'H01-ALL-LX-150#null-model', 'H01-ALL-LX-150#null-model'), ('H01-ALL-L2-150#null-model', 'H01-ALL-L2-150#null-model', 'H01-ALL-L2-150#null-model'), ('H01-ALL-L3-150#null-model', 'H01-ALL-L3-150#null-model', 'H01-ALL-L3-150#null-model'), ('H01-ALL-L4-150#null-model', 'H01-ALL-L4-150#null-model', 'H01-ALL-L4-150#null-model'), ('H01-ALL-L5-150#null-model', 'H01-ALL-L5-150#null-model', 'H01-ALL-L5-150#null-model'), ('H01-ALL-L6-150#null-model', 'H01-ALL-L6-150#null-model', 'H01-ALL-L6-150#null-model'), ('H01-ALL-LX-150', 'H01-ALL-LX-150', 'H01-ALL-LX-150'), ('H01-ALL-L2-150', 'H01-ALL-L2-150', 'H01-ALL-L2-150'), ('H01-ALL-L3-150', 'H01-ALL-L3-150', 'H01-ALL-L3-150'), ('H01-ALL-L4-150', 'H01-ALL-L4-150', 'H01-ALL-L4-150'), ('H01-ALL-L5-150', 'H01-ALL-L5-150', 'H01-ALL-L5-150'), ('H01-ALL-L6-150', 'H01-ALL-L6-150', 'H01-ALL-L6-150'), ('H01-ALL-LX-200#null-model', 'H01-ALL-LX-200#null-model', 'H01-ALL-LX-200#null-model'), ('H01-ALL-L2-200#null-model', 'H01-ALL-L2-200#null-model', 'H01-ALL-L2-200#null-model'), ('H01-ALL-L3-200#null-model', 'H01-ALL-L3-200#null-model', 'H01-ALL-L3-200#null-model'), ('H01-ALL-L4-200#null-model', 'H01-ALL-L4-200#null-model', 'H01-ALL-L4-200#null-model'), ('H01-ALL-L5-200#null-model', 'H01-ALL-L5-200#null-model', 'H01-ALL-L5-200#null-model'), ('H01-ALL-L6-200#null-model', 'H01-ALL-L6-200#null-model', 'H01-ALL-L6-200#null-model'), ('H01-ALL-LX-200', 'H01-ALL-LX-200', 'H01-ALL-LX-200'), ('H01-ALL-L2-200', 'H01-ALL-L2-200', 'H01-ALL-L2-200'), ('H01-ALL-L3-200', 'H01-ALL-L3-200', 'H01-ALL-L3-200'), ('H01-ALL-L4-200', 'H01-ALL-L4-200', 'H01-ALL-L4-200'), ('H01-ALL-L5-200', 'H01-ALL-L5-200', 'H01-ALL-L5-200'), ('H01-ALL-L6-200', 'H01-ALL-L6-200', 'H01-ALL-L6-200')]
def get_h01_pyramidal_combinations():
return [('H01-PYR-L2-50#null-model', 'H01-PYR-L2-50#null-model', 'H01-PYR-L2-50#null-model'), ('H01-PYR-L3-50#null-model', 'H01-PYR-L3-50#null-model', 'H01-PYR-L3-50#null-model'), ('H01-PYR-L4-50#null-model', 'H01-PYR-L4-50#null-model', 'H01-PYR-L4-50#null-model'), ('H01-PYR-L5-50#null-model', 'H01-PYR-L5-50#null-model', 'H01-PYR-L5-50#null-model'), ('H01-PYR-L6-50#null-model', 'H01-PYR-L6-50#null-model', 'H01-PYR-L6-50#null-model'), ('H01-PYR-L2-50', 'H01-PYR-L2-50', 'H01-PYR-L2-50'), ('H01-PYR-L3-50', 'H01-PYR-L3-50', 'H01-PYR-L3-50'), ('H01-PYR-L4-50', 'H01-PYR-L4-50', 'H01-PYR-L4-50'), ('H01-PYR-L5-50', 'H01-PYR-L5-50', 'H01-PYR-L5-50'), ('H01-PYR-L6-50', 'H01-PYR-L6-50', 'H01-PYR-L6-50'), ('H01-PYR-L2-100#null-model', 'H01-PYR-L2-100#null-model', 'H01-PYR-L2-100#null-model'), ('H01-PYR-L3-100#null-model', 'H01-PYR-L3-100#null-model', 'H01-PYR-L3-100#null-model'), ('H01-PYR-L4-100#null-model', 'H01-PYR-L4-100#null-model', 'H01-PYR-L4-100#null-model'), ('H01-PYR-L5-100#null-model', 'H01-PYR-L5-100#null-model', 'H01-PYR-L5-100#null-model'), ('H01-PYR-L6-100#null-model', 'H01-PYR-L6-100#null-model', 'H01-PYR-L6-100#null-model'), ('H01-PYR-L2-100', 'H01-PYR-L2-100', 'H01-PYR-L2-100'), ('H01-PYR-L3-100', 'H01-PYR-L3-100', 'H01-PYR-L3-100'), ('H01-PYR-L4-100', 'H01-PYR-L4-100', 'H01-PYR-L4-100'), ('H01-PYR-L5-100', 'H01-PYR-L5-100', 'H01-PYR-L5-100'), ('H01-PYR-L6-100', 'H01-PYR-L6-100', 'H01-PYR-L6-100'), ('H01-PYR-L2-150#null-model', 'H01-PYR-L2-150#null-model', 'H01-PYR-L2-150#null-model'), ('H01-PYR-L3-150#null-model', 'H01-PYR-L3-150#null-model', 'H01-PYR-L3-150#null-model'), ('H01-PYR-L4-150#null-model', 'H01-PYR-L4-150#null-model', 'H01-PYR-L4-150#null-model'), ('H01-PYR-L5-150#null-model', 'H01-PYR-L5-150#null-model', 'H01-PYR-L5-150#null-model'), ('H01-PYR-L6-150#null-model', 'H01-PYR-L6-150#null-model', 'H01-PYR-L6-150#null-model'), ('H01-PYR-L2-150', 'H01-PYR-L2-150', 'H01-PYR-L2-150'), ('H01-PYR-L3-150', 'H01-PYR-L3-150', 'H01-PYR-L3-150'), ('H01-PYR-L4-150', 'H01-PYR-L4-150', 'H01-PYR-L4-150'), ('H01-PYR-L5-150', 'H01-PYR-L5-150', 'H01-PYR-L5-150'), ('H01-PYR-L6-150', 'H01-PYR-L6-150', 'H01-PYR-L6-150'), ('H01-PYR-L2-200#null-model', 'H01-PYR-L2-200#null-model', 'H01-PYR-L2-200#null-model'), ('H01-PYR-L3-200#null-model', 'H01-PYR-L3-200#null-model', 'H01-PYR-L3-200#null-model'), ('H01-PYR-L4-200#null-model', 'H01-PYR-L4-200#null-model', 'H01-PYR-L4-200#null-model'), ('H01-PYR-L5-200#null-model', 'H01-PYR-L5-200#null-model', 'H01-PYR-L5-200#null-model'), ('H01-PYR-L6-200#null-model', 'H01-PYR-L6-200#null-model', 'H01-PYR-L6-200#null-model'), ('H01-PYR-L2-200', 'H01-PYR-L2-200', 'H01-PYR-L2-200'), ('H01-PYR-L3-200', 'H01-PYR-L3-200', 'H01-PYR-L3-200'), ('H01-PYR-L4-200', 'H01-PYR-L4-200', 'H01-PYR-L4-200'), ('H01-PYR-L5-200', 'H01-PYR-L5-200', 'H01-PYR-L5-200'), ('H01-PYR-L6-200', 'H01-PYR-L6-200', 'H01-PYR-L6-200')] |
# Link to flowcharts:
# https://drive.google.com/file/d/12xTQSyUeeSIWUDkwn3nWW-KHMmj31Rxy/view?usp=sharing
# Find the sum of n elements of the following series of numbers: 1 -0.5 0.25 -0.125 ...
# The number of items (n) is entered from the keyboard.
print( "Find the sum of a certain number of elements in a series of numbers")
n = int (input("Enter the number of elements:"))
x = 1
y = 0
for i in range(n):
y = x + y
x = x / -2
print("amount {}".format(y))
| print('Find the sum of a certain number of elements in a series of numbers')
n = int(input('Enter the number of elements:'))
x = 1
y = 0
for i in range(n):
y = x + y
x = x / -2
print('amount {}'.format(y)) |
def math():
number = int(input())
if number <= 1:
print('Top 1')
elif number <= 3:
print('Top 3')
elif number <= 5:
print('Top 5')
elif number <= 10:
print('Top 10')
elif number <= 25:
print('Top 25')
elif number <= 50:
print('Top 50')
elif number <= 100:
print('Top 100')
if __name__ == '__main__':
math()
| def math():
number = int(input())
if number <= 1:
print('Top 1')
elif number <= 3:
print('Top 3')
elif number <= 5:
print('Top 5')
elif number <= 10:
print('Top 10')
elif number <= 25:
print('Top 25')
elif number <= 50:
print('Top 50')
elif number <= 100:
print('Top 100')
if __name__ == '__main__':
math() |
# this program reads an integer from input representing someone's age and prints the votabillity of the user.
try:
a = int(input("enter age"))
if a >= 18:#caters for age from 18 and above.
print("you can vote")
elif 0 <= a <= 17:
print("too young to vote")
elif a < 0:
print("you are a time traveller")
except:
print(" only a digit input required please")
# The compiler will print an error message if the user enters wrong data formats
| try:
a = int(input('enter age'))
if a >= 18:
print('you can vote')
elif 0 <= a <= 17:
print('too young to vote')
elif a < 0:
print('you are a time traveller')
except:
print(' only a digit input required please') |
# Copyright (c) 2018 Daniel Mark Gass
# Licensed under the MIT License
# http://opensource.org/licenses/MIT
__all__ = ('__title__', '__summary__', '__uri__', '__version_info__',
'__version__', '__author__', '__maintainer__', '__email__',
'__copyright__', '__license__')
__title__ = "baseline"
__summary__ = "Ease maintenance of baselined text."
__uri__ = "https://github.com/dmgass/baseline"
__version_info__ = type("version_info", (), dict(serial=1,
major=0, minor=1, micro=0, releaselevel="alpha"))
__version__ = "{0.major}.{0.minor}.{0.micro}{1}{2}".format(__version_info__,
dict(final="", alpha="a", beta="b", rc="rc")[__version_info__.releaselevel],
"" if __version_info__.releaselevel == "final" else __version_info__.serial)
__author__ = "Daniel Mark Gass"
__maintainer__ = "Daniel Mark Gass"
__email__ = "dan.gass@gmail.com"
__copyright__ = "Copyright 2018 {0}".format(__author__)
__license__ = "MIT License ; {0}".format(
"http://opensource.org/licenses/MIT")
| __all__ = ('__title__', '__summary__', '__uri__', '__version_info__', '__version__', '__author__', '__maintainer__', '__email__', '__copyright__', '__license__')
__title__ = 'baseline'
__summary__ = 'Ease maintenance of baselined text.'
__uri__ = 'https://github.com/dmgass/baseline'
__version_info__ = type('version_info', (), dict(serial=1, major=0, minor=1, micro=0, releaselevel='alpha'))
__version__ = '{0.major}.{0.minor}.{0.micro}{1}{2}'.format(__version_info__, dict(final='', alpha='a', beta='b', rc='rc')[__version_info__.releaselevel], '' if __version_info__.releaselevel == 'final' else __version_info__.serial)
__author__ = 'Daniel Mark Gass'
__maintainer__ = 'Daniel Mark Gass'
__email__ = 'dan.gass@gmail.com'
__copyright__ = 'Copyright 2018 {0}'.format(__author__)
__license__ = 'MIT License ; {0}'.format('http://opensource.org/licenses/MIT') |
#Day 2:
#Python program to find Fibonacci series up to n
#Step 1. Start
#Step 2. Take a user input and store into int type num variable.
#Step 3. Initialize n1, n2 variable to 0, 1.
#Step 4. Run a for loop starts from 2 to num value.
#Step 5. Inside for loop, using arithmetic addition method, and calculate the n3, where n3 = n1 + n2. Then initialize n1 = n2 and n2 = n3.
#Step 6. Print n3 inside the loop.
#Stop 7. Stop
num = int(input("Enter a number: "))
n1 = 0
n2 = 1
print("Fibonacci Series: ", n1, n2, end = " ")
for i in range(2, num):
n3 = n1 + n2
n1 = n2
n2 = n3
print(n3, end = " ")
print() | num = int(input('Enter a number: '))
n1 = 0
n2 = 1
print('Fibonacci Series: ', n1, n2, end=' ')
for i in range(2, num):
n3 = n1 + n2
n1 = n2
n2 = n3
print(n3, end=' ')
print() |
file = open("example.txt", 'w')
lines = ["Custom Line 1", "Custom Line 2", "Custom Line 3"]
for line in lines:
file.write(line + "\n")
file.close()
| file = open('example.txt', 'w')
lines = ['Custom Line 1', 'Custom Line 2', 'Custom Line 3']
for line in lines:
file.write(line + '\n')
file.close() |
# -*- coding: utf-8 -*-
"""
Created on Sun Jul 25 11:11:55 2021
@author: alber
"""
PATH_AFF_LEXICON = "datasets/affective-lexicons"
PATH_POEMS = "datasets/per-sonnet"
PATH_POEMS_SXX = "datasets/per-sonnets-xx"
PATH_GROUND_TRUTH = "datasets/ground-truth"
PATH_RESULTS = "results" | """
Created on Sun Jul 25 11:11:55 2021
@author: alber
"""
path_aff_lexicon = 'datasets/affective-lexicons'
path_poems = 'datasets/per-sonnet'
path_poems_sxx = 'datasets/per-sonnets-xx'
path_ground_truth = 'datasets/ground-truth'
path_results = 'results' |
BALANCED_CLASS_DISTRIBUTION = {
'INDUSTRIAL': 0.25,
'PUBLIC': 0.16,
'RETAIL': 0.11,
'OFFICE': 0.1,
'OTHER': 0.07,
'AGRICULTURE': 0.02,
'RESIDENTIAL': 0.29
}
BALANCED = 'balanced'
IMBALANCED = 'imbalanced'
ALL = 'all'
DATA_SET_TYPES = [BALANCED, IMBALANCED, ALL]
MODELATE_RAW_DATA_SET = 'Modelar_UH2020.txt'
ESTIMATE_RAW_DATA_SET = 'Estimar_UH2020.txt'
TRAIN = 'train'
TEST = 'test'
DATA_FILE_NAMES_BALANCED = {
TRAIN: '{}_data_{}.csv'.format(TRAIN, BALANCED),
TEST: '{}_data_{}.csv'.format(TEST, BALANCED),
}
DATA_FILE_NAMES_IMBALANCED = {
TRAIN: '{}_data_{}.csv'.format(TRAIN, IMBALANCED),
TEST: '{}_data_{}.csv'.format(TEST, IMBALANCED),
}
# Numeric Transfromation
SQRT = 'sqrt'
LOG_TRANSFORMATION = 'log'
QUAD = 'quad'
# Cadastral Quality Order
CADASTRAL_QUALITY_ORDER = ['9', '8', '7', '6', '5', '4', '3', '2', '1', 'C', 'B', 'A']
# Columns
NOT_TRANSFORMED_COLUMNS = [
'X',
'Y',
'Q_R_4_0_0',
'Q_R_4_0_1',
'Q_R_4_0_2',
'Q_R_4_0_3',
'Q_R_4_0_4',
'Q_R_4_0_5',
'Q_R_4_0_6',
'Q_R_4_0_7',
'Q_R_4_0_8',
'Q_R_4_0_9',
'Q_R_4_1_0',
'Q_G_3_0_0',
'Q_G_3_0_1',
'Q_G_3_0_2',
'Q_G_3_0_3',
'Q_G_3_0_4',
'Q_G_3_0_5',
'Q_G_3_0_6',
'Q_G_3_0_7',
'Q_G_3_0_8',
'Q_G_3_0_9',
'Q_G_3_1_0',
'Q_B_2_0_0',
'Q_B_2_0_1',
'Q_B_2_0_2',
'Q_B_2_0_3',
'Q_B_2_0_4',
'Q_B_2_0_5',
'Q_B_2_0_6',
'Q_B_2_0_7',
'Q_B_2_0_8',
'Q_B_2_0_9',
'Q_B_2_1_0',
'Q_NIR_8_0_0',
'Q_NIR_8_0_1',
'Q_NIR_8_0_2',
'Q_NIR_8_0_3',
'Q_NIR_8_0_4',
'Q_NIR_8_0_5',
'Q_NIR_8_0_6',
'Q_NIR_8_0_7',
'Q_NIR_8_0_8',
'Q_NIR_8_0_9',
'Q_NIR_8_1_0',
'GEOM_R1',
'GEOM_R2',
'GEOM_R3',
'GEOM_R4',
'CONTRUCTIONYEAR',
]
NOT_CORRELATED_FEATURES = [
'X',
'Y',
'Q_R_4_0_1',
'Q_R_4_0_5',
'Q_R_4_1_0',
'Q_G_3_0_1',
'Q_G_3_0_5',
'Q_G_3_1_0',
'Q_B_2_0_1',
'Q_B_2_0_5',
'Q_B_2_1_0',
'Q_NIR_8_0_1',
'Q_NIR_8_0_5',
'Q_NIR_8_1_0',
'GEOM_R1',
'GEOM_R2',
'GEOM_R3',
'GEOM_R4',
'CONTRUCTIONYEAR',
]
# SENTINEL INDEXES
B8 = 'Q_NIR_8_0_5'
B4 = 'Q_R_4_0_5'
B3 = 'Q_G_3_0_5'
B2 = 'Q_B_2_0_5'
SAVI = 'SAVI'
PSSR = 'PSSR'
EVI = 'EVI'
EVI2 = 'EVI2'
SAVI_L = 0.483
TARGET_FEATURE = 'CLASE'
COORDINATES = ['X', 'Y']
GEOMS = ['GEOM_R1', 'GEOM_R2', 'GEOM_R3', 'GEOM_R4']
CADASTRAL_QUALITY = 'CADASTRALQUALITYID'
AREA = 'AREA'
BUILDING_YEAR = 'CONTRUCTIONYEAR'
ID = 'ID'
COLUMNS_TO_DUMP = [ID, TARGET_FEATURE]
| balanced_class_distribution = {'INDUSTRIAL': 0.25, 'PUBLIC': 0.16, 'RETAIL': 0.11, 'OFFICE': 0.1, 'OTHER': 0.07, 'AGRICULTURE': 0.02, 'RESIDENTIAL': 0.29}
balanced = 'balanced'
imbalanced = 'imbalanced'
all = 'all'
data_set_types = [BALANCED, IMBALANCED, ALL]
modelate_raw_data_set = 'Modelar_UH2020.txt'
estimate_raw_data_set = 'Estimar_UH2020.txt'
train = 'train'
test = 'test'
data_file_names_balanced = {TRAIN: '{}_data_{}.csv'.format(TRAIN, BALANCED), TEST: '{}_data_{}.csv'.format(TEST, BALANCED)}
data_file_names_imbalanced = {TRAIN: '{}_data_{}.csv'.format(TRAIN, IMBALANCED), TEST: '{}_data_{}.csv'.format(TEST, IMBALANCED)}
sqrt = 'sqrt'
log_transformation = 'log'
quad = 'quad'
cadastral_quality_order = ['9', '8', '7', '6', '5', '4', '3', '2', '1', 'C', 'B', 'A']
not_transformed_columns = ['X', 'Y', 'Q_R_4_0_0', 'Q_R_4_0_1', 'Q_R_4_0_2', 'Q_R_4_0_3', 'Q_R_4_0_4', 'Q_R_4_0_5', 'Q_R_4_0_6', 'Q_R_4_0_7', 'Q_R_4_0_8', 'Q_R_4_0_9', 'Q_R_4_1_0', 'Q_G_3_0_0', 'Q_G_3_0_1', 'Q_G_3_0_2', 'Q_G_3_0_3', 'Q_G_3_0_4', 'Q_G_3_0_5', 'Q_G_3_0_6', 'Q_G_3_0_7', 'Q_G_3_0_8', 'Q_G_3_0_9', 'Q_G_3_1_0', 'Q_B_2_0_0', 'Q_B_2_0_1', 'Q_B_2_0_2', 'Q_B_2_0_3', 'Q_B_2_0_4', 'Q_B_2_0_5', 'Q_B_2_0_6', 'Q_B_2_0_7', 'Q_B_2_0_8', 'Q_B_2_0_9', 'Q_B_2_1_0', 'Q_NIR_8_0_0', 'Q_NIR_8_0_1', 'Q_NIR_8_0_2', 'Q_NIR_8_0_3', 'Q_NIR_8_0_4', 'Q_NIR_8_0_5', 'Q_NIR_8_0_6', 'Q_NIR_8_0_7', 'Q_NIR_8_0_8', 'Q_NIR_8_0_9', 'Q_NIR_8_1_0', 'GEOM_R1', 'GEOM_R2', 'GEOM_R3', 'GEOM_R4', 'CONTRUCTIONYEAR']
not_correlated_features = ['X', 'Y', 'Q_R_4_0_1', 'Q_R_4_0_5', 'Q_R_4_1_0', 'Q_G_3_0_1', 'Q_G_3_0_5', 'Q_G_3_1_0', 'Q_B_2_0_1', 'Q_B_2_0_5', 'Q_B_2_1_0', 'Q_NIR_8_0_1', 'Q_NIR_8_0_5', 'Q_NIR_8_1_0', 'GEOM_R1', 'GEOM_R2', 'GEOM_R3', 'GEOM_R4', 'CONTRUCTIONYEAR']
b8 = 'Q_NIR_8_0_5'
b4 = 'Q_R_4_0_5'
b3 = 'Q_G_3_0_5'
b2 = 'Q_B_2_0_5'
savi = 'SAVI'
pssr = 'PSSR'
evi = 'EVI'
evi2 = 'EVI2'
savi_l = 0.483
target_feature = 'CLASE'
coordinates = ['X', 'Y']
geoms = ['GEOM_R1', 'GEOM_R2', 'GEOM_R3', 'GEOM_R4']
cadastral_quality = 'CADASTRALQUALITYID'
area = 'AREA'
building_year = 'CONTRUCTIONYEAR'
id = 'ID'
columns_to_dump = [ID, TARGET_FEATURE] |
def twoNumberSum(array, targetSum):
# Write your code here.
for i in range (len(array)-1):
firstNum = array[i]
for j in range (i+1,len(array)):
secondNum =array[j]
if firstNum +secondNum ==targetSum:
return [firstNum,secondNum]
return []
| def two_number_sum(array, targetSum):
for i in range(len(array) - 1):
first_num = array[i]
for j in range(i + 1, len(array)):
second_num = array[j]
if firstNum + secondNum == targetSum:
return [firstNum, secondNum]
return [] |
# a = 32
#
# if a % 2 == 0:
# print("THE NUMBER IS EVEN")
# else:
# print("THE NUMBER IS ODD")
counter = 0
while counter < 100:
counter += 1
if counter % 9 == 0:
print(str(counter) + "!!!!")
elif counter % 5 == 0:
print(str(counter) + "!!!")
elif counter % 3 == 0:
print(str(counter) + "!!")
elif counter % 2 == 0:
print(str(counter) + "!")
else:
print(counter)
| counter = 0
while counter < 100:
counter += 1
if counter % 9 == 0:
print(str(counter) + '!!!!')
elif counter % 5 == 0:
print(str(counter) + '!!!')
elif counter % 3 == 0:
print(str(counter) + '!!')
elif counter % 2 == 0:
print(str(counter) + '!')
else:
print(counter) |
class Person:
def __init__(self, name):
self.name = name
class Email:
def __init__(self, sender, recipient, content):
self.sender = sender
self.recipient = recipient
self.content = content
self.is_sent = False
def send(self):
self.is_sent = True
def get_info(self):
return f"{self.sender.name} says to {self.recipient.name}: {self.content}. Sent: {self.is_sent}"
class MailBox:
def __init__(self):
self.emails = []
def add_email(self, email):
self.emails.append(email)
def send_emails(self, indexes):
for i in indexes:
self.emails[i].send()
def get_all_emails_info(self):
all_info = ""
for email in self.emails:
all_info += f"{email.get_info()}\n"
return all_info
mailbox = MailBox()
while True:
command = input()
if command == "Stop":
break
sender_name, recipient_name, content = command.split(" ", maxsplit=2)
sender = Person(sender_name)
recipient = Person(recipient_name)
email = Email(sender, recipient, content)
mailbox.add_email(email)
sent_indexes = [int(i.strip()) for i in input().split(",")]
mailbox.send_emails(sent_indexes)
print(mailbox.get_all_emails_info())
| class Person:
def __init__(self, name):
self.name = name
class Email:
def __init__(self, sender, recipient, content):
self.sender = sender
self.recipient = recipient
self.content = content
self.is_sent = False
def send(self):
self.is_sent = True
def get_info(self):
return f'{self.sender.name} says to {self.recipient.name}: {self.content}. Sent: {self.is_sent}'
class Mailbox:
def __init__(self):
self.emails = []
def add_email(self, email):
self.emails.append(email)
def send_emails(self, indexes):
for i in indexes:
self.emails[i].send()
def get_all_emails_info(self):
all_info = ''
for email in self.emails:
all_info += f'{email.get_info()}\n'
return all_info
mailbox = mail_box()
while True:
command = input()
if command == 'Stop':
break
(sender_name, recipient_name, content) = command.split(' ', maxsplit=2)
sender = person(sender_name)
recipient = person(recipient_name)
email = email(sender, recipient, content)
mailbox.add_email(email)
sent_indexes = [int(i.strip()) for i in input().split(',')]
mailbox.send_emails(sent_indexes)
print(mailbox.get_all_emails_info()) |
"""List of parameters for the simulation.
"""
NUM_VALIDATORS = 100 # number of validators at each checkpoint
VALIDATOR_IDS = list(range(0, NUM_VALIDATORS * 2)) # set of validators
INITIAL_VALIDATORS = list(range(0, NUM_VALIDATORS)) # set of validators for root
BLOCK_PROPOSAL_TIME = 100 # adds a block every 100 ticks
EPOCH_SIZE = 5 # checkpoint every 5 blocks
AVG_LATENCY = 10 # average latency of the network (in number of ticks)
NUM_EPOCH = 100
SUPER_MAJORITY = 0.67
| """List of parameters for the simulation.
"""
num_validators = 100
validator_ids = list(range(0, NUM_VALIDATORS * 2))
initial_validators = list(range(0, NUM_VALIDATORS))
block_proposal_time = 100
epoch_size = 5
avg_latency = 10
num_epoch = 100
super_majority = 0.67 |
EMOJIS = {
"+1": "\ud83d\udc4d",
"-1": "\ud83d\udc4e",
"100": "\ud83d\udcaf",
"1234": "\ud83d\udd22",
"8ball": "\ud83c\udfb1",
"a": "\ud83c\udd70\ufe0f",
"ab": "\ud83c\udd8e",
"abc": "\ud83d\udd24",
"abcd": "\ud83d\udd21",
"accept": "\ud83c\ude51",
"admission_tickets": "\ud83c\udf9f\ufe0f",
"adult": "\ud83e\uddd1",
"aerial_tramway": "\ud83d\udea1",
"airplane": "\u2708\ufe0f",
"airplane_arriving": "\ud83d\udeec",
"airplane_departure": "\ud83d\udeeb",
"alarm_clock": "\u23f0",
"alembic": "\u2697\ufe0f",
"alien": "\ud83d\udc7d",
"ambulance": "\ud83d\ude91",
"amphora": "\ud83c\udffa",
"anchor": "\u2693",
"angel": "\ud83d\udc7c",
"anger": "\ud83d\udca2",
"angry": "\ud83d\ude20",
"anguished": "\ud83d\ude27",
"ant": "\ud83d\udc1c",
"apple": "\ud83c\udf4e",
"aquarius": "\u2652",
"aries": "\u2648",
"arrow_backward": "\u25c0\ufe0f",
"arrow_double_down": "\u23ec",
"arrow_double_up": "\u23eb",
"arrow_down": "\u2b07\ufe0f",
"arrow_down_small": "\ud83d\udd3d",
"arrow_forward": "\u25b6\ufe0f",
"arrow_heading_down": "\u2935\ufe0f",
"arrow_heading_up": "\u2934\ufe0f",
"arrow_left": "\u2b05\ufe0f",
"arrow_lower_left": "\u2199\ufe0f",
"arrow_lower_right": "\u2198\ufe0f",
"arrow_right": "\u27a1\ufe0f",
"arrow_right_hook": "\u21aa\ufe0f",
"arrow_up": "\u2b06\ufe0f",
"arrow_up_down": "\u2195\ufe0f",
"arrow_up_small": "\ud83d\udd3c",
"arrow_upper_left": "\u2196\ufe0f",
"arrow_upper_right": "\u2197\ufe0f",
"arrows_clockwise": "\ud83d\udd03",
"arrows_counterclockwise": "\ud83d\udd04",
"art": "\ud83c\udfa8",
"articulated_lorry": "\ud83d\ude9b",
"astonished": "\ud83d\ude32",
"athletic_shoe": "\ud83d\udc5f",
"atm": "\ud83c\udfe7",
"atom_symbol": "\u269b\ufe0f",
"avocado": "\ud83e\udd51",
"b": "\ud83c\udd71\ufe0f",
"baby": "\ud83d\udc76",
"baby_bottle": "\ud83c\udf7c",
"baby_chick": "\ud83d\udc24",
"baby_symbol": "\ud83d\udebc",
"back": "\ud83d\udd19",
"bacon": "\ud83e\udd53",
"badminton_racquet_and_shuttlecock": "\ud83c\udff8",
"baggage_claim": "\ud83d\udec4",
"baguette_bread": "\ud83e\udd56",
"balloon": "\ud83c\udf88",
"ballot_box_with_ballot": "\ud83d\uddf3\ufe0f",
"ballot_box_with_check": "\u2611\ufe0f",
"bamboo": "\ud83c\udf8d",
"banana": "\ud83c\udf4c",
"bangbang": "\u203c\ufe0f",
"bank": "\ud83c\udfe6",
"bar_chart": "\ud83d\udcca",
"barber": "\ud83d\udc88",
"barely_sunny": "\ud83c\udf25\ufe0f",
"baseball": "\u26be",
"basketball": "\ud83c\udfc0",
"bat": "\ud83e\udd87",
"bath": "\ud83d\udec0",
"bathtub": "\ud83d\udec1",
"battery": "\ud83d\udd0b",
"beach_with_umbrella": "\ud83c\udfd6\ufe0f",
"bear": "\ud83d\udc3b",
"bearded_person": "\ud83e\uddd4",
"bed": "\ud83d\udecf\ufe0f",
"bee": "\ud83d\udc1d",
"beer": "\ud83c\udf7a",
"beers": "\ud83c\udf7b",
"beetle": "\ud83d\udc1e",
"beginner": "\ud83d\udd30",
"bell": "\ud83d\udd14",
"bellhop_bell": "\ud83d\udece\ufe0f",
"bento": "\ud83c\udf71",
"bicyclist": "\ud83d\udeb4",
"bike": "\ud83d\udeb2",
"bikini": "\ud83d\udc59",
"billed_cap": "\ud83e\udde2",
"biohazard_sign": "\u2623\ufe0f",
"bird": "\ud83d\udc26",
"birthday": "\ud83c\udf82",
"black_circle": "\u26ab",
"black_circle_for_record": "\u23fa\ufe0f",
"black_heart": "\ud83d\udda4",
"black_joker": "\ud83c\udccf",
"black_large_square": "\u2b1b",
"black_left_pointing_double_triangle_with_vertical_bar": "\u23ee\ufe0f",
"black_medium_small_square": "\u25fe",
"black_medium_square": "\u25fc\ufe0f",
"black_nib": "\u2712\ufe0f",
"black_right_pointing_double_triangle_with_vertical_bar": "\u23ed\ufe0f",
"black_right_pointing_triangle_with_double_vertical_bar": "\u23ef\ufe0f",
"black_small_square": "\u25aa\ufe0f",
"black_square_button": "\ud83d\udd32",
"black_square_for_stop": "\u23f9\ufe0f",
"blond-haired-man": "\ud83d\udc71\u200d\u2642\ufe0f",
"blond-haired-woman": "\ud83d\udc71\u200d\u2640\ufe0f",
"blossom": "\ud83c\udf3c",
"blowfish": "\ud83d\udc21",
"blue_book": "\ud83d\udcd8",
"blue_car": "\ud83d\ude99",
"blue_heart": "\ud83d\udc99",
"blush": "\ud83d\ude0a",
"boar": "\ud83d\udc17",
"boat": "\u26f5",
"bomb": "\ud83d\udca3",
"book": "\ud83d\udcd6",
"bookmark": "\ud83d\udd16",
"bookmark_tabs": "\ud83d\udcd1",
"books": "\ud83d\udcda",
"boom": "\ud83d\udca5",
"boot": "\ud83d\udc62",
"bouquet": "\ud83d\udc90",
"bow": "\ud83d\ude47",
"bow_and_arrow": "\ud83c\udff9",
"bowl_with_spoon": "\ud83e\udd63",
"bowling": "\ud83c\udfb3",
"boxing_glove": "\ud83e\udd4a",
"boy": "\ud83d\udc66",
"brain": "\ud83e\udde0",
"bread": "\ud83c\udf5e",
"breast-feeding": "\ud83e\udd31",
"bride_with_veil": "\ud83d\udc70",
"bridge_at_night": "\ud83c\udf09",
"briefcase": "\ud83d\udcbc",
"broccoli": "\ud83e\udd66",
"broken_heart": "\ud83d\udc94",
"bug": "\ud83d\udc1b",
"building_construction": "\ud83c\udfd7\ufe0f",
"bulb": "\ud83d\udca1",
"bullettrain_front": "\ud83d\ude85",
"bullettrain_side": "\ud83d\ude84",
"burrito": "\ud83c\udf2f",
"bus": "\ud83d\ude8c",
"busstop": "\ud83d\ude8f",
"bust_in_silhouette": "\ud83d\udc64",
"busts_in_silhouette": "\ud83d\udc65",
"butterfly": "\ud83e\udd8b",
"cactus": "\ud83c\udf35",
"cake": "\ud83c\udf70",
"calendar": "\ud83d\udcc6",
"call_me_hand": "\ud83e\udd19",
"calling": "\ud83d\udcf2",
"camel": "\ud83d\udc2b",
"camera": "\ud83d\udcf7",
"camera_with_flash": "\ud83d\udcf8",
"camping": "\ud83c\udfd5\ufe0f",
"cancer": "\u264b",
"candle": "\ud83d\udd6f\ufe0f",
"candy": "\ud83c\udf6c",
"canned_food": "\ud83e\udd6b",
"canoe": "\ud83d\udef6",
"capital_abcd": "\ud83d\udd20",
"capricorn": "\u2651",
"car": "\ud83d\ude97",
"card_file_box": "\ud83d\uddc3\ufe0f",
"card_index": "\ud83d\udcc7",
"card_index_dividers": "\ud83d\uddc2\ufe0f",
"carousel_horse": "\ud83c\udfa0",
"carrot": "\ud83e\udd55",
"cat": "\ud83d\udc31",
"cat2": "\ud83d\udc08",
"cd": "\ud83d\udcbf",
"chains": "\u26d3\ufe0f",
"champagne": "\ud83c\udf7e",
"chart": "\ud83d\udcb9",
"chart_with_downwards_trend": "\ud83d\udcc9",
"chart_with_upwards_trend": "\ud83d\udcc8",
"checkered_flag": "\ud83c\udfc1",
"cheese_wedge": "\ud83e\uddc0",
"cherries": "\ud83c\udf52",
"cherry_blossom": "\ud83c\udf38",
"chestnut": "\ud83c\udf30",
"chicken": "\ud83d\udc14",
"child": "\ud83e\uddd2",
"children_crossing": "\ud83d\udeb8",
"chipmunk": "\ud83d\udc3f\ufe0f",
"chocolate_bar": "\ud83c\udf6b",
"chopsticks": "\ud83e\udd62",
"christmas_tree": "\ud83c\udf84",
"church": "\u26ea",
"cinema": "\ud83c\udfa6",
"circus_tent": "\ud83c\udfaa",
"city_sunrise": "\ud83c\udf07",
"city_sunset": "\ud83c\udf06",
"cityscape": "\ud83c\udfd9\ufe0f",
"cl": "\ud83c\udd91",
"clap": "\ud83d\udc4f",
"clapper": "\ud83c\udfac",
"classical_building": "\ud83c\udfdb\ufe0f",
"clinking_glasses": "\ud83e\udd42",
"clipboard": "\ud83d\udccb",
"clock1": "\ud83d\udd50",
"clock10": "\ud83d\udd59",
"clock1030": "\ud83d\udd65",
"clock11": "\ud83d\udd5a",
"clock1130": "\ud83d\udd66",
"clock12": "\ud83d\udd5b",
"clock1230": "\ud83d\udd67",
"clock130": "\ud83d\udd5c",
"clock2": "\ud83d\udd51",
"clock230": "\ud83d\udd5d",
"clock3": "\ud83d\udd52",
"clock330": "\ud83d\udd5e",
"clock4": "\ud83d\udd53",
"clock430": "\ud83d\udd5f",
"clock5": "\ud83d\udd54",
"clock530": "\ud83d\udd60",
"clock6": "\ud83d\udd55",
"clock630": "\ud83d\udd61",
"clock7": "\ud83d\udd56",
"clock730": "\ud83d\udd62",
"clock8": "\ud83d\udd57",
"clock830": "\ud83d\udd63",
"clock9": "\ud83d\udd58",
"clock930": "\ud83d\udd64",
"closed_book": "\ud83d\udcd5",
"closed_lock_with_key": "\ud83d\udd10",
"closed_umbrella": "\ud83c\udf02",
"cloud": "\u2601\ufe0f",
"clown_face": "\ud83e\udd21",
"clubs": "\u2663\ufe0f",
"cn": "\ud83c\udde8\ud83c\uddf3",
"coat": "\ud83e\udde5",
"cocktail": "\ud83c\udf78",
"coconut": "\ud83e\udd65",
"coffee": "\u2615",
"coffin": "\u26b0\ufe0f",
"cold_sweat": "\ud83d\ude30",
"collision": "\ud83d\udca5",
"comet": "\u2604\ufe0f",
"compression": "\ud83d\udddc\ufe0f",
"computer": "\ud83d\udcbb",
"confetti_ball": "\ud83c\udf8a",
"confounded": "\ud83d\ude16",
"confused": "\ud83d\ude15",
"congratulations": "\u3297\ufe0f",
"construction": "\ud83d\udea7",
"construction_worker": "\ud83d\udc77",
"control_knobs": "\ud83c\udf9b\ufe0f",
"convenience_store": "\ud83c\udfea",
"cookie": "\ud83c\udf6a",
"cooking": "\ud83c\udf73",
"cool": "\ud83c\udd92",
"cop": "\ud83d\udc6e",
"copyright": "\u00a9\ufe0f",
"corn": "\ud83c\udf3d",
"couch_and_lamp": "\ud83d\udecb\ufe0f",
"couple": "\ud83d\udc6b",
"couple_with_heart": "\ud83d\udc91",
"couplekiss": "\ud83d\udc8f",
"cow": "\ud83d\udc2e",
"cow2": "\ud83d\udc04",
"crab": "\ud83e\udd80",
"credit_card": "\ud83d\udcb3",
"crescent_moon": "\ud83c\udf19",
"cricket": "\ud83e\udd97",
"cricket_bat_and_ball": "\ud83c\udfcf",
"crocodile": "\ud83d\udc0a",
"croissant": "\ud83e\udd50",
"crossed_fingers": "\ud83e\udd1e",
"crossed_flags": "\ud83c\udf8c",
"crossed_swords": "\u2694\ufe0f",
"crown": "\ud83d\udc51",
"cry": "\ud83d\ude22",
"crying_cat_face": "\ud83d\ude3f",
"crystal_ball": "\ud83d\udd2e",
"cucumber": "\ud83e\udd52",
"cup_with_straw": "\ud83e\udd64",
"cupid": "\ud83d\udc98",
"curling_stone": "\ud83e\udd4c",
"curly_loop": "\u27b0",
"currency_exchange": "\ud83d\udcb1",
"curry": "\ud83c\udf5b",
"custard": "\ud83c\udf6e",
"customs": "\ud83d\udec3",
"cut_of_meat": "\ud83e\udd69",
"cyclone": "\ud83c\udf00",
"dagger_knife": "\ud83d\udde1\ufe0f",
"dancer": "\ud83d\udc83",
"dancers": "\ud83d\udc6f",
"dango": "\ud83c\udf61",
"dark_sunglasses": "\ud83d\udd76\ufe0f",
"dart": "\ud83c\udfaf",
"dash": "\ud83d\udca8",
"date": "\ud83d\udcc5",
"de": "\ud83c\udde9\ud83c\uddea",
"deciduous_tree": "\ud83c\udf33",
"deer": "\ud83e\udd8c",
"department_store": "\ud83c\udfec",
"derelict_house_building": "\ud83c\udfda\ufe0f",
"desert": "\ud83c\udfdc\ufe0f",
"desert_island": "\ud83c\udfdd\ufe0f",
"desktop_computer": "\ud83d\udda5\ufe0f",
"diamond_shape_with_a_dot_inside": "\ud83d\udca0",
"diamonds": "\u2666\ufe0f",
"disappointed": "\ud83d\ude1e",
"disappointed_relieved": "\ud83d\ude25",
"dizzy": "\ud83d\udcab",
"dizzy_face": "\ud83d\ude35",
"do_not_litter": "\ud83d\udeaf",
"dog": "\ud83d\udc36",
"dog2": "\ud83d\udc15",
"dollar": "\ud83d\udcb5",
"dolls": "\ud83c\udf8e",
"dolphin": "\ud83d\udc2c",
"door": "\ud83d\udeaa",
"double_vertical_bar": "\u23f8\ufe0f",
"doughnut": "\ud83c\udf69",
"dove_of_peace": "\ud83d\udd4a\ufe0f",
"dragon": "\ud83d\udc09",
"dragon_face": "\ud83d\udc32",
"dress": "\ud83d\udc57",
"dromedary_camel": "\ud83d\udc2a",
"drooling_face": "\ud83e\udd24",
"droplet": "\ud83d\udca7",
"drum_with_drumsticks": "\ud83e\udd41",
"duck": "\ud83e\udd86",
"dumpling": "\ud83e\udd5f",
"dvd": "\ud83d\udcc0",
"e-mail": "\ud83d\udce7",
"eagle": "\ud83e\udd85",
"ear": "\ud83d\udc42",
"ear_of_rice": "\ud83c\udf3e",
"earth_africa": "\ud83c\udf0d",
"earth_americas": "\ud83c\udf0e",
"earth_asia": "\ud83c\udf0f",
"egg": "\ud83e\udd5a",
"eggplant": "\ud83c\udf46",
"eight": "8\ufe0f\u20e3",
"eight_pointed_black_star": "\u2734\ufe0f",
"eight_spoked_asterisk": "\u2733\ufe0f",
"eject": "\u23cf\ufe0f",
"electric_plug": "\ud83d\udd0c",
"elephant": "\ud83d\udc18",
"elf": "\ud83e\udddd",
"email": "\u2709\ufe0f",
"end": "\ud83d\udd1a",
"envelope": "\u2709\ufe0f",
"envelope_with_arrow": "\ud83d\udce9",
"es": "\ud83c\uddea\ud83c\uddf8",
"euro": "\ud83d\udcb6",
"european_castle": "\ud83c\udff0",
"european_post_office": "\ud83c\udfe4",
"evergreen_tree": "\ud83c\udf32",
"exclamation": "\u2757",
"exploding_head": "\ud83e\udd2f",
"expressionless": "\ud83d\ude11",
"eye": "\ud83d\udc41\ufe0f",
"eye-in-speech-bubble": "\ud83d\udc41\ufe0f\u200d\ud83d\udde8\ufe0f",
"eyeglasses": "\ud83d\udc53",
"eyes": "\ud83d\udc40",
"face_palm": "\ud83e\udd26",
"face_vomiting": "\ud83e\udd2e",
"face_with_cowboy_hat": "\ud83e\udd20",
"face_with_finger_covering_closed_lips": "\ud83e\udd2b",
"face_with_hand_over_mouth": "\ud83e\udd2d",
"face_with_head_bandage": "\ud83e\udd15",
"face_with_monocle": "\ud83e\uddd0",
"face_with_one_eyebrow_raised": "\ud83e\udd28",
"face_with_open_mouth_vomiting": "\ud83e\udd2e",
"face_with_raised_eyebrow": "\ud83e\udd28",
"face_with_rolling_eyes": "\ud83d\ude44",
"face_with_symbols_on_mouth": "\ud83e\udd2c",
"face_with_thermometer": "\ud83e\udd12",
"facepunch": "\ud83d\udc4a",
"factory": "\ud83c\udfed",
"fairy": "\ud83e\uddda",
"fallen_leaf": "\ud83c\udf42",
"family": "\ud83d\udc6a",
"fast_forward": "\u23e9",
"fax": "\ud83d\udce0",
"fearful": "\ud83d\ude28",
"feet": "\ud83d\udc3e",
"female-artist": "\ud83d\udc69\u200d\ud83c\udfa8",
"female-astronaut": "\ud83d\udc69\u200d\ud83d\ude80",
"female-construction-worker": "\ud83d\udc77\u200d\u2640\ufe0f",
"female-cook": "\ud83d\udc69\u200d\ud83c\udf73",
"female-detective": "\ud83d\udd75\ufe0f\u200d\u2640\ufe0f",
"female-doctor": "\ud83d\udc69\u200d\u2695\ufe0f",
"female-factory-worker": "\ud83d\udc69\u200d\ud83c\udfed",
"female-farmer": "\ud83d\udc69\u200d\ud83c\udf3e",
"female-firefighter": "\ud83d\udc69\u200d\ud83d\ude92",
"female-guard": "\ud83d\udc82\u200d\u2640\ufe0f",
"female-judge": "\ud83d\udc69\u200d\u2696\ufe0f",
"female-mechanic": "\ud83d\udc69\u200d\ud83d\udd27",
"female-office-worker": "\ud83d\udc69\u200d\ud83d\udcbc",
"female-pilot": "\ud83d\udc69\u200d\u2708\ufe0f",
"female-police-officer": "\ud83d\udc6e\u200d\u2640\ufe0f",
"female-scientist": "\ud83d\udc69\u200d\ud83d\udd2c",
"female-singer": "\ud83d\udc69\u200d\ud83c\udfa4",
"female-student": "\ud83d\udc69\u200d\ud83c\udf93",
"female-teacher": "\ud83d\udc69\u200d\ud83c\udfeb",
"female-technologist": "\ud83d\udc69\u200d\ud83d\udcbb",
"female_elf": "\ud83e\udddd\u200d\u2640\ufe0f",
"female_fairy": "\ud83e\uddda\u200d\u2640\ufe0f",
"female_genie": "\ud83e\uddde\u200d\u2640\ufe0f",
"female_mage": "\ud83e\uddd9\u200d\u2640\ufe0f",
"female_sign": "\u2640\ufe0f",
"female_vampire": "\ud83e\udddb\u200d\u2640\ufe0f",
"female_zombie": "\ud83e\udddf\u200d\u2640\ufe0f",
"fencer": "\ud83e\udd3a",
"ferris_wheel": "\ud83c\udfa1",
"ferry": "\u26f4\ufe0f",
"field_hockey_stick_and_ball": "\ud83c\udfd1",
"file_cabinet": "\ud83d\uddc4\ufe0f",
"file_folder": "\ud83d\udcc1",
"film_frames": "\ud83c\udf9e\ufe0f",
"film_projector": "\ud83d\udcfd\ufe0f",
"fire": "\ud83d\udd25",
"fire_engine": "\ud83d\ude92",
"fireworks": "\ud83c\udf86",
"first_place_medal": "\ud83e\udd47",
"first_quarter_moon": "\ud83c\udf13",
"first_quarter_moon_with_face": "\ud83c\udf1b",
"fish": "\ud83d\udc1f",
"fish_cake": "\ud83c\udf65",
"fishing_pole_and_fish": "\ud83c\udfa3",
"fist": "\u270a",
"five": "5\ufe0f\u20e3",
"flag-ac": "\ud83c\udde6\ud83c\udde8",
"flag-ad": "\ud83c\udde6\ud83c\udde9",
"flag-ae": "\ud83c\udde6\ud83c\uddea",
"flag-af": "\ud83c\udde6\ud83c\uddeb",
"flag-ag": "\ud83c\udde6\ud83c\uddec",
"flag-ai": "\ud83c\udde6\ud83c\uddee",
"flag-al": "\ud83c\udde6\ud83c\uddf1",
"flag-am": "\ud83c\udde6\ud83c\uddf2",
"flag-ao": "\ud83c\udde6\ud83c\uddf4",
"flag-aq": "\ud83c\udde6\ud83c\uddf6",
"flag-ar": "\ud83c\udde6\ud83c\uddf7",
"flag-as": "\ud83c\udde6\ud83c\uddf8",
"flag-at": "\ud83c\udde6\ud83c\uddf9",
"flag-au": "\ud83c\udde6\ud83c\uddfa",
"flag-aw": "\ud83c\udde6\ud83c\uddfc",
"flag-ax": "\ud83c\udde6\ud83c\uddfd",
"flag-az": "\ud83c\udde6\ud83c\uddff",
"flag-ba": "\ud83c\udde7\ud83c\udde6",
"flag-bb": "\ud83c\udde7\ud83c\udde7",
"flag-bd": "\ud83c\udde7\ud83c\udde9",
"flag-be": "\ud83c\udde7\ud83c\uddea",
"flag-bf": "\ud83c\udde7\ud83c\uddeb",
"flag-bg": "\ud83c\udde7\ud83c\uddec",
"flag-bh": "\ud83c\udde7\ud83c\udded",
"flag-bi": "\ud83c\udde7\ud83c\uddee",
"flag-bj": "\ud83c\udde7\ud83c\uddef",
"flag-bl": "\ud83c\udde7\ud83c\uddf1",
"flag-bm": "\ud83c\udde7\ud83c\uddf2",
"flag-bn": "\ud83c\udde7\ud83c\uddf3",
"flag-bo": "\ud83c\udde7\ud83c\uddf4",
"flag-bq": "\ud83c\udde7\ud83c\uddf6",
"flag-br": "\ud83c\udde7\ud83c\uddf7",
"flag-bs": "\ud83c\udde7\ud83c\uddf8",
"flag-bt": "\ud83c\udde7\ud83c\uddf9",
"flag-bv": "\ud83c\udde7\ud83c\uddfb",
"flag-bw": "\ud83c\udde7\ud83c\uddfc",
"flag-by": "\ud83c\udde7\ud83c\uddfe",
"flag-bz": "\ud83c\udde7\ud83c\uddff",
"flag-ca": "\ud83c\udde8\ud83c\udde6",
"flag-cc": "\ud83c\udde8\ud83c\udde8",
"flag-cd": "\ud83c\udde8\ud83c\udde9",
"flag-cf": "\ud83c\udde8\ud83c\uddeb",
"flag-cg": "\ud83c\udde8\ud83c\uddec",
"flag-ch": "\ud83c\udde8\ud83c\udded",
"flag-ci": "\ud83c\udde8\ud83c\uddee",
"flag-ck": "\ud83c\udde8\ud83c\uddf0",
"flag-cl": "\ud83c\udde8\ud83c\uddf1",
"flag-cm": "\ud83c\udde8\ud83c\uddf2",
"flag-cn": "\ud83c\udde8\ud83c\uddf3",
"flag-co": "\ud83c\udde8\ud83c\uddf4",
"flag-cp": "\ud83c\udde8\ud83c\uddf5",
"flag-cr": "\ud83c\udde8\ud83c\uddf7",
"flag-cu": "\ud83c\udde8\ud83c\uddfa",
"flag-cv": "\ud83c\udde8\ud83c\uddfb",
"flag-cw": "\ud83c\udde8\ud83c\uddfc",
"flag-cx": "\ud83c\udde8\ud83c\uddfd",
"flag-cy": "\ud83c\udde8\ud83c\uddfe",
"flag-cz": "\ud83c\udde8\ud83c\uddff",
"flag-de": "\ud83c\udde9\ud83c\uddea",
"flag-dg": "\ud83c\udde9\ud83c\uddec",
"flag-dj": "\ud83c\udde9\ud83c\uddef",
"flag-dk": "\ud83c\udde9\ud83c\uddf0",
"flag-dm": "\ud83c\udde9\ud83c\uddf2",
"flag-do": "\ud83c\udde9\ud83c\uddf4",
"flag-dz": "\ud83c\udde9\ud83c\uddff",
"flag-ea": "\ud83c\uddea\ud83c\udde6",
"flag-ec": "\ud83c\uddea\ud83c\udde8",
"flag-ee": "\ud83c\uddea\ud83c\uddea",
"flag-eg": "\ud83c\uddea\ud83c\uddec",
"flag-eh": "\ud83c\uddea\ud83c\udded",
"flag-england": "\ud83c\udff4\udb40\udc67\udb40\udc62\udb40\udc65\udb40\udc6e\udb40\udc67\udb40\udc7f",
"flag-er": "\ud83c\uddea\ud83c\uddf7",
"flag-es": "\ud83c\uddea\ud83c\uddf8",
"flag-et": "\ud83c\uddea\ud83c\uddf9",
"flag-eu": "\ud83c\uddea\ud83c\uddfa",
"flag-fi": "\ud83c\uddeb\ud83c\uddee",
"flag-fj": "\ud83c\uddeb\ud83c\uddef",
"flag-fk": "\ud83c\uddeb\ud83c\uddf0",
"flag-fm": "\ud83c\uddeb\ud83c\uddf2",
"flag-fo": "\ud83c\uddeb\ud83c\uddf4",
"flag-fr": "\ud83c\uddeb\ud83c\uddf7",
"flag-ga": "\ud83c\uddec\ud83c\udde6",
"flag-gb": "\ud83c\uddec\ud83c\udde7",
"flag-gd": "\ud83c\uddec\ud83c\udde9",
"flag-ge": "\ud83c\uddec\ud83c\uddea",
"flag-gf": "\ud83c\uddec\ud83c\uddeb",
"flag-gg": "\ud83c\uddec\ud83c\uddec",
"flag-gh": "\ud83c\uddec\ud83c\udded",
"flag-gi": "\ud83c\uddec\ud83c\uddee",
"flag-gl": "\ud83c\uddec\ud83c\uddf1",
"flag-gm": "\ud83c\uddec\ud83c\uddf2",
"flag-gn": "\ud83c\uddec\ud83c\uddf3",
"flag-gp": "\ud83c\uddec\ud83c\uddf5",
"flag-gq": "\ud83c\uddec\ud83c\uddf6",
"flag-gr": "\ud83c\uddec\ud83c\uddf7",
"flag-gs": "\ud83c\uddec\ud83c\uddf8",
"flag-gt": "\ud83c\uddec\ud83c\uddf9",
"flag-gu": "\ud83c\uddec\ud83c\uddfa",
"flag-gw": "\ud83c\uddec\ud83c\uddfc",
"flag-gy": "\ud83c\uddec\ud83c\uddfe",
"flag-hk": "\ud83c\udded\ud83c\uddf0",
"flag-hm": "\ud83c\udded\ud83c\uddf2",
"flag-hn": "\ud83c\udded\ud83c\uddf3",
"flag-hr": "\ud83c\udded\ud83c\uddf7",
"flag-ht": "\ud83c\udded\ud83c\uddf9",
"flag-hu": "\ud83c\udded\ud83c\uddfa",
"flag-ic": "\ud83c\uddee\ud83c\udde8",
"flag-id": "\ud83c\uddee\ud83c\udde9",
"flag-ie": "\ud83c\uddee\ud83c\uddea",
"flag-il": "\ud83c\uddee\ud83c\uddf1",
"flag-im": "\ud83c\uddee\ud83c\uddf2",
"flag-in": "\ud83c\uddee\ud83c\uddf3",
"flag-io": "\ud83c\uddee\ud83c\uddf4",
"flag-iq": "\ud83c\uddee\ud83c\uddf6",
"flag-ir": "\ud83c\uddee\ud83c\uddf7",
"flag-is": "\ud83c\uddee\ud83c\uddf8",
"flag-it": "\ud83c\uddee\ud83c\uddf9",
"flag-je": "\ud83c\uddef\ud83c\uddea",
"flag-jm": "\ud83c\uddef\ud83c\uddf2",
"flag-jo": "\ud83c\uddef\ud83c\uddf4",
"flag-jp": "\ud83c\uddef\ud83c\uddf5",
"flag-ke": "\ud83c\uddf0\ud83c\uddea",
"flag-kg": "\ud83c\uddf0\ud83c\uddec",
"flag-kh": "\ud83c\uddf0\ud83c\udded",
"flag-ki": "\ud83c\uddf0\ud83c\uddee",
"flag-km": "\ud83c\uddf0\ud83c\uddf2",
"flag-kn": "\ud83c\uddf0\ud83c\uddf3",
"flag-kp": "\ud83c\uddf0\ud83c\uddf5",
"flag-kr": "\ud83c\uddf0\ud83c\uddf7",
"flag-kw": "\ud83c\uddf0\ud83c\uddfc",
"flag-ky": "\ud83c\uddf0\ud83c\uddfe",
"flag-kz": "\ud83c\uddf0\ud83c\uddff",
"flag-la": "\ud83c\uddf1\ud83c\udde6",
"flag-lb": "\ud83c\uddf1\ud83c\udde7",
"flag-lc": "\ud83c\uddf1\ud83c\udde8",
"flag-li": "\ud83c\uddf1\ud83c\uddee",
"flag-lk": "\ud83c\uddf1\ud83c\uddf0",
"flag-lr": "\ud83c\uddf1\ud83c\uddf7",
"flag-ls": "\ud83c\uddf1\ud83c\uddf8",
"flag-lt": "\ud83c\uddf1\ud83c\uddf9",
"flag-lu": "\ud83c\uddf1\ud83c\uddfa",
"flag-lv": "\ud83c\uddf1\ud83c\uddfb",
"flag-ly": "\ud83c\uddf1\ud83c\uddfe",
"flag-ma": "\ud83c\uddf2\ud83c\udde6",
"flag-mc": "\ud83c\uddf2\ud83c\udde8",
"flag-md": "\ud83c\uddf2\ud83c\udde9",
"flag-me": "\ud83c\uddf2\ud83c\uddea",
"flag-mf": "\ud83c\uddf2\ud83c\uddeb",
"flag-mg": "\ud83c\uddf2\ud83c\uddec",
"flag-mh": "\ud83c\uddf2\ud83c\udded",
"flag-mk": "\ud83c\uddf2\ud83c\uddf0",
"flag-ml": "\ud83c\uddf2\ud83c\uddf1",
"flag-mm": "\ud83c\uddf2\ud83c\uddf2",
"flag-mn": "\ud83c\uddf2\ud83c\uddf3",
"flag-mo": "\ud83c\uddf2\ud83c\uddf4",
"flag-mp": "\ud83c\uddf2\ud83c\uddf5",
"flag-mq": "\ud83c\uddf2\ud83c\uddf6",
"flag-mr": "\ud83c\uddf2\ud83c\uddf7",
"flag-ms": "\ud83c\uddf2\ud83c\uddf8",
"flag-mt": "\ud83c\uddf2\ud83c\uddf9",
"flag-mu": "\ud83c\uddf2\ud83c\uddfa",
"flag-mv": "\ud83c\uddf2\ud83c\uddfb",
"flag-mw": "\ud83c\uddf2\ud83c\uddfc",
"flag-mx": "\ud83c\uddf2\ud83c\uddfd",
"flag-my": "\ud83c\uddf2\ud83c\uddfe",
"flag-mz": "\ud83c\uddf2\ud83c\uddff",
"flag-na": "\ud83c\uddf3\ud83c\udde6",
"flag-nc": "\ud83c\uddf3\ud83c\udde8",
"flag-ne": "\ud83c\uddf3\ud83c\uddea",
"flag-nf": "\ud83c\uddf3\ud83c\uddeb",
"flag-ng": "\ud83c\uddf3\ud83c\uddec",
"flag-ni": "\ud83c\uddf3\ud83c\uddee",
"flag-nl": "\ud83c\uddf3\ud83c\uddf1",
"flag-no": "\ud83c\uddf3\ud83c\uddf4",
"flag-np": "\ud83c\uddf3\ud83c\uddf5",
"flag-nr": "\ud83c\uddf3\ud83c\uddf7",
"flag-nu": "\ud83c\uddf3\ud83c\uddfa",
"flag-nz": "\ud83c\uddf3\ud83c\uddff",
"flag-om": "\ud83c\uddf4\ud83c\uddf2",
"flag-pa": "\ud83c\uddf5\ud83c\udde6",
"flag-pe": "\ud83c\uddf5\ud83c\uddea",
"flag-pf": "\ud83c\uddf5\ud83c\uddeb",
"flag-pg": "\ud83c\uddf5\ud83c\uddec",
"flag-ph": "\ud83c\uddf5\ud83c\udded",
"flag-pk": "\ud83c\uddf5\ud83c\uddf0",
"flag-pl": "\ud83c\uddf5\ud83c\uddf1",
"flag-pm": "\ud83c\uddf5\ud83c\uddf2",
"flag-pn": "\ud83c\uddf5\ud83c\uddf3",
"flag-pr": "\ud83c\uddf5\ud83c\uddf7",
"flag-ps": "\ud83c\uddf5\ud83c\uddf8",
"flag-pt": "\ud83c\uddf5\ud83c\uddf9",
"flag-pw": "\ud83c\uddf5\ud83c\uddfc",
"flag-py": "\ud83c\uddf5\ud83c\uddfe",
"flag-qa": "\ud83c\uddf6\ud83c\udde6",
"flag-re": "\ud83c\uddf7\ud83c\uddea",
"flag-ro": "\ud83c\uddf7\ud83c\uddf4",
"flag-rs": "\ud83c\uddf7\ud83c\uddf8",
"flag-ru": "\ud83c\uddf7\ud83c\uddfa",
"flag-rw": "\ud83c\uddf7\ud83c\uddfc",
"flag-sa": "\ud83c\uddf8\ud83c\udde6",
"flag-sb": "\ud83c\uddf8\ud83c\udde7",
"flag-sc": "\ud83c\uddf8\ud83c\udde8",
"flag-scotland": "\ud83c\udff4\udb40\udc67\udb40\udc62\udb40\udc73\udb40\udc63\udb40\udc74\udb40\udc7f",
"flag-sd": "\ud83c\uddf8\ud83c\udde9",
"flag-se": "\ud83c\uddf8\ud83c\uddea",
"flag-sg": "\ud83c\uddf8\ud83c\uddec",
"flag-sh": "\ud83c\uddf8\ud83c\udded",
"flag-si": "\ud83c\uddf8\ud83c\uddee",
"flag-sj": "\ud83c\uddf8\ud83c\uddef",
"flag-sk": "\ud83c\uddf8\ud83c\uddf0",
"flag-sl": "\ud83c\uddf8\ud83c\uddf1",
"flag-sm": "\ud83c\uddf8\ud83c\uddf2",
"flag-sn": "\ud83c\uddf8\ud83c\uddf3",
"flag-so": "\ud83c\uddf8\ud83c\uddf4",
"flag-sr": "\ud83c\uddf8\ud83c\uddf7",
"flag-ss": "\ud83c\uddf8\ud83c\uddf8",
"flag-st": "\ud83c\uddf8\ud83c\uddf9",
"flag-sv": "\ud83c\uddf8\ud83c\uddfb",
"flag-sx": "\ud83c\uddf8\ud83c\uddfd",
"flag-sy": "\ud83c\uddf8\ud83c\uddfe",
"flag-sz": "\ud83c\uddf8\ud83c\uddff",
"flag-ta": "\ud83c\uddf9\ud83c\udde6",
"flag-tc": "\ud83c\uddf9\ud83c\udde8",
"flag-td": "\ud83c\uddf9\ud83c\udde9",
"flag-tf": "\ud83c\uddf9\ud83c\uddeb",
"flag-tg": "\ud83c\uddf9\ud83c\uddec",
"flag-th": "\ud83c\uddf9\ud83c\udded",
"flag-tj": "\ud83c\uddf9\ud83c\uddef",
"flag-tk": "\ud83c\uddf9\ud83c\uddf0",
"flag-tl": "\ud83c\uddf9\ud83c\uddf1",
"flag-tm": "\ud83c\uddf9\ud83c\uddf2",
"flag-tn": "\ud83c\uddf9\ud83c\uddf3",
"flag-to": "\ud83c\uddf9\ud83c\uddf4",
"flag-tr": "\ud83c\uddf9\ud83c\uddf7",
"flag-tt": "\ud83c\uddf9\ud83c\uddf9",
"flag-tv": "\ud83c\uddf9\ud83c\uddfb",
"flag-tw": "\ud83c\uddf9\ud83c\uddfc",
"flag-tz": "\ud83c\uddf9\ud83c\uddff",
"flag-ua": "\ud83c\uddfa\ud83c\udde6",
"flag-ug": "\ud83c\uddfa\ud83c\uddec",
"flag-um": "\ud83c\uddfa\ud83c\uddf2",
"flag-un": "\ud83c\uddfa\ud83c\uddf3",
"flag-us": "\ud83c\uddfa\ud83c\uddf8",
"flag-uy": "\ud83c\uddfa\ud83c\uddfe",
"flag-uz": "\ud83c\uddfa\ud83c\uddff",
"flag-va": "\ud83c\uddfb\ud83c\udde6",
"flag-vc": "\ud83c\uddfb\ud83c\udde8",
"flag-ve": "\ud83c\uddfb\ud83c\uddea",
"flag-vg": "\ud83c\uddfb\ud83c\uddec",
"flag-vi": "\ud83c\uddfb\ud83c\uddee",
"flag-vn": "\ud83c\uddfb\ud83c\uddf3",
"flag-vu": "\ud83c\uddfb\ud83c\uddfa",
"flag-wales": "\ud83c\udff4\udb40\udc67\udb40\udc62\udb40\udc77\udb40\udc6c\udb40\udc73\udb40\udc7f",
"flag-wf": "\ud83c\uddfc\ud83c\uddeb",
"flag-ws": "\ud83c\uddfc\ud83c\uddf8",
"flag-xk": "\ud83c\uddfd\ud83c\uddf0",
"flag-ye": "\ud83c\uddfe\ud83c\uddea",
"flag-yt": "\ud83c\uddfe\ud83c\uddf9",
"flag-za": "\ud83c\uddff\ud83c\udde6",
"flag-zm": "\ud83c\uddff\ud83c\uddf2",
"flag-zw": "\ud83c\uddff\ud83c\uddfc",
"flags": "\ud83c\udf8f",
"flashlight": "\ud83d\udd26",
"fleur_de_lis": "\u269c\ufe0f",
"flipper": "\ud83d\udc2c",
"floppy_disk": "\ud83d\udcbe",
"flower_playing_cards": "\ud83c\udfb4",
"flushed": "\ud83d\ude33",
"flying_saucer": "\ud83d\udef8",
"fog": "\ud83c\udf2b\ufe0f",
"foggy": "\ud83c\udf01",
"football": "\ud83c\udfc8",
"footprints": "\ud83d\udc63",
"fork_and_knife": "\ud83c\udf74",
"fortune_cookie": "\ud83e\udd60",
"fountain": "\u26f2",
"four": "4\ufe0f\u20e3",
"four_leaf_clover": "\ud83c\udf40",
"fox_face": "\ud83e\udd8a",
"fr": "\ud83c\uddeb\ud83c\uddf7",
"frame_with_picture": "\ud83d\uddbc\ufe0f",
"free": "\ud83c\udd93",
"fried_egg": "\ud83c\udf73",
"fried_shrimp": "\ud83c\udf64",
"fries": "\ud83c\udf5f",
"frog": "\ud83d\udc38",
"frowning": "\ud83d\ude26",
"fuelpump": "\u26fd",
"full_moon": "\ud83c\udf15",
"full_moon_with_face": "\ud83c\udf1d",
"funeral_urn": "\u26b1\ufe0f",
"game_die": "\ud83c\udfb2",
"gb": "\ud83c\uddec\ud83c\udde7",
"gear": "\u2699\ufe0f",
"gem": "\ud83d\udc8e",
"gemini": "\u264a",
"genie": "\ud83e\uddde",
"ghost": "\ud83d\udc7b",
"gift": "\ud83c\udf81",
"gift_heart": "\ud83d\udc9d",
"giraffe_face": "\ud83e\udd92",
"girl": "\ud83d\udc67",
"glass_of_milk": "\ud83e\udd5b",
"globe_with_meridians": "\ud83c\udf10",
"gloves": "\ud83e\udde4",
"goal_net": "\ud83e\udd45",
"goat": "\ud83d\udc10",
"golf": "\u26f3",
"golfer": "\ud83c\udfcc\ufe0f",
"gorilla": "\ud83e\udd8d",
"grapes": "\ud83c\udf47",
"green_apple": "\ud83c\udf4f",
"green_book": "\ud83d\udcd7",
"green_heart": "\ud83d\udc9a",
"green_salad": "\ud83e\udd57",
"grey_exclamation": "\u2755",
"grey_question": "\u2754",
"grimacing": "\ud83d\ude2c",
"grin": "\ud83d\ude01",
"grinning": "\ud83d\ude00",
"grinning_face_with_one_large_and_one_small_eye": "\ud83e\udd2a",
"grinning_face_with_star_eyes": "\ud83e\udd29",
"guardsman": "\ud83d\udc82",
"guitar": "\ud83c\udfb8",
"gun": "\ud83d\udd2b",
"haircut": "\ud83d\udc87",
"hamburger": "\ud83c\udf54",
"hammer": "\ud83d\udd28",
"hammer_and_pick": "\u2692\ufe0f",
"hammer_and_wrench": "\ud83d\udee0\ufe0f",
"hamster": "\ud83d\udc39",
"hand": "\u270b",
"hand_with_index_and_middle_fingers_crossed": "\ud83e\udd1e",
"handbag": "\ud83d\udc5c",
"handball": "\ud83e\udd3e",
"handshake": "\ud83e\udd1d",
"hankey": "\ud83d\udca9",
"hash": "#\ufe0f\u20e3",
"hatched_chick": "\ud83d\udc25",
"hatching_chick": "\ud83d\udc23",
"headphones": "\ud83c\udfa7",
"hear_no_evil": "\ud83d\ude49",
"heart": "\u2764\ufe0f",
"heart_decoration": "\ud83d\udc9f",
"heart_eyes": "\ud83d\ude0d",
"heart_eyes_cat": "\ud83d\ude3b",
"heartbeat": "\ud83d\udc93",
"heartpulse": "\ud83d\udc97",
"hearts": "\u2665\ufe0f",
"heavy_check_mark": "\u2714\ufe0f",
"heavy_division_sign": "\u2797",
"heavy_dollar_sign": "\ud83d\udcb2",
"heavy_exclamation_mark": "\u2757",
"heavy_heart_exclamation_mark_ornament": "\u2763\ufe0f",
"heavy_minus_sign": "\u2796",
"heavy_multiplication_x": "\u2716\ufe0f",
"heavy_plus_sign": "\u2795",
"hedgehog": "\ud83e\udd94",
"helicopter": "\ud83d\ude81",
"helmet_with_white_cross": "\u26d1\ufe0f",
"herb": "\ud83c\udf3f",
"hibiscus": "\ud83c\udf3a",
"high_brightness": "\ud83d\udd06",
"high_heel": "\ud83d\udc60",
"hocho": "\ud83d\udd2a",
"hole": "\ud83d\udd73\ufe0f",
"honey_pot": "\ud83c\udf6f",
"honeybee": "\ud83d\udc1d",
"horse": "\ud83d\udc34",
"horse_racing": "\ud83c\udfc7",
"hospital": "\ud83c\udfe5",
"hot_pepper": "\ud83c\udf36\ufe0f",
"hotdog": "\ud83c\udf2d",
"hotel": "\ud83c\udfe8",
"hotsprings": "\u2668\ufe0f",
"hourglass": "\u231b",
"hourglass_flowing_sand": "\u23f3",
"house": "\ud83c\udfe0",
"house_buildings": "\ud83c\udfd8\ufe0f",
"house_with_garden": "\ud83c\udfe1",
"hugging_face": "\ud83e\udd17",
"hushed": "\ud83d\ude2f",
"i_love_you_hand_sign": "\ud83e\udd1f",
"ice_cream": "\ud83c\udf68",
"ice_hockey_stick_and_puck": "\ud83c\udfd2",
"ice_skate": "\u26f8\ufe0f",
"icecream": "\ud83c\udf66",
"id": "\ud83c\udd94",
"ideograph_advantage": "\ud83c\ude50",
"imp": "\ud83d\udc7f",
"inbox_tray": "\ud83d\udce5",
"incoming_envelope": "\ud83d\udce8",
"information_desk_person": "\ud83d\udc81",
"information_source": "\u2139\ufe0f",
"innocent": "\ud83d\ude07",
"interrobang": "\u2049\ufe0f",
"iphone": "\ud83d\udcf1",
"it": "\ud83c\uddee\ud83c\uddf9",
"izakaya_lantern": "\ud83c\udfee",
"jack_o_lantern": "\ud83c\udf83",
"japan": "\ud83d\uddfe",
"japanese_castle": "\ud83c\udfef",
"japanese_goblin": "\ud83d\udc7a",
"japanese_ogre": "\ud83d\udc79",
"jeans": "\ud83d\udc56",
"joy": "\ud83d\ude02",
"joy_cat": "\ud83d\ude39",
"joystick": "\ud83d\udd79\ufe0f",
"jp": "\ud83c\uddef\ud83c\uddf5",
"juggling": "\ud83e\udd39",
"kaaba": "\ud83d\udd4b",
"key": "\ud83d\udd11",
"keyboard": "\u2328\ufe0f",
"keycap_star": "*\ufe0f\u20e3",
"keycap_ten": "\ud83d\udd1f",
"kimono": "\ud83d\udc58",
"kiss": "\ud83d\udc8b",
"kissing": "\ud83d\ude17",
"kissing_cat": "\ud83d\ude3d",
"kissing_closed_eyes": "\ud83d\ude1a",
"kissing_heart": "\ud83d\ude18",
"kissing_smiling_eyes": "\ud83d\ude19",
"kiwifruit": "\ud83e\udd5d",
"knife": "\ud83d\udd2a",
"knife_fork_plate": "\ud83c\udf7d\ufe0f",
"koala": "\ud83d\udc28",
"koko": "\ud83c\ude01",
"kr": "\ud83c\uddf0\ud83c\uddf7",
"label": "\ud83c\udff7\ufe0f",
"lantern": "\ud83c\udfee",
"large_blue_circle": "\ud83d\udd35",
"large_blue_diamond": "\ud83d\udd37",
"large_orange_diamond": "\ud83d\udd36",
"last_quarter_moon": "\ud83c\udf17",
"last_quarter_moon_with_face": "\ud83c\udf1c",
"latin_cross": "\u271d\ufe0f",
"laughing": "\ud83d\ude06",
"leaves": "\ud83c\udf43",
"ledger": "\ud83d\udcd2",
"left-facing_fist": "\ud83e\udd1b",
"left_luggage": "\ud83d\udec5",
"left_right_arrow": "\u2194\ufe0f",
"left_speech_bubble": "\ud83d\udde8\ufe0f",
"leftwards_arrow_with_hook": "\u21a9\ufe0f",
"lemon": "\ud83c\udf4b",
"leo": "\u264c",
"leopard": "\ud83d\udc06",
"level_slider": "\ud83c\udf9a\ufe0f",
"libra": "\u264e",
"light_rail": "\ud83d\ude88",
"lightning": "\ud83c\udf29\ufe0f",
"lightning_cloud": "\ud83c\udf29\ufe0f",
"link": "\ud83d\udd17",
"linked_paperclips": "\ud83d\udd87\ufe0f",
"lion_face": "\ud83e\udd81",
"lips": "\ud83d\udc44",
"lipstick": "\ud83d\udc84",
"lizard": "\ud83e\udd8e",
"lock": "\ud83d\udd12",
"lock_with_ink_pen": "\ud83d\udd0f",
"lollipop": "\ud83c\udf6d",
"loop": "\u27bf",
"loud_sound": "\ud83d\udd0a",
"loudspeaker": "\ud83d\udce2",
"love_hotel": "\ud83c\udfe9",
"love_letter": "\ud83d\udc8c",
"low_brightness": "\ud83d\udd05",
"lower_left_ballpoint_pen": "\ud83d\udd8a\ufe0f",
"lower_left_crayon": "\ud83d\udd8d\ufe0f",
"lower_left_fountain_pen": "\ud83d\udd8b\ufe0f",
"lower_left_paintbrush": "\ud83d\udd8c\ufe0f",
"lying_face": "\ud83e\udd25",
"m": "\u24c2\ufe0f",
"mag": "\ud83d\udd0d",
"mag_right": "\ud83d\udd0e",
"mage": "\ud83e\uddd9",
"mahjong": "\ud83c\udc04",
"mailbox": "\ud83d\udceb",
"mailbox_closed": "\ud83d\udcea",
"mailbox_with_mail": "\ud83d\udcec",
"mailbox_with_no_mail": "\ud83d\udced",
"male-artist": "\ud83d\udc68\u200d\ud83c\udfa8",
"male-astronaut": "\ud83d\udc68\u200d\ud83d\ude80",
"male-construction-worker": "\ud83d\udc77\u200d\u2642\ufe0f",
"male-cook": "\ud83d\udc68\u200d\ud83c\udf73",
"male-detective": "\ud83d\udd75\ufe0f\u200d\u2642\ufe0f",
"male-doctor": "\ud83d\udc68\u200d\u2695\ufe0f",
"male-factory-worker": "\ud83d\udc68\u200d\ud83c\udfed",
"male-farmer": "\ud83d\udc68\u200d\ud83c\udf3e",
"male-firefighter": "\ud83d\udc68\u200d\ud83d\ude92",
"male-guard": "\ud83d\udc82\u200d\u2642\ufe0f",
"male-judge": "\ud83d\udc68\u200d\u2696\ufe0f",
"male-mechanic": "\ud83d\udc68\u200d\ud83d\udd27",
"male-office-worker": "\ud83d\udc68\u200d\ud83d\udcbc",
"male-pilot": "\ud83d\udc68\u200d\u2708\ufe0f",
"male-police-officer": "\ud83d\udc6e\u200d\u2642\ufe0f",
"male-scientist": "\ud83d\udc68\u200d\ud83d\udd2c",
"male-singer": "\ud83d\udc68\u200d\ud83c\udfa4",
"male-student": "\ud83d\udc68\u200d\ud83c\udf93",
"male-teacher": "\ud83d\udc68\u200d\ud83c\udfeb",
"male-technologist": "\ud83d\udc68\u200d\ud83d\udcbb",
"male_elf": "\ud83e\udddd\u200d\u2642\ufe0f",
"male_fairy": "\ud83e\uddda\u200d\u2642\ufe0f",
"male_genie": "\ud83e\uddde\u200d\u2642\ufe0f",
"male_mage": "\ud83e\uddd9\u200d\u2642\ufe0f",
"male_sign": "\u2642\ufe0f",
"male_vampire": "\ud83e\udddb\u200d\u2642\ufe0f",
"male_zombie": "\ud83e\udddf\u200d\u2642\ufe0f",
"man": "\ud83d\udc68",
"man-biking": "\ud83d\udeb4\u200d\u2642\ufe0f",
"man-bouncing-ball": "\u26f9\ufe0f\u200d\u2642\ufe0f",
"man-bowing": "\ud83d\ude47\u200d\u2642\ufe0f",
"man-boy": "\ud83d\udc68\u200d\ud83d\udc66",
"man-boy-boy": "\ud83d\udc68\u200d\ud83d\udc66\u200d\ud83d\udc66",
"man-cartwheeling": "\ud83e\udd38\u200d\u2642\ufe0f",
"man-facepalming": "\ud83e\udd26\u200d\u2642\ufe0f",
"man-frowning": "\ud83d\ude4d\u200d\u2642\ufe0f",
"man-gesturing-no": "\ud83d\ude45\u200d\u2642\ufe0f",
"man-gesturing-ok": "\ud83d\ude46\u200d\u2642\ufe0f",
"man-getting-haircut": "\ud83d\udc87\u200d\u2642\ufe0f",
"man-getting-massage": "\ud83d\udc86\u200d\u2642\ufe0f",
"man-girl": "\ud83d\udc68\u200d\ud83d\udc67",
"man-girl-boy": "\ud83d\udc68\u200d\ud83d\udc67\u200d\ud83d\udc66",
"man-girl-girl": "\ud83d\udc68\u200d\ud83d\udc67\u200d\ud83d\udc67",
"man-golfing": "\ud83c\udfcc\ufe0f\u200d\u2642\ufe0f",
"man-heart-man": "\ud83d\udc68\u200d\u2764\ufe0f\u200d\ud83d\udc68",
"man-juggling": "\ud83e\udd39\u200d\u2642\ufe0f",
"man-kiss-man": "\ud83d\udc68\u200d\u2764\ufe0f\u200d\ud83d\udc8b\u200d\ud83d\udc68",
"man-lifting-weights": "\ud83c\udfcb\ufe0f\u200d\u2642\ufe0f",
"man-man-boy": "\ud83d\udc68\u200d\ud83d\udc68\u200d\ud83d\udc66",
"man-man-boy-boy": "\ud83d\udc68\u200d\ud83d\udc68\u200d\ud83d\udc66\u200d\ud83d\udc66",
"man-man-girl": "\ud83d\udc68\u200d\ud83d\udc68\u200d\ud83d\udc67",
"man-man-girl-boy": "\ud83d\udc68\u200d\ud83d\udc68\u200d\ud83d\udc67\u200d\ud83d\udc66",
"man-man-girl-girl": "\ud83d\udc68\u200d\ud83d\udc68\u200d\ud83d\udc67\u200d\ud83d\udc67",
"man-mountain-biking": "\ud83d\udeb5\u200d\u2642\ufe0f",
"man-playing-handball": "\ud83e\udd3e\u200d\u2642\ufe0f",
"man-playing-water-polo": "\ud83e\udd3d\u200d\u2642\ufe0f",
"man-pouting": "\ud83d\ude4e\u200d\u2642\ufe0f",
"man-raising-hand": "\ud83d\ude4b\u200d\u2642\ufe0f",
"man-rowing-boat": "\ud83d\udea3\u200d\u2642\ufe0f",
"man-running": "\ud83c\udfc3\u200d\u2642\ufe0f",
"man-shrugging": "\ud83e\udd37\u200d\u2642\ufe0f",
"man-surfing": "\ud83c\udfc4\u200d\u2642\ufe0f",
"man-swimming": "\ud83c\udfca\u200d\u2642\ufe0f",
"man-tipping-hand": "\ud83d\udc81\u200d\u2642\ufe0f",
"man-walking": "\ud83d\udeb6\u200d\u2642\ufe0f",
"man-wearing-turban": "\ud83d\udc73\u200d\u2642\ufe0f",
"man-with-bunny-ears-partying": "\ud83d\udc6f\u200d\u2642\ufe0f",
"man-woman-boy": "\ud83d\udc6a",
"man-woman-boy-boy": "\ud83d\udc68\u200d\ud83d\udc69\u200d\ud83d\udc66\u200d\ud83d\udc66",
"man-woman-girl": "\ud83d\udc68\u200d\ud83d\udc69\u200d\ud83d\udc67",
"man-woman-girl-boy": "\ud83d\udc68\u200d\ud83d\udc69\u200d\ud83d\udc67\u200d\ud83d\udc66",
"man-woman-girl-girl": "\ud83d\udc68\u200d\ud83d\udc69\u200d\ud83d\udc67\u200d\ud83d\udc67",
"man-wrestling": "\ud83e\udd3c\u200d\u2642\ufe0f",
"man_and_woman_holding_hands": "\ud83d\udc6b",
"man_climbing": "\ud83e\uddd7\u200d\u2642\ufe0f",
"man_dancing": "\ud83d\udd7a",
"man_in_business_suit_levitating": "\ud83d\udd74\ufe0f",
"man_in_lotus_position": "\ud83e\uddd8\u200d\u2642\ufe0f",
"man_in_steamy_room": "\ud83e\uddd6\u200d\u2642\ufe0f",
"man_in_tuxedo": "\ud83e\udd35",
"man_with_gua_pi_mao": "\ud83d\udc72",
"man_with_turban": "\ud83d\udc73",
"mans_shoe": "\ud83d\udc5e",
"mantelpiece_clock": "\ud83d\udd70\ufe0f",
"maple_leaf": "\ud83c\udf41",
"martial_arts_uniform": "\ud83e\udd4b",
"mask": "\ud83d\ude37",
"massage": "\ud83d\udc86",
"meat_on_bone": "\ud83c\udf56",
"medal": "\ud83c\udf96\ufe0f",
"medical_symbol": "\u2695\ufe0f",
"mega": "\ud83d\udce3",
"melon": "\ud83c\udf48",
"memo": "\ud83d\udcdd",
"menorah_with_nine_branches": "\ud83d\udd4e",
"mens": "\ud83d\udeb9",
"mermaid": "\ud83e\udddc\u200d\u2640\ufe0f",
"merman": "\ud83e\udddc\u200d\u2642\ufe0f",
"merperson": "\ud83e\udddc",
"metro": "\ud83d\ude87",
"microphone": "\ud83c\udfa4",
"microscope": "\ud83d\udd2c",
"middle_finger": "\ud83d\udd95",
"milky_way": "\ud83c\udf0c",
"minibus": "\ud83d\ude90",
"minidisc": "\ud83d\udcbd",
"mobile_phone_off": "\ud83d\udcf4",
"money_mouth_face": "\ud83e\udd11",
"money_with_wings": "\ud83d\udcb8",
"moneybag": "\ud83d\udcb0",
"monkey": "\ud83d\udc12",
"monkey_face": "\ud83d\udc35",
"monorail": "\ud83d\ude9d",
"moon": "\ud83c\udf14",
"mortar_board": "\ud83c\udf93",
"mosque": "\ud83d\udd4c",
"mostly_sunny": "\ud83c\udf24\ufe0f",
"mother_christmas": "\ud83e\udd36",
"motor_boat": "\ud83d\udee5\ufe0f",
"motor_scooter": "\ud83d\udef5",
"motorway": "\ud83d\udee3\ufe0f",
"mount_fuji": "\ud83d\uddfb",
"mountain": "\u26f0\ufe0f",
"mountain_bicyclist": "\ud83d\udeb5",
"mountain_cableway": "\ud83d\udea0",
"mountain_railway": "\ud83d\ude9e",
"mouse": "\ud83d\udc2d",
"mouse2": "\ud83d\udc01",
"movie_camera": "\ud83c\udfa5",
"moyai": "\ud83d\uddff",
"mrs_claus": "\ud83e\udd36",
"muscle": "\ud83d\udcaa",
"mushroom": "\ud83c\udf44",
"musical_keyboard": "\ud83c\udfb9",
"musical_note": "\ud83c\udfb5",
"musical_score": "\ud83c\udfbc",
"mute": "\ud83d\udd07",
"nail_care": "\ud83d\udc85",
"name_badge": "\ud83d\udcdb",
"national_park": "\ud83c\udfde\ufe0f",
"nauseated_face": "\ud83e\udd22",
"necktie": "\ud83d\udc54",
"negative_squared_cross_mark": "\u274e",
"nerd_face": "\ud83e\udd13",
"neutral_face": "\ud83d\ude10",
"new": "\ud83c\udd95",
"new_moon": "\ud83c\udf11",
"new_moon_with_face": "\ud83c\udf1a",
"newspaper": "\ud83d\udcf0",
"ng": "\ud83c\udd96",
"night_with_stars": "\ud83c\udf03",
"nine": "9\ufe0f\u20e3",
"no_bell": "\ud83d\udd15",
"no_bicycles": "\ud83d\udeb3",
"no_entry": "\u26d4",
"no_entry_sign": "\ud83d\udeab",
"no_good": "\ud83d\ude45",
"no_mobile_phones": "\ud83d\udcf5",
"no_mouth": "\ud83d\ude36",
"no_pedestrians": "\ud83d\udeb7",
"no_smoking": "\ud83d\udead",
"non-potable_water": "\ud83d\udeb1",
"nose": "\ud83d\udc43",
"notebook": "\ud83d\udcd3",
"notebook_with_decorative_cover": "\ud83d\udcd4",
"notes": "\ud83c\udfb6",
"nut_and_bolt": "\ud83d\udd29",
"o": "\u2b55",
"o2": "\ud83c\udd7e\ufe0f",
"ocean": "\ud83c\udf0a",
"octagonal_sign": "\ud83d\uded1",
"octopus": "\ud83d\udc19",
"oden": "\ud83c\udf62",
"office": "\ud83c\udfe2",
"oil_drum": "\ud83d\udee2\ufe0f",
"ok": "\ud83c\udd97",
"ok_hand": "\ud83d\udc4c",
"ok_woman": "\ud83d\ude46",
"old_key": "\ud83d\udddd\ufe0f",
"older_adult": "\ud83e\uddd3",
"older_man": "\ud83d\udc74",
"older_woman": "\ud83d\udc75",
"om_symbol": "\ud83d\udd49\ufe0f",
"on": "\ud83d\udd1b",
"oncoming_automobile": "\ud83d\ude98",
"oncoming_bus": "\ud83d\ude8d",
"oncoming_police_car": "\ud83d\ude94",
"oncoming_taxi": "\ud83d\ude96",
"one": "1\ufe0f\u20e3",
"open_book": "\ud83d\udcd6",
"open_file_folder": "\ud83d\udcc2",
"open_hands": "\ud83d\udc50",
"open_mouth": "\ud83d\ude2e",
"ophiuchus": "\u26ce",
"orange_book": "\ud83d\udcd9",
"orange_heart": "\ud83e\udde1",
"orthodox_cross": "\u2626\ufe0f",
"outbox_tray": "\ud83d\udce4",
"owl": "\ud83e\udd89",
"ox": "\ud83d\udc02",
"package": "\ud83d\udce6",
"page_facing_up": "\ud83d\udcc4",
"page_with_curl": "\ud83d\udcc3",
"pager": "\ud83d\udcdf",
"palm_tree": "\ud83c\udf34",
"palms_up_together": "\ud83e\udd32",
"pancakes": "\ud83e\udd5e",
"panda_face": "\ud83d\udc3c",
"paperclip": "\ud83d\udcce",
"parking": "\ud83c\udd7f\ufe0f",
"part_alternation_mark": "\u303d\ufe0f",
"partly_sunny": "\u26c5",
"partly_sunny_rain": "\ud83c\udf26\ufe0f",
"passenger_ship": "\ud83d\udef3\ufe0f",
"passport_control": "\ud83d\udec2",
"paw_prints": "\ud83d\udc3e",
"peace_symbol": "\u262e\ufe0f",
"peach": "\ud83c\udf51",
"peanuts": "\ud83e\udd5c",
"pear": "\ud83c\udf50",
"pencil": "\ud83d\udcdd",
"pencil2": "\u270f\ufe0f",
"penguin": "\ud83d\udc27",
"pensive": "\ud83d\ude14",
"performing_arts": "\ud83c\udfad",
"persevere": "\ud83d\ude23",
"person_climbing": "\ud83e\uddd7",
"person_doing_cartwheel": "\ud83e\udd38",
"person_frowning": "\ud83d\ude4d",
"person_in_lotus_position": "\ud83e\uddd8",
"person_in_steamy_room": "\ud83e\uddd6",
"person_with_ball": "\u26f9\ufe0f",
"person_with_blond_hair": "\ud83d\udc71",
"person_with_headscarf": "\ud83e\uddd5",
"person_with_pouting_face": "\ud83d\ude4e",
"phone": "\u260e\ufe0f",
"pick": "\u26cf\ufe0f",
"pie": "\ud83e\udd67",
"pig": "\ud83d\udc37",
"pig2": "\ud83d\udc16",
"pig_nose": "\ud83d\udc3d",
"pill": "\ud83d\udc8a",
"pineapple": "\ud83c\udf4d",
"pisces": "\u2653",
"pizza": "\ud83c\udf55",
"place_of_worship": "\ud83d\uded0",
"point_down": "\ud83d\udc47",
"point_left": "\ud83d\udc48",
"point_right": "\ud83d\udc49",
"point_up": "\u261d\ufe0f",
"point_up_2": "\ud83d\udc46",
"police_car": "\ud83d\ude93",
"poodle": "\ud83d\udc29",
"poop": "\ud83d\udca9",
"popcorn": "\ud83c\udf7f",
"post_office": "\ud83c\udfe3",
"postal_horn": "\ud83d\udcef",
"postbox": "\ud83d\udcee",
"potable_water": "\ud83d\udeb0",
"potato": "\ud83e\udd54",
"pouch": "\ud83d\udc5d",
"poultry_leg": "\ud83c\udf57",
"pound": "\ud83d\udcb7",
"pouting_cat": "\ud83d\ude3e",
"pray": "\ud83d\ude4f",
"prayer_beads": "\ud83d\udcff",
"pregnant_woman": "\ud83e\udd30",
"pretzel": "\ud83e\udd68",
"prince": "\ud83e\udd34",
"princess": "\ud83d\udc78",
"printer": "\ud83d\udda8\ufe0f",
"punch": "\ud83d\udc4a",
"purple_heart": "\ud83d\udc9c",
"purse": "\ud83d\udc5b",
"pushpin": "\ud83d\udccc",
"put_litter_in_its_place": "\ud83d\udeae",
"question": "\u2753",
"rabbit": "\ud83d\udc30",
"rabbit2": "\ud83d\udc07",
"racehorse": "\ud83d\udc0e",
"racing_car": "\ud83c\udfce\ufe0f",
"racing_motorcycle": "\ud83c\udfcd\ufe0f",
"radio": "\ud83d\udcfb",
"radio_button": "\ud83d\udd18",
"radioactive_sign": "\u2622\ufe0f",
"rage": "\ud83d\ude21",
"railway_car": "\ud83d\ude83",
"railway_track": "\ud83d\udee4\ufe0f",
"rain_cloud": "\ud83c\udf27\ufe0f",
"rainbow": "\ud83c\udf08",
"rainbow-flag": "\ud83c\udff3\ufe0f\u200d\ud83c\udf08",
"raised_back_of_hand": "\ud83e\udd1a",
"raised_hand": "\u270b",
"raised_hand_with_fingers_splayed": "\ud83d\udd90\ufe0f",
"raised_hands": "\ud83d\ude4c",
"raising_hand": "\ud83d\ude4b",
"ram": "\ud83d\udc0f",
"ramen": "\ud83c\udf5c",
"rat": "\ud83d\udc00",
"recycle": "\u267b\ufe0f",
"red_car": "\ud83d\ude97",
"red_circle": "\ud83d\udd34",
"registered": "\u00ae\ufe0f",
"relaxed": "\u263a\ufe0f",
"relieved": "\ud83d\ude0c",
"reminder_ribbon": "\ud83c\udf97\ufe0f",
"repeat": "\ud83d\udd01",
"repeat_one": "\ud83d\udd02",
"restroom": "\ud83d\udebb",
"reversed_hand_with_middle_finger_extended": "\ud83d\udd95",
"revolving_hearts": "\ud83d\udc9e",
"rewind": "\u23ea",
"rhinoceros": "\ud83e\udd8f",
"ribbon": "\ud83c\udf80",
"rice": "\ud83c\udf5a",
"rice_ball": "\ud83c\udf59",
"rice_cracker": "\ud83c\udf58",
"rice_scene": "\ud83c\udf91",
"right-facing_fist": "\ud83e\udd1c",
"right_anger_bubble": "\ud83d\uddef\ufe0f",
"ring": "\ud83d\udc8d",
"robot_face": "\ud83e\udd16",
"rocket": "\ud83d\ude80",
"rolled_up_newspaper": "\ud83d\uddde\ufe0f",
"roller_coaster": "\ud83c\udfa2",
"rolling_on_the_floor_laughing": "\ud83e\udd23",
"rooster": "\ud83d\udc13",
"rose": "\ud83c\udf39",
"rosette": "\ud83c\udff5\ufe0f",
"rotating_light": "\ud83d\udea8",
"round_pushpin": "\ud83d\udccd",
"rowboat": "\ud83d\udea3",
"ru": "\ud83c\uddf7\ud83c\uddfa",
"rugby_football": "\ud83c\udfc9",
"runner": "\ud83c\udfc3",
"running": "\ud83c\udfc3",
"running_shirt_with_sash": "\ud83c\udfbd",
"sa": "\ud83c\ude02\ufe0f",
"sagittarius": "\u2650",
"sailboat": "\u26f5",
"sake": "\ud83c\udf76",
"sandal": "\ud83d\udc61",
"sandwich": "\ud83e\udd6a",
"santa": "\ud83c\udf85",
"satellite": "\ud83d\udef0\ufe0f",
"satellite_antenna": "\ud83d\udce1",
"satisfied": "\ud83d\ude06",
"sauropod": "\ud83e\udd95",
"saxophone": "\ud83c\udfb7",
"scales": "\u2696\ufe0f",
"scarf": "\ud83e\udde3",
"school": "\ud83c\udfeb",
"school_satchel": "\ud83c\udf92",
"scissors": "\u2702\ufe0f",
"scooter": "\ud83d\udef4",
"scorpion": "\ud83e\udd82",
"scorpius": "\u264f",
"scream": "\ud83d\ude31",
"scream_cat": "\ud83d\ude40",
"scroll": "\ud83d\udcdc",
"seat": "\ud83d\udcba",
"second_place_medal": "\ud83e\udd48",
"secret": "\u3299\ufe0f",
"see_no_evil": "\ud83d\ude48",
"seedling": "\ud83c\udf31",
"selfie": "\ud83e\udd33",
"serious_face_with_symbols_covering_mouth": "\ud83e\udd2c",
"seven": "7\ufe0f\u20e3",
"shallow_pan_of_food": "\ud83e\udd58",
"shamrock": "\u2618\ufe0f",
"shark": "\ud83e\udd88",
"shaved_ice": "\ud83c\udf67",
"sheep": "\ud83d\udc11",
"shell": "\ud83d\udc1a",
"shield": "\ud83d\udee1\ufe0f",
"shinto_shrine": "\u26e9\ufe0f",
"ship": "\ud83d\udea2",
"shirt": "\ud83d\udc55",
"shit": "\ud83d\udca9",
"shocked_face_with_exploding_head": "\ud83e\udd2f",
"shoe": "\ud83d\udc5e",
"shopping_bags": "\ud83d\udecd\ufe0f",
"shopping_trolley": "\ud83d\uded2",
"shower": "\ud83d\udebf",
"shrimp": "\ud83e\udd90",
"shrug": "\ud83e\udd37",
"shushing_face": "\ud83e\udd2b",
"sign_of_the_horns": "\ud83e\udd18",
"signal_strength": "\ud83d\udcf6",
"six": "6\ufe0f\u20e3",
"six_pointed_star": "\ud83d\udd2f",
"ski": "\ud83c\udfbf",
"skier": "\u26f7\ufe0f",
"skin-tone-2": "\ud83c\udffb",
"skin-tone-3": "\ud83c\udffc",
"skin-tone-4": "\ud83c\udffd",
"skin-tone-5": "\ud83c\udffe",
"skin-tone-6": "\ud83c\udfff",
"skull": "\ud83d\udc80",
"skull_and_crossbones": "\u2620\ufe0f",
"sled": "\ud83d\udef7",
"sleeping": "\ud83d\ude34",
"sleeping_accommodation": "\ud83d\udecc",
"sleepy": "\ud83d\ude2a",
"sleuth_or_spy": "\ud83d\udd75\ufe0f",
"slightly_frowning_face": "\ud83d\ude41",
"slightly_smiling_face": "\ud83d\ude42",
"slot_machine": "\ud83c\udfb0",
"small_airplane": "\ud83d\udee9\ufe0f",
"small_blue_diamond": "\ud83d\udd39",
"small_orange_diamond": "\ud83d\udd38",
"small_red_triangle": "\ud83d\udd3a",
"small_red_triangle_down": "\ud83d\udd3b",
"smile": "\ud83d\ude04",
"smile_cat": "\ud83d\ude38",
"smiley": "\ud83d\ude03",
"smiley_cat": "\ud83d\ude3a",
"smiling_face_with_smiling_eyes_and_hand_covering_mouth": "\ud83e\udd2d",
"smiling_imp": "\ud83d\ude08",
"smirk": "\ud83d\ude0f",
"smirk_cat": "\ud83d\ude3c",
"smoking": "\ud83d\udeac",
"snail": "\ud83d\udc0c",
"snake": "\ud83d\udc0d",
"sneezing_face": "\ud83e\udd27",
"snow_capped_mountain": "\ud83c\udfd4\ufe0f",
"snow_cloud": "\ud83c\udf28\ufe0f",
"snowboarder": "\ud83c\udfc2",
"snowflake": "\u2744\ufe0f",
"snowman": "\u2603\ufe0f",
"snowman_without_snow": "\u26c4",
"sob": "\ud83d\ude2d",
"soccer": "\u26bd",
"socks": "\ud83e\udde6",
"soon": "\ud83d\udd1c",
"sos": "\ud83c\udd98",
"sound": "\ud83d\udd09",
"space_invader": "\ud83d\udc7e",
"spades": "\u2660\ufe0f",
"spaghetti": "\ud83c\udf5d",
"sparkle": "\u2747\ufe0f",
"sparkler": "\ud83c\udf87",
"sparkles": "\u2728",
"sparkling_heart": "\ud83d\udc96",
"speak_no_evil": "\ud83d\ude4a",
"speaker": "\ud83d\udd08",
"speaking_head_in_silhouette": "\ud83d\udde3\ufe0f",
"speech_balloon": "\ud83d\udcac",
"speedboat": "\ud83d\udea4",
"spider": "\ud83d\udd77\ufe0f",
"spider_web": "\ud83d\udd78\ufe0f",
"spiral_calendar_pad": "\ud83d\uddd3\ufe0f",
"spiral_note_pad": "\ud83d\uddd2\ufe0f",
"spock-hand": "\ud83d\udd96",
"spoon": "\ud83e\udd44",
"sports_medal": "\ud83c\udfc5",
"squid": "\ud83e\udd91",
"stadium": "\ud83c\udfdf\ufe0f",
"staff_of_aesculapius": "\u2695\ufe0f",
"star": "\u2b50",
"star-struck": "\ud83e\udd29",
"star2": "\ud83c\udf1f",
"star_and_crescent": "\u262a\ufe0f",
"star_of_david": "\u2721\ufe0f",
"stars": "\ud83c\udf20",
"station": "\ud83d\ude89",
"statue_of_liberty": "\ud83d\uddfd",
"steam_locomotive": "\ud83d\ude82",
"stew": "\ud83c\udf72",
"stopwatch": "\u23f1\ufe0f",
"straight_ruler": "\ud83d\udccf",
"strawberry": "\ud83c\udf53",
"stuck_out_tongue": "\ud83d\ude1b",
"stuck_out_tongue_closed_eyes": "\ud83d\ude1d",
"stuck_out_tongue_winking_eye": "\ud83d\ude1c",
"studio_microphone": "\ud83c\udf99\ufe0f",
"stuffed_flatbread": "\ud83e\udd59",
"sun_behind_cloud": "\ud83c\udf25\ufe0f",
"sun_behind_rain_cloud": "\ud83c\udf26\ufe0f",
"sun_small_cloud": "\ud83c\udf24\ufe0f",
"sun_with_face": "\ud83c\udf1e",
"sunflower": "\ud83c\udf3b",
"sunglasses": "\ud83d\ude0e",
"sunny": "\u2600\ufe0f",
"sunrise": "\ud83c\udf05",
"sunrise_over_mountains": "\ud83c\udf04",
"surfer": "\ud83c\udfc4",
"sushi": "\ud83c\udf63",
"suspension_railway": "\ud83d\ude9f",
"sweat": "\ud83d\ude13",
"sweat_drops": "\ud83d\udca6",
"sweat_smile": "\ud83d\ude05",
"sweet_potato": "\ud83c\udf60",
"swimmer": "\ud83c\udfca",
"symbols": "\ud83d\udd23",
"synagogue": "\ud83d\udd4d",
"syringe": "\ud83d\udc89",
"t-rex": "\ud83e\udd96",
"table_tennis_paddle_and_ball": "\ud83c\udfd3",
"taco": "\ud83c\udf2e",
"tada": "\ud83c\udf89",
"takeout_box": "\ud83e\udd61",
"tanabata_tree": "\ud83c\udf8b",
"tangerine": "\ud83c\udf4a",
"taurus": "\u2649",
"taxi": "\ud83d\ude95",
"tea": "\ud83c\udf75",
"telephone": "\u260e\ufe0f",
"telephone_receiver": "\ud83d\udcde",
"telescope": "\ud83d\udd2d",
"tennis": "\ud83c\udfbe",
"tent": "\u26fa",
"the_horns": "\ud83e\udd18",
"thermometer": "\ud83c\udf21\ufe0f",
"thinking_face": "\ud83e\udd14",
"third_place_medal": "\ud83e\udd49",
"thought_balloon": "\ud83d\udcad",
"three": "3\ufe0f\u20e3",
"three_button_mouse": "\ud83d\uddb1\ufe0f",
"thumbsdown": "\ud83d\udc4e",
"thumbsup": "\ud83d\udc4d",
"thunder_cloud_and_rain": "\u26c8\ufe0f",
"ticket": "\ud83c\udfab",
"tiger": "\ud83d\udc2f",
"tiger2": "\ud83d\udc05",
"timer_clock": "\u23f2\ufe0f",
"tired_face": "\ud83d\ude2b",
"tm": "\u2122\ufe0f",
"toilet": "\ud83d\udebd",
"tokyo_tower": "\ud83d\uddfc",
"tomato": "\ud83c\udf45",
"tongue": "\ud83d\udc45",
"top": "\ud83d\udd1d",
"tophat": "\ud83c\udfa9",
"tornado": "\ud83c\udf2a\ufe0f",
"tornado_cloud": "\ud83c\udf2a\ufe0f",
"trackball": "\ud83d\uddb2\ufe0f",
"tractor": "\ud83d\ude9c",
"traffic_light": "\ud83d\udea5",
"train": "\ud83d\ude8b",
"train2": "\ud83d\ude86",
"tram": "\ud83d\ude8a",
"triangular_flag_on_post": "\ud83d\udea9",
"triangular_ruler": "\ud83d\udcd0",
"trident": "\ud83d\udd31",
"triumph": "\ud83d\ude24",
"trolleybus": "\ud83d\ude8e",
"trophy": "\ud83c\udfc6",
"tropical_drink": "\ud83c\udf79",
"tropical_fish": "\ud83d\udc20",
"truck": "\ud83d\ude9a",
"trumpet": "\ud83c\udfba",
"tshirt": "\ud83d\udc55",
"tulip": "\ud83c\udf37",
"tumbler_glass": "\ud83e\udd43",
"turkey": "\ud83e\udd83",
"turtle": "\ud83d\udc22",
"tv": "\ud83d\udcfa",
"twisted_rightwards_arrows": "\ud83d\udd00",
"two": "2\ufe0f\u20e3",
"two_hearts": "\ud83d\udc95",
"two_men_holding_hands": "\ud83d\udc6c",
"two_women_holding_hands": "\ud83d\udc6d",
"u5272": "\ud83c\ude39",
"u5408": "\ud83c\ude34",
"u55b6": "\ud83c\ude3a",
"u6307": "\ud83c\ude2f",
"u6708": "\ud83c\ude37\ufe0f",
"u6709": "\ud83c\ude36",
"u6e80": "\ud83c\ude35",
"u7121": "\ud83c\ude1a",
"u7533": "\ud83c\ude38",
"u7981": "\ud83c\ude32",
"u7a7a": "\ud83c\ude33",
"uk": "\ud83c\uddec\ud83c\udde7",
"umbrella": "\u2602\ufe0f",
"umbrella_on_ground": "\u26f1\ufe0f",
"umbrella_with_rain_drops": "\u2614",
"unamused": "\ud83d\ude12",
"underage": "\ud83d\udd1e",
"unicorn_face": "\ud83e\udd84",
"unlock": "\ud83d\udd13",
"up": "\ud83c\udd99",
"upside_down_face": "\ud83d\ude43",
"us": "\ud83c\uddfa\ud83c\uddf8",
"v": "\u270c\ufe0f",
"vampire": "\ud83e\udddb",
"vertical_traffic_light": "\ud83d\udea6",
"vhs": "\ud83d\udcfc",
"vibration_mode": "\ud83d\udcf3",
"video_camera": "\ud83d\udcf9",
"video_game": "\ud83c\udfae",
"violin": "\ud83c\udfbb",
"virgo": "\u264d",
"volcano": "\ud83c\udf0b",
"volleyball": "\ud83c\udfd0",
"vs": "\ud83c\udd9a",
"walking": "\ud83d\udeb6",
"waning_crescent_moon": "\ud83c\udf18",
"waning_gibbous_moon": "\ud83c\udf16",
"warning": "\u26a0\ufe0f",
"wastebasket": "\ud83d\uddd1\ufe0f",
"watch": "\u231a",
"water_buffalo": "\ud83d\udc03",
"water_polo": "\ud83e\udd3d",
"watermelon": "\ud83c\udf49",
"wave": "\ud83d\udc4b",
"waving_black_flag": "\ud83c\udff4",
"waving_white_flag": "\ud83c\udff3\ufe0f",
"wavy_dash": "\u3030\ufe0f",
"waxing_crescent_moon": "\ud83c\udf12",
"waxing_gibbous_moon": "\ud83c\udf14",
"wc": "\ud83d\udebe",
"weary": "\ud83d\ude29",
"wedding": "\ud83d\udc92",
"weight_lifter": "\ud83c\udfcb\ufe0f",
"whale": "\ud83d\udc33",
"whale2": "\ud83d\udc0b",
"wheel_of_dharma": "\u2638\ufe0f",
"wheelchair": "\u267f",
"white_check_mark": "\u2705",
"white_circle": "\u26aa",
"white_flower": "\ud83d\udcae",
"white_frowning_face": "\u2639\ufe0f",
"white_large_square": "\u2b1c",
"white_medium_small_square": "\u25fd",
"white_medium_square": "\u25fb\ufe0f",
"white_small_square": "\u25ab\ufe0f",
"white_square_button": "\ud83d\udd33",
"wilted_flower": "\ud83e\udd40",
"wind_blowing_face": "\ud83c\udf2c\ufe0f",
"wind_chime": "\ud83c\udf90",
"wine_glass": "\ud83c\udf77",
"wink": "\ud83d\ude09",
"wolf": "\ud83d\udc3a",
"woman": "\ud83d\udc69",
"woman-biking": "\ud83d\udeb4\u200d\u2640\ufe0f",
"woman-bouncing-ball": "\u26f9\ufe0f\u200d\u2640\ufe0f",
"woman-bowing": "\ud83d\ude47\u200d\u2640\ufe0f",
"woman-boy": "\ud83d\udc69\u200d\ud83d\udc66",
"woman-boy-boy": "\ud83d\udc69\u200d\ud83d\udc66\u200d\ud83d\udc66",
"woman-cartwheeling": "\ud83e\udd38\u200d\u2640\ufe0f",
"woman-facepalming": "\ud83e\udd26\u200d\u2640\ufe0f",
"woman-frowning": "\ud83d\ude4d\u200d\u2640\ufe0f",
"woman-gesturing-no": "\ud83d\ude45\u200d\u2640\ufe0f",
"woman-gesturing-ok": "\ud83d\ude46\u200d\u2640\ufe0f",
"woman-getting-haircut": "\ud83d\udc87\u200d\u2640\ufe0f",
"woman-getting-massage": "\ud83d\udc86\u200d\u2640\ufe0f",
"woman-girl": "\ud83d\udc69\u200d\ud83d\udc67",
"woman-girl-boy": "\ud83d\udc69\u200d\ud83d\udc67\u200d\ud83d\udc66",
"woman-girl-girl": "\ud83d\udc69\u200d\ud83d\udc67\u200d\ud83d\udc67",
"woman-golfing": "\ud83c\udfcc\ufe0f\u200d\u2640\ufe0f",
"woman-heart-man": "\ud83d\udc69\u200d\u2764\ufe0f\u200d\ud83d\udc68",
"woman-heart-woman": "\ud83d\udc69\u200d\u2764\ufe0f\u200d\ud83d\udc69",
"woman-juggling": "\ud83e\udd39\u200d\u2640\ufe0f",
"woman-kiss-man": "\ud83d\udc69\u200d\u2764\ufe0f\u200d\ud83d\udc8b\u200d\ud83d\udc68",
"woman-kiss-woman": "\ud83d\udc69\u200d\u2764\ufe0f\u200d\ud83d\udc8b\u200d\ud83d\udc69",
"woman-lifting-weights": "\ud83c\udfcb\ufe0f\u200d\u2640\ufe0f",
"woman-mountain-biking": "\ud83d\udeb5\u200d\u2640\ufe0f",
"woman-playing-handball": "\ud83e\udd3e\u200d\u2640\ufe0f",
"woman-playing-water-polo": "\ud83e\udd3d\u200d\u2640\ufe0f",
"woman-pouting": "\ud83d\ude4e\u200d\u2640\ufe0f",
"woman-raising-hand": "\ud83d\ude4b\u200d\u2640\ufe0f",
"woman-rowing-boat": "\ud83d\udea3\u200d\u2640\ufe0f",
"woman-running": "\ud83c\udfc3\u200d\u2640\ufe0f",
"woman-shrugging": "\ud83e\udd37\u200d\u2640\ufe0f",
"woman-surfing": "\ud83c\udfc4\u200d\u2640\ufe0f",
"woman-swimming": "\ud83c\udfca\u200d\u2640\ufe0f",
"woman-tipping-hand": "\ud83d\udc81\u200d\u2640\ufe0f",
"woman-walking": "\ud83d\udeb6\u200d\u2640\ufe0f",
"woman-wearing-turban": "\ud83d\udc73\u200d\u2640\ufe0f",
"woman-with-bunny-ears-partying": "\ud83d\udc6f\u200d\u2640\ufe0f",
"woman-woman-boy": "\ud83d\udc69\u200d\ud83d\udc69\u200d\ud83d\udc66",
"woman-woman-boy-boy": "\ud83d\udc69\u200d\ud83d\udc69\u200d\ud83d\udc66\u200d\ud83d\udc66",
"woman-woman-girl": "\ud83d\udc69\u200d\ud83d\udc69\u200d\ud83d\udc67",
"woman-woman-girl-boy": "\ud83d\udc69\u200d\ud83d\udc69\u200d\ud83d\udc67\u200d\ud83d\udc66",
"woman-woman-girl-girl": "\ud83d\udc69\u200d\ud83d\udc69\u200d\ud83d\udc67\u200d\ud83d\udc67",
"woman-wrestling": "\ud83e\udd3c\u200d\u2640\ufe0f",
"woman_climbing": "\ud83e\uddd7\u200d\u2640\ufe0f",
"woman_in_lotus_position": "\ud83e\uddd8\u200d\u2640\ufe0f",
"woman_in_steamy_room": "\ud83e\uddd6\u200d\u2640\ufe0f",
"womans_clothes": "\ud83d\udc5a",
"womans_hat": "\ud83d\udc52",
"womens": "\ud83d\udeba",
"world_map": "\ud83d\uddfa\ufe0f",
"worried": "\ud83d\ude1f",
"wrench": "\ud83d\udd27",
"wrestlers": "\ud83e\udd3c",
"writing_hand": "\u270d\ufe0f",
"x": "\u274c",
"yellow_heart": "\ud83d\udc9b",
"yen": "\ud83d\udcb4",
"yin_yang": "\u262f\ufe0f",
"yum": "\ud83d\ude0b",
"zany_face": "\ud83e\udd2a",
"zap": "\u26a1",
"zebra_face": "\ud83e\udd93",
"zero": "0\ufe0f\u20e3",
"zipper_mouth_face": "\ud83e\udd10",
"zombie": "\ud83e\udddf",
"zzz": "\ud83d\udca4",
}
| emojis = {'+1': '\ud83d\udc4d', '-1': '\ud83d\udc4e', '100': '\ud83d\udcaf', '1234': '\ud83d\udd22', '8ball': '\ud83c\udfb1', 'a': '\ud83c\udd70️', 'ab': '\ud83c\udd8e', 'abc': '\ud83d\udd24', 'abcd': '\ud83d\udd21', 'accept': '\ud83c\ude51', 'admission_tickets': '\ud83c\udf9f️', 'adult': '\ud83e\uddd1', 'aerial_tramway': '\ud83d\udea1', 'airplane': '✈️', 'airplane_arriving': '\ud83d\udeec', 'airplane_departure': '\ud83d\udeeb', 'alarm_clock': '⏰', 'alembic': '⚗️', 'alien': '\ud83d\udc7d', 'ambulance': '\ud83d\ude91', 'amphora': '\ud83c\udffa', 'anchor': '⚓', 'angel': '\ud83d\udc7c', 'anger': '\ud83d\udca2', 'angry': '\ud83d\ude20', 'anguished': '\ud83d\ude27', 'ant': '\ud83d\udc1c', 'apple': '\ud83c\udf4e', 'aquarius': '♒', 'aries': '♈', 'arrow_backward': '◀️', 'arrow_double_down': '⏬', 'arrow_double_up': '⏫', 'arrow_down': '⬇️', 'arrow_down_small': '\ud83d\udd3d', 'arrow_forward': '▶️', 'arrow_heading_down': '⤵️', 'arrow_heading_up': '⤴️', 'arrow_left': '⬅️', 'arrow_lower_left': '↙️', 'arrow_lower_right': '↘️', 'arrow_right': '➡️', 'arrow_right_hook': '↪️', 'arrow_up': '⬆️', 'arrow_up_down': '↕️', 'arrow_up_small': '\ud83d\udd3c', 'arrow_upper_left': '↖️', 'arrow_upper_right': '↗️', 'arrows_clockwise': '\ud83d\udd03', 'arrows_counterclockwise': '\ud83d\udd04', 'art': '\ud83c\udfa8', 'articulated_lorry': '\ud83d\ude9b', 'astonished': '\ud83d\ude32', 'athletic_shoe': '\ud83d\udc5f', 'atm': '\ud83c\udfe7', 'atom_symbol': '⚛️', 'avocado': '\ud83e\udd51', 'b': '\ud83c\udd71️', 'baby': '\ud83d\udc76', 'baby_bottle': '\ud83c\udf7c', 'baby_chick': '\ud83d\udc24', 'baby_symbol': '\ud83d\udebc', 'back': '\ud83d\udd19', 'bacon': '\ud83e\udd53', 'badminton_racquet_and_shuttlecock': '\ud83c\udff8', 'baggage_claim': '\ud83d\udec4', 'baguette_bread': '\ud83e\udd56', 'balloon': '\ud83c\udf88', 'ballot_box_with_ballot': '\ud83d\uddf3️', 'ballot_box_with_check': '☑️', 'bamboo': '\ud83c\udf8d', 'banana': '\ud83c\udf4c', 'bangbang': '‼️', 'bank': '\ud83c\udfe6', 'bar_chart': '\ud83d\udcca', 'barber': '\ud83d\udc88', 'barely_sunny': '\ud83c\udf25️', 'baseball': '⚾', 'basketball': '\ud83c\udfc0', 'bat': '\ud83e\udd87', 'bath': '\ud83d\udec0', 'bathtub': '\ud83d\udec1', 'battery': '\ud83d\udd0b', 'beach_with_umbrella': '\ud83c\udfd6️', 'bear': '\ud83d\udc3b', 'bearded_person': '\ud83e\uddd4', 'bed': '\ud83d\udecf️', 'bee': '\ud83d\udc1d', 'beer': '\ud83c\udf7a', 'beers': '\ud83c\udf7b', 'beetle': '\ud83d\udc1e', 'beginner': '\ud83d\udd30', 'bell': '\ud83d\udd14', 'bellhop_bell': '\ud83d\udece️', 'bento': '\ud83c\udf71', 'bicyclist': '\ud83d\udeb4', 'bike': '\ud83d\udeb2', 'bikini': '\ud83d\udc59', 'billed_cap': '\ud83e\udde2', 'biohazard_sign': '☣️', 'bird': '\ud83d\udc26', 'birthday': '\ud83c\udf82', 'black_circle': '⚫', 'black_circle_for_record': '⏺️', 'black_heart': '\ud83d\udda4', 'black_joker': '\ud83c\udccf', 'black_large_square': '⬛', 'black_left_pointing_double_triangle_with_vertical_bar': '⏮️', 'black_medium_small_square': '◾', 'black_medium_square': '◼️', 'black_nib': '✒️', 'black_right_pointing_double_triangle_with_vertical_bar': '⏭️', 'black_right_pointing_triangle_with_double_vertical_bar': '⏯️', 'black_small_square': '▪️', 'black_square_button': '\ud83d\udd32', 'black_square_for_stop': '⏹️', 'blond-haired-man': '\ud83d\udc71\u200d♂️', 'blond-haired-woman': '\ud83d\udc71\u200d♀️', 'blossom': '\ud83c\udf3c', 'blowfish': '\ud83d\udc21', 'blue_book': '\ud83d\udcd8', 'blue_car': '\ud83d\ude99', 'blue_heart': '\ud83d\udc99', 'blush': '\ud83d\ude0a', 'boar': '\ud83d\udc17', 'boat': '⛵', 'bomb': '\ud83d\udca3', 'book': '\ud83d\udcd6', 'bookmark': '\ud83d\udd16', 'bookmark_tabs': '\ud83d\udcd1', 'books': '\ud83d\udcda', 'boom': '\ud83d\udca5', 'boot': '\ud83d\udc62', 'bouquet': '\ud83d\udc90', 'bow': '\ud83d\ude47', 'bow_and_arrow': '\ud83c\udff9', 'bowl_with_spoon': '\ud83e\udd63', 'bowling': '\ud83c\udfb3', 'boxing_glove': '\ud83e\udd4a', 'boy': '\ud83d\udc66', 'brain': '\ud83e\udde0', 'bread': '\ud83c\udf5e', 'breast-feeding': '\ud83e\udd31', 'bride_with_veil': '\ud83d\udc70', 'bridge_at_night': '\ud83c\udf09', 'briefcase': '\ud83d\udcbc', 'broccoli': '\ud83e\udd66', 'broken_heart': '\ud83d\udc94', 'bug': '\ud83d\udc1b', 'building_construction': '\ud83c\udfd7️', 'bulb': '\ud83d\udca1', 'bullettrain_front': '\ud83d\ude85', 'bullettrain_side': '\ud83d\ude84', 'burrito': '\ud83c\udf2f', 'bus': '\ud83d\ude8c', 'busstop': '\ud83d\ude8f', 'bust_in_silhouette': '\ud83d\udc64', 'busts_in_silhouette': '\ud83d\udc65', 'butterfly': '\ud83e\udd8b', 'cactus': '\ud83c\udf35', 'cake': '\ud83c\udf70', 'calendar': '\ud83d\udcc6', 'call_me_hand': '\ud83e\udd19', 'calling': '\ud83d\udcf2', 'camel': '\ud83d\udc2b', 'camera': '\ud83d\udcf7', 'camera_with_flash': '\ud83d\udcf8', 'camping': '\ud83c\udfd5️', 'cancer': '♋', 'candle': '\ud83d\udd6f️', 'candy': '\ud83c\udf6c', 'canned_food': '\ud83e\udd6b', 'canoe': '\ud83d\udef6', 'capital_abcd': '\ud83d\udd20', 'capricorn': '♑', 'car': '\ud83d\ude97', 'card_file_box': '\ud83d\uddc3️', 'card_index': '\ud83d\udcc7', 'card_index_dividers': '\ud83d\uddc2️', 'carousel_horse': '\ud83c\udfa0', 'carrot': '\ud83e\udd55', 'cat': '\ud83d\udc31', 'cat2': '\ud83d\udc08', 'cd': '\ud83d\udcbf', 'chains': '⛓️', 'champagne': '\ud83c\udf7e', 'chart': '\ud83d\udcb9', 'chart_with_downwards_trend': '\ud83d\udcc9', 'chart_with_upwards_trend': '\ud83d\udcc8', 'checkered_flag': '\ud83c\udfc1', 'cheese_wedge': '\ud83e\uddc0', 'cherries': '\ud83c\udf52', 'cherry_blossom': '\ud83c\udf38', 'chestnut': '\ud83c\udf30', 'chicken': '\ud83d\udc14', 'child': '\ud83e\uddd2', 'children_crossing': '\ud83d\udeb8', 'chipmunk': '\ud83d\udc3f️', 'chocolate_bar': '\ud83c\udf6b', 'chopsticks': '\ud83e\udd62', 'christmas_tree': '\ud83c\udf84', 'church': '⛪', 'cinema': '\ud83c\udfa6', 'circus_tent': '\ud83c\udfaa', 'city_sunrise': '\ud83c\udf07', 'city_sunset': '\ud83c\udf06', 'cityscape': '\ud83c\udfd9️', 'cl': '\ud83c\udd91', 'clap': '\ud83d\udc4f', 'clapper': '\ud83c\udfac', 'classical_building': '\ud83c\udfdb️', 'clinking_glasses': '\ud83e\udd42', 'clipboard': '\ud83d\udccb', 'clock1': '\ud83d\udd50', 'clock10': '\ud83d\udd59', 'clock1030': '\ud83d\udd65', 'clock11': '\ud83d\udd5a', 'clock1130': '\ud83d\udd66', 'clock12': '\ud83d\udd5b', 'clock1230': '\ud83d\udd67', 'clock130': '\ud83d\udd5c', 'clock2': '\ud83d\udd51', 'clock230': '\ud83d\udd5d', 'clock3': '\ud83d\udd52', 'clock330': '\ud83d\udd5e', 'clock4': '\ud83d\udd53', 'clock430': '\ud83d\udd5f', 'clock5': '\ud83d\udd54', 'clock530': '\ud83d\udd60', 'clock6': '\ud83d\udd55', 'clock630': '\ud83d\udd61', 'clock7': '\ud83d\udd56', 'clock730': '\ud83d\udd62', 'clock8': '\ud83d\udd57', 'clock830': '\ud83d\udd63', 'clock9': '\ud83d\udd58', 'clock930': '\ud83d\udd64', 'closed_book': '\ud83d\udcd5', 'closed_lock_with_key': '\ud83d\udd10', 'closed_umbrella': '\ud83c\udf02', 'cloud': '☁️', 'clown_face': '\ud83e\udd21', 'clubs': '♣️', 'cn': '\ud83c\udde8\ud83c\uddf3', 'coat': '\ud83e\udde5', 'cocktail': '\ud83c\udf78', 'coconut': '\ud83e\udd65', 'coffee': '☕', 'coffin': '⚰️', 'cold_sweat': '\ud83d\ude30', 'collision': '\ud83d\udca5', 'comet': '☄️', 'compression': '\ud83d\udddc️', 'computer': '\ud83d\udcbb', 'confetti_ball': '\ud83c\udf8a', 'confounded': '\ud83d\ude16', 'confused': '\ud83d\ude15', 'congratulations': '㊗️', 'construction': '\ud83d\udea7', 'construction_worker': '\ud83d\udc77', 'control_knobs': '\ud83c\udf9b️', 'convenience_store': '\ud83c\udfea', 'cookie': '\ud83c\udf6a', 'cooking': '\ud83c\udf73', 'cool': '\ud83c\udd92', 'cop': '\ud83d\udc6e', 'copyright': '©️', 'corn': '\ud83c\udf3d', 'couch_and_lamp': '\ud83d\udecb️', 'couple': '\ud83d\udc6b', 'couple_with_heart': '\ud83d\udc91', 'couplekiss': '\ud83d\udc8f', 'cow': '\ud83d\udc2e', 'cow2': '\ud83d\udc04', 'crab': '\ud83e\udd80', 'credit_card': '\ud83d\udcb3', 'crescent_moon': '\ud83c\udf19', 'cricket': '\ud83e\udd97', 'cricket_bat_and_ball': '\ud83c\udfcf', 'crocodile': '\ud83d\udc0a', 'croissant': '\ud83e\udd50', 'crossed_fingers': '\ud83e\udd1e', 'crossed_flags': '\ud83c\udf8c', 'crossed_swords': '⚔️', 'crown': '\ud83d\udc51', 'cry': '\ud83d\ude22', 'crying_cat_face': '\ud83d\ude3f', 'crystal_ball': '\ud83d\udd2e', 'cucumber': '\ud83e\udd52', 'cup_with_straw': '\ud83e\udd64', 'cupid': '\ud83d\udc98', 'curling_stone': '\ud83e\udd4c', 'curly_loop': '➰', 'currency_exchange': '\ud83d\udcb1', 'curry': '\ud83c\udf5b', 'custard': '\ud83c\udf6e', 'customs': '\ud83d\udec3', 'cut_of_meat': '\ud83e\udd69', 'cyclone': '\ud83c\udf00', 'dagger_knife': '\ud83d\udde1️', 'dancer': '\ud83d\udc83', 'dancers': '\ud83d\udc6f', 'dango': '\ud83c\udf61', 'dark_sunglasses': '\ud83d\udd76️', 'dart': '\ud83c\udfaf', 'dash': '\ud83d\udca8', 'date': '\ud83d\udcc5', 'de': '\ud83c\udde9\ud83c\uddea', 'deciduous_tree': '\ud83c\udf33', 'deer': '\ud83e\udd8c', 'department_store': '\ud83c\udfec', 'derelict_house_building': '\ud83c\udfda️', 'desert': '\ud83c\udfdc️', 'desert_island': '\ud83c\udfdd️', 'desktop_computer': '\ud83d\udda5️', 'diamond_shape_with_a_dot_inside': '\ud83d\udca0', 'diamonds': '♦️', 'disappointed': '\ud83d\ude1e', 'disappointed_relieved': '\ud83d\ude25', 'dizzy': '\ud83d\udcab', 'dizzy_face': '\ud83d\ude35', 'do_not_litter': '\ud83d\udeaf', 'dog': '\ud83d\udc36', 'dog2': '\ud83d\udc15', 'dollar': '\ud83d\udcb5', 'dolls': '\ud83c\udf8e', 'dolphin': '\ud83d\udc2c', 'door': '\ud83d\udeaa', 'double_vertical_bar': '⏸️', 'doughnut': '\ud83c\udf69', 'dove_of_peace': '\ud83d\udd4a️', 'dragon': '\ud83d\udc09', 'dragon_face': '\ud83d\udc32', 'dress': '\ud83d\udc57', 'dromedary_camel': '\ud83d\udc2a', 'drooling_face': '\ud83e\udd24', 'droplet': '\ud83d\udca7', 'drum_with_drumsticks': '\ud83e\udd41', 'duck': '\ud83e\udd86', 'dumpling': '\ud83e\udd5f', 'dvd': '\ud83d\udcc0', 'e-mail': '\ud83d\udce7', 'eagle': '\ud83e\udd85', 'ear': '\ud83d\udc42', 'ear_of_rice': '\ud83c\udf3e', 'earth_africa': '\ud83c\udf0d', 'earth_americas': '\ud83c\udf0e', 'earth_asia': '\ud83c\udf0f', 'egg': '\ud83e\udd5a', 'eggplant': '\ud83c\udf46', 'eight': '8️⃣', 'eight_pointed_black_star': '✴️', 'eight_spoked_asterisk': '✳️', 'eject': '⏏️', 'electric_plug': '\ud83d\udd0c', 'elephant': '\ud83d\udc18', 'elf': '\ud83e\udddd', 'email': '✉️', 'end': '\ud83d\udd1a', 'envelope': '✉️', 'envelope_with_arrow': '\ud83d\udce9', 'es': '\ud83c\uddea\ud83c\uddf8', 'euro': '\ud83d\udcb6', 'european_castle': '\ud83c\udff0', 'european_post_office': '\ud83c\udfe4', 'evergreen_tree': '\ud83c\udf32', 'exclamation': '❗', 'exploding_head': '\ud83e\udd2f', 'expressionless': '\ud83d\ude11', 'eye': '\ud83d\udc41️', 'eye-in-speech-bubble': '\ud83d\udc41️\u200d\ud83d\udde8️', 'eyeglasses': '\ud83d\udc53', 'eyes': '\ud83d\udc40', 'face_palm': '\ud83e\udd26', 'face_vomiting': '\ud83e\udd2e', 'face_with_cowboy_hat': '\ud83e\udd20', 'face_with_finger_covering_closed_lips': '\ud83e\udd2b', 'face_with_hand_over_mouth': '\ud83e\udd2d', 'face_with_head_bandage': '\ud83e\udd15', 'face_with_monocle': '\ud83e\uddd0', 'face_with_one_eyebrow_raised': '\ud83e\udd28', 'face_with_open_mouth_vomiting': '\ud83e\udd2e', 'face_with_raised_eyebrow': '\ud83e\udd28', 'face_with_rolling_eyes': '\ud83d\ude44', 'face_with_symbols_on_mouth': '\ud83e\udd2c', 'face_with_thermometer': '\ud83e\udd12', 'facepunch': '\ud83d\udc4a', 'factory': '\ud83c\udfed', 'fairy': '\ud83e\uddda', 'fallen_leaf': '\ud83c\udf42', 'family': '\ud83d\udc6a', 'fast_forward': '⏩', 'fax': '\ud83d\udce0', 'fearful': '\ud83d\ude28', 'feet': '\ud83d\udc3e', 'female-artist': '\ud83d\udc69\u200d\ud83c\udfa8', 'female-astronaut': '\ud83d\udc69\u200d\ud83d\ude80', 'female-construction-worker': '\ud83d\udc77\u200d♀️', 'female-cook': '\ud83d\udc69\u200d\ud83c\udf73', 'female-detective': '\ud83d\udd75️\u200d♀️', 'female-doctor': '\ud83d\udc69\u200d⚕️', 'female-factory-worker': '\ud83d\udc69\u200d\ud83c\udfed', 'female-farmer': '\ud83d\udc69\u200d\ud83c\udf3e', 'female-firefighter': '\ud83d\udc69\u200d\ud83d\ude92', 'female-guard': '\ud83d\udc82\u200d♀️', 'female-judge': '\ud83d\udc69\u200d⚖️', 'female-mechanic': '\ud83d\udc69\u200d\ud83d\udd27', 'female-office-worker': '\ud83d\udc69\u200d\ud83d\udcbc', 'female-pilot': '\ud83d\udc69\u200d✈️', 'female-police-officer': '\ud83d\udc6e\u200d♀️', 'female-scientist': '\ud83d\udc69\u200d\ud83d\udd2c', 'female-singer': '\ud83d\udc69\u200d\ud83c\udfa4', 'female-student': '\ud83d\udc69\u200d\ud83c\udf93', 'female-teacher': '\ud83d\udc69\u200d\ud83c\udfeb', 'female-technologist': '\ud83d\udc69\u200d\ud83d\udcbb', 'female_elf': '\ud83e\udddd\u200d♀️', 'female_fairy': '\ud83e\uddda\u200d♀️', 'female_genie': '\ud83e\uddde\u200d♀️', 'female_mage': '\ud83e\uddd9\u200d♀️', 'female_sign': '♀️', 'female_vampire': '\ud83e\udddb\u200d♀️', 'female_zombie': '\ud83e\udddf\u200d♀️', 'fencer': '\ud83e\udd3a', 'ferris_wheel': '\ud83c\udfa1', 'ferry': '⛴️', 'field_hockey_stick_and_ball': '\ud83c\udfd1', 'file_cabinet': '\ud83d\uddc4️', 'file_folder': '\ud83d\udcc1', 'film_frames': '\ud83c\udf9e️', 'film_projector': '\ud83d\udcfd️', 'fire': '\ud83d\udd25', 'fire_engine': '\ud83d\ude92', 'fireworks': '\ud83c\udf86', 'first_place_medal': '\ud83e\udd47', 'first_quarter_moon': '\ud83c\udf13', 'first_quarter_moon_with_face': '\ud83c\udf1b', 'fish': '\ud83d\udc1f', 'fish_cake': '\ud83c\udf65', 'fishing_pole_and_fish': '\ud83c\udfa3', 'fist': '✊', 'five': '5️⃣', 'flag-ac': '\ud83c\udde6\ud83c\udde8', 'flag-ad': '\ud83c\udde6\ud83c\udde9', 'flag-ae': '\ud83c\udde6\ud83c\uddea', 'flag-af': '\ud83c\udde6\ud83c\uddeb', 'flag-ag': '\ud83c\udde6\ud83c\uddec', 'flag-ai': '\ud83c\udde6\ud83c\uddee', 'flag-al': '\ud83c\udde6\ud83c\uddf1', 'flag-am': '\ud83c\udde6\ud83c\uddf2', 'flag-ao': '\ud83c\udde6\ud83c\uddf4', 'flag-aq': '\ud83c\udde6\ud83c\uddf6', 'flag-ar': '\ud83c\udde6\ud83c\uddf7', 'flag-as': '\ud83c\udde6\ud83c\uddf8', 'flag-at': '\ud83c\udde6\ud83c\uddf9', 'flag-au': '\ud83c\udde6\ud83c\uddfa', 'flag-aw': '\ud83c\udde6\ud83c\uddfc', 'flag-ax': '\ud83c\udde6\ud83c\uddfd', 'flag-az': '\ud83c\udde6\ud83c\uddff', 'flag-ba': '\ud83c\udde7\ud83c\udde6', 'flag-bb': '\ud83c\udde7\ud83c\udde7', 'flag-bd': '\ud83c\udde7\ud83c\udde9', 'flag-be': '\ud83c\udde7\ud83c\uddea', 'flag-bf': '\ud83c\udde7\ud83c\uddeb', 'flag-bg': '\ud83c\udde7\ud83c\uddec', 'flag-bh': '\ud83c\udde7\ud83c\udded', 'flag-bi': '\ud83c\udde7\ud83c\uddee', 'flag-bj': '\ud83c\udde7\ud83c\uddef', 'flag-bl': '\ud83c\udde7\ud83c\uddf1', 'flag-bm': '\ud83c\udde7\ud83c\uddf2', 'flag-bn': '\ud83c\udde7\ud83c\uddf3', 'flag-bo': '\ud83c\udde7\ud83c\uddf4', 'flag-bq': '\ud83c\udde7\ud83c\uddf6', 'flag-br': '\ud83c\udde7\ud83c\uddf7', 'flag-bs': '\ud83c\udde7\ud83c\uddf8', 'flag-bt': '\ud83c\udde7\ud83c\uddf9', 'flag-bv': '\ud83c\udde7\ud83c\uddfb', 'flag-bw': '\ud83c\udde7\ud83c\uddfc', 'flag-by': '\ud83c\udde7\ud83c\uddfe', 'flag-bz': '\ud83c\udde7\ud83c\uddff', 'flag-ca': '\ud83c\udde8\ud83c\udde6', 'flag-cc': '\ud83c\udde8\ud83c\udde8', 'flag-cd': '\ud83c\udde8\ud83c\udde9', 'flag-cf': '\ud83c\udde8\ud83c\uddeb', 'flag-cg': '\ud83c\udde8\ud83c\uddec', 'flag-ch': '\ud83c\udde8\ud83c\udded', 'flag-ci': '\ud83c\udde8\ud83c\uddee', 'flag-ck': '\ud83c\udde8\ud83c\uddf0', 'flag-cl': '\ud83c\udde8\ud83c\uddf1', 'flag-cm': '\ud83c\udde8\ud83c\uddf2', 'flag-cn': '\ud83c\udde8\ud83c\uddf3', 'flag-co': '\ud83c\udde8\ud83c\uddf4', 'flag-cp': '\ud83c\udde8\ud83c\uddf5', 'flag-cr': '\ud83c\udde8\ud83c\uddf7', 'flag-cu': '\ud83c\udde8\ud83c\uddfa', 'flag-cv': '\ud83c\udde8\ud83c\uddfb', 'flag-cw': '\ud83c\udde8\ud83c\uddfc', 'flag-cx': '\ud83c\udde8\ud83c\uddfd', 'flag-cy': '\ud83c\udde8\ud83c\uddfe', 'flag-cz': '\ud83c\udde8\ud83c\uddff', 'flag-de': '\ud83c\udde9\ud83c\uddea', 'flag-dg': '\ud83c\udde9\ud83c\uddec', 'flag-dj': '\ud83c\udde9\ud83c\uddef', 'flag-dk': '\ud83c\udde9\ud83c\uddf0', 'flag-dm': '\ud83c\udde9\ud83c\uddf2', 'flag-do': '\ud83c\udde9\ud83c\uddf4', 'flag-dz': '\ud83c\udde9\ud83c\uddff', 'flag-ea': '\ud83c\uddea\ud83c\udde6', 'flag-ec': '\ud83c\uddea\ud83c\udde8', 'flag-ee': '\ud83c\uddea\ud83c\uddea', 'flag-eg': '\ud83c\uddea\ud83c\uddec', 'flag-eh': '\ud83c\uddea\ud83c\udded', 'flag-england': '\ud83c\udff4\udb40\udc67\udb40\udc62\udb40\udc65\udb40\udc6e\udb40\udc67\udb40\udc7f', 'flag-er': '\ud83c\uddea\ud83c\uddf7', 'flag-es': '\ud83c\uddea\ud83c\uddf8', 'flag-et': '\ud83c\uddea\ud83c\uddf9', 'flag-eu': '\ud83c\uddea\ud83c\uddfa', 'flag-fi': '\ud83c\uddeb\ud83c\uddee', 'flag-fj': '\ud83c\uddeb\ud83c\uddef', 'flag-fk': '\ud83c\uddeb\ud83c\uddf0', 'flag-fm': '\ud83c\uddeb\ud83c\uddf2', 'flag-fo': '\ud83c\uddeb\ud83c\uddf4', 'flag-fr': '\ud83c\uddeb\ud83c\uddf7', 'flag-ga': '\ud83c\uddec\ud83c\udde6', 'flag-gb': '\ud83c\uddec\ud83c\udde7', 'flag-gd': '\ud83c\uddec\ud83c\udde9', 'flag-ge': '\ud83c\uddec\ud83c\uddea', 'flag-gf': '\ud83c\uddec\ud83c\uddeb', 'flag-gg': '\ud83c\uddec\ud83c\uddec', 'flag-gh': '\ud83c\uddec\ud83c\udded', 'flag-gi': '\ud83c\uddec\ud83c\uddee', 'flag-gl': '\ud83c\uddec\ud83c\uddf1', 'flag-gm': '\ud83c\uddec\ud83c\uddf2', 'flag-gn': '\ud83c\uddec\ud83c\uddf3', 'flag-gp': '\ud83c\uddec\ud83c\uddf5', 'flag-gq': '\ud83c\uddec\ud83c\uddf6', 'flag-gr': '\ud83c\uddec\ud83c\uddf7', 'flag-gs': '\ud83c\uddec\ud83c\uddf8', 'flag-gt': '\ud83c\uddec\ud83c\uddf9', 'flag-gu': '\ud83c\uddec\ud83c\uddfa', 'flag-gw': '\ud83c\uddec\ud83c\uddfc', 'flag-gy': '\ud83c\uddec\ud83c\uddfe', 'flag-hk': '\ud83c\udded\ud83c\uddf0', 'flag-hm': '\ud83c\udded\ud83c\uddf2', 'flag-hn': '\ud83c\udded\ud83c\uddf3', 'flag-hr': '\ud83c\udded\ud83c\uddf7', 'flag-ht': '\ud83c\udded\ud83c\uddf9', 'flag-hu': '\ud83c\udded\ud83c\uddfa', 'flag-ic': '\ud83c\uddee\ud83c\udde8', 'flag-id': '\ud83c\uddee\ud83c\udde9', 'flag-ie': '\ud83c\uddee\ud83c\uddea', 'flag-il': '\ud83c\uddee\ud83c\uddf1', 'flag-im': '\ud83c\uddee\ud83c\uddf2', 'flag-in': '\ud83c\uddee\ud83c\uddf3', 'flag-io': '\ud83c\uddee\ud83c\uddf4', 'flag-iq': '\ud83c\uddee\ud83c\uddf6', 'flag-ir': '\ud83c\uddee\ud83c\uddf7', 'flag-is': '\ud83c\uddee\ud83c\uddf8', 'flag-it': '\ud83c\uddee\ud83c\uddf9', 'flag-je': '\ud83c\uddef\ud83c\uddea', 'flag-jm': '\ud83c\uddef\ud83c\uddf2', 'flag-jo': '\ud83c\uddef\ud83c\uddf4', 'flag-jp': '\ud83c\uddef\ud83c\uddf5', 'flag-ke': '\ud83c\uddf0\ud83c\uddea', 'flag-kg': '\ud83c\uddf0\ud83c\uddec', 'flag-kh': '\ud83c\uddf0\ud83c\udded', 'flag-ki': '\ud83c\uddf0\ud83c\uddee', 'flag-km': '\ud83c\uddf0\ud83c\uddf2', 'flag-kn': '\ud83c\uddf0\ud83c\uddf3', 'flag-kp': '\ud83c\uddf0\ud83c\uddf5', 'flag-kr': '\ud83c\uddf0\ud83c\uddf7', 'flag-kw': '\ud83c\uddf0\ud83c\uddfc', 'flag-ky': '\ud83c\uddf0\ud83c\uddfe', 'flag-kz': '\ud83c\uddf0\ud83c\uddff', 'flag-la': '\ud83c\uddf1\ud83c\udde6', 'flag-lb': '\ud83c\uddf1\ud83c\udde7', 'flag-lc': '\ud83c\uddf1\ud83c\udde8', 'flag-li': '\ud83c\uddf1\ud83c\uddee', 'flag-lk': '\ud83c\uddf1\ud83c\uddf0', 'flag-lr': '\ud83c\uddf1\ud83c\uddf7', 'flag-ls': '\ud83c\uddf1\ud83c\uddf8', 'flag-lt': '\ud83c\uddf1\ud83c\uddf9', 'flag-lu': '\ud83c\uddf1\ud83c\uddfa', 'flag-lv': '\ud83c\uddf1\ud83c\uddfb', 'flag-ly': '\ud83c\uddf1\ud83c\uddfe', 'flag-ma': '\ud83c\uddf2\ud83c\udde6', 'flag-mc': '\ud83c\uddf2\ud83c\udde8', 'flag-md': '\ud83c\uddf2\ud83c\udde9', 'flag-me': '\ud83c\uddf2\ud83c\uddea', 'flag-mf': '\ud83c\uddf2\ud83c\uddeb', 'flag-mg': '\ud83c\uddf2\ud83c\uddec', 'flag-mh': '\ud83c\uddf2\ud83c\udded', 'flag-mk': '\ud83c\uddf2\ud83c\uddf0', 'flag-ml': '\ud83c\uddf2\ud83c\uddf1', 'flag-mm': '\ud83c\uddf2\ud83c\uddf2', 'flag-mn': '\ud83c\uddf2\ud83c\uddf3', 'flag-mo': '\ud83c\uddf2\ud83c\uddf4', 'flag-mp': '\ud83c\uddf2\ud83c\uddf5', 'flag-mq': '\ud83c\uddf2\ud83c\uddf6', 'flag-mr': '\ud83c\uddf2\ud83c\uddf7', 'flag-ms': '\ud83c\uddf2\ud83c\uddf8', 'flag-mt': '\ud83c\uddf2\ud83c\uddf9', 'flag-mu': '\ud83c\uddf2\ud83c\uddfa', 'flag-mv': '\ud83c\uddf2\ud83c\uddfb', 'flag-mw': '\ud83c\uddf2\ud83c\uddfc', 'flag-mx': '\ud83c\uddf2\ud83c\uddfd', 'flag-my': '\ud83c\uddf2\ud83c\uddfe', 'flag-mz': '\ud83c\uddf2\ud83c\uddff', 'flag-na': '\ud83c\uddf3\ud83c\udde6', 'flag-nc': '\ud83c\uddf3\ud83c\udde8', 'flag-ne': '\ud83c\uddf3\ud83c\uddea', 'flag-nf': '\ud83c\uddf3\ud83c\uddeb', 'flag-ng': '\ud83c\uddf3\ud83c\uddec', 'flag-ni': '\ud83c\uddf3\ud83c\uddee', 'flag-nl': '\ud83c\uddf3\ud83c\uddf1', 'flag-no': '\ud83c\uddf3\ud83c\uddf4', 'flag-np': '\ud83c\uddf3\ud83c\uddf5', 'flag-nr': '\ud83c\uddf3\ud83c\uddf7', 'flag-nu': '\ud83c\uddf3\ud83c\uddfa', 'flag-nz': '\ud83c\uddf3\ud83c\uddff', 'flag-om': '\ud83c\uddf4\ud83c\uddf2', 'flag-pa': '\ud83c\uddf5\ud83c\udde6', 'flag-pe': '\ud83c\uddf5\ud83c\uddea', 'flag-pf': '\ud83c\uddf5\ud83c\uddeb', 'flag-pg': '\ud83c\uddf5\ud83c\uddec', 'flag-ph': '\ud83c\uddf5\ud83c\udded', 'flag-pk': '\ud83c\uddf5\ud83c\uddf0', 'flag-pl': '\ud83c\uddf5\ud83c\uddf1', 'flag-pm': '\ud83c\uddf5\ud83c\uddf2', 'flag-pn': '\ud83c\uddf5\ud83c\uddf3', 'flag-pr': '\ud83c\uddf5\ud83c\uddf7', 'flag-ps': '\ud83c\uddf5\ud83c\uddf8', 'flag-pt': '\ud83c\uddf5\ud83c\uddf9', 'flag-pw': '\ud83c\uddf5\ud83c\uddfc', 'flag-py': '\ud83c\uddf5\ud83c\uddfe', 'flag-qa': '\ud83c\uddf6\ud83c\udde6', 'flag-re': '\ud83c\uddf7\ud83c\uddea', 'flag-ro': '\ud83c\uddf7\ud83c\uddf4', 'flag-rs': '\ud83c\uddf7\ud83c\uddf8', 'flag-ru': '\ud83c\uddf7\ud83c\uddfa', 'flag-rw': '\ud83c\uddf7\ud83c\uddfc', 'flag-sa': '\ud83c\uddf8\ud83c\udde6', 'flag-sb': '\ud83c\uddf8\ud83c\udde7', 'flag-sc': '\ud83c\uddf8\ud83c\udde8', 'flag-scotland': '\ud83c\udff4\udb40\udc67\udb40\udc62\udb40\udc73\udb40\udc63\udb40\udc74\udb40\udc7f', 'flag-sd': '\ud83c\uddf8\ud83c\udde9', 'flag-se': '\ud83c\uddf8\ud83c\uddea', 'flag-sg': '\ud83c\uddf8\ud83c\uddec', 'flag-sh': '\ud83c\uddf8\ud83c\udded', 'flag-si': '\ud83c\uddf8\ud83c\uddee', 'flag-sj': '\ud83c\uddf8\ud83c\uddef', 'flag-sk': '\ud83c\uddf8\ud83c\uddf0', 'flag-sl': '\ud83c\uddf8\ud83c\uddf1', 'flag-sm': '\ud83c\uddf8\ud83c\uddf2', 'flag-sn': '\ud83c\uddf8\ud83c\uddf3', 'flag-so': '\ud83c\uddf8\ud83c\uddf4', 'flag-sr': '\ud83c\uddf8\ud83c\uddf7', 'flag-ss': '\ud83c\uddf8\ud83c\uddf8', 'flag-st': '\ud83c\uddf8\ud83c\uddf9', 'flag-sv': '\ud83c\uddf8\ud83c\uddfb', 'flag-sx': '\ud83c\uddf8\ud83c\uddfd', 'flag-sy': '\ud83c\uddf8\ud83c\uddfe', 'flag-sz': '\ud83c\uddf8\ud83c\uddff', 'flag-ta': '\ud83c\uddf9\ud83c\udde6', 'flag-tc': '\ud83c\uddf9\ud83c\udde8', 'flag-td': '\ud83c\uddf9\ud83c\udde9', 'flag-tf': '\ud83c\uddf9\ud83c\uddeb', 'flag-tg': '\ud83c\uddf9\ud83c\uddec', 'flag-th': '\ud83c\uddf9\ud83c\udded', 'flag-tj': '\ud83c\uddf9\ud83c\uddef', 'flag-tk': '\ud83c\uddf9\ud83c\uddf0', 'flag-tl': '\ud83c\uddf9\ud83c\uddf1', 'flag-tm': '\ud83c\uddf9\ud83c\uddf2', 'flag-tn': '\ud83c\uddf9\ud83c\uddf3', 'flag-to': '\ud83c\uddf9\ud83c\uddf4', 'flag-tr': '\ud83c\uddf9\ud83c\uddf7', 'flag-tt': '\ud83c\uddf9\ud83c\uddf9', 'flag-tv': '\ud83c\uddf9\ud83c\uddfb', 'flag-tw': '\ud83c\uddf9\ud83c\uddfc', 'flag-tz': '\ud83c\uddf9\ud83c\uddff', 'flag-ua': '\ud83c\uddfa\ud83c\udde6', 'flag-ug': '\ud83c\uddfa\ud83c\uddec', 'flag-um': '\ud83c\uddfa\ud83c\uddf2', 'flag-un': '\ud83c\uddfa\ud83c\uddf3', 'flag-us': '\ud83c\uddfa\ud83c\uddf8', 'flag-uy': '\ud83c\uddfa\ud83c\uddfe', 'flag-uz': '\ud83c\uddfa\ud83c\uddff', 'flag-va': '\ud83c\uddfb\ud83c\udde6', 'flag-vc': '\ud83c\uddfb\ud83c\udde8', 'flag-ve': '\ud83c\uddfb\ud83c\uddea', 'flag-vg': '\ud83c\uddfb\ud83c\uddec', 'flag-vi': '\ud83c\uddfb\ud83c\uddee', 'flag-vn': '\ud83c\uddfb\ud83c\uddf3', 'flag-vu': '\ud83c\uddfb\ud83c\uddfa', 'flag-wales': '\ud83c\udff4\udb40\udc67\udb40\udc62\udb40\udc77\udb40\udc6c\udb40\udc73\udb40\udc7f', 'flag-wf': '\ud83c\uddfc\ud83c\uddeb', 'flag-ws': '\ud83c\uddfc\ud83c\uddf8', 'flag-xk': '\ud83c\uddfd\ud83c\uddf0', 'flag-ye': '\ud83c\uddfe\ud83c\uddea', 'flag-yt': '\ud83c\uddfe\ud83c\uddf9', 'flag-za': '\ud83c\uddff\ud83c\udde6', 'flag-zm': '\ud83c\uddff\ud83c\uddf2', 'flag-zw': '\ud83c\uddff\ud83c\uddfc', 'flags': '\ud83c\udf8f', 'flashlight': '\ud83d\udd26', 'fleur_de_lis': '⚜️', 'flipper': '\ud83d\udc2c', 'floppy_disk': '\ud83d\udcbe', 'flower_playing_cards': '\ud83c\udfb4', 'flushed': '\ud83d\ude33', 'flying_saucer': '\ud83d\udef8', 'fog': '\ud83c\udf2b️', 'foggy': '\ud83c\udf01', 'football': '\ud83c\udfc8', 'footprints': '\ud83d\udc63', 'fork_and_knife': '\ud83c\udf74', 'fortune_cookie': '\ud83e\udd60', 'fountain': '⛲', 'four': '4️⃣', 'four_leaf_clover': '\ud83c\udf40', 'fox_face': '\ud83e\udd8a', 'fr': '\ud83c\uddeb\ud83c\uddf7', 'frame_with_picture': '\ud83d\uddbc️', 'free': '\ud83c\udd93', 'fried_egg': '\ud83c\udf73', 'fried_shrimp': '\ud83c\udf64', 'fries': '\ud83c\udf5f', 'frog': '\ud83d\udc38', 'frowning': '\ud83d\ude26', 'fuelpump': '⛽', 'full_moon': '\ud83c\udf15', 'full_moon_with_face': '\ud83c\udf1d', 'funeral_urn': '⚱️', 'game_die': '\ud83c\udfb2', 'gb': '\ud83c\uddec\ud83c\udde7', 'gear': '⚙️', 'gem': '\ud83d\udc8e', 'gemini': '♊', 'genie': '\ud83e\uddde', 'ghost': '\ud83d\udc7b', 'gift': '\ud83c\udf81', 'gift_heart': '\ud83d\udc9d', 'giraffe_face': '\ud83e\udd92', 'girl': '\ud83d\udc67', 'glass_of_milk': '\ud83e\udd5b', 'globe_with_meridians': '\ud83c\udf10', 'gloves': '\ud83e\udde4', 'goal_net': '\ud83e\udd45', 'goat': '\ud83d\udc10', 'golf': '⛳', 'golfer': '\ud83c\udfcc️', 'gorilla': '\ud83e\udd8d', 'grapes': '\ud83c\udf47', 'green_apple': '\ud83c\udf4f', 'green_book': '\ud83d\udcd7', 'green_heart': '\ud83d\udc9a', 'green_salad': '\ud83e\udd57', 'grey_exclamation': '❕', 'grey_question': '❔', 'grimacing': '\ud83d\ude2c', 'grin': '\ud83d\ude01', 'grinning': '\ud83d\ude00', 'grinning_face_with_one_large_and_one_small_eye': '\ud83e\udd2a', 'grinning_face_with_star_eyes': '\ud83e\udd29', 'guardsman': '\ud83d\udc82', 'guitar': '\ud83c\udfb8', 'gun': '\ud83d\udd2b', 'haircut': '\ud83d\udc87', 'hamburger': '\ud83c\udf54', 'hammer': '\ud83d\udd28', 'hammer_and_pick': '⚒️', 'hammer_and_wrench': '\ud83d\udee0️', 'hamster': '\ud83d\udc39', 'hand': '✋', 'hand_with_index_and_middle_fingers_crossed': '\ud83e\udd1e', 'handbag': '\ud83d\udc5c', 'handball': '\ud83e\udd3e', 'handshake': '\ud83e\udd1d', 'hankey': '\ud83d\udca9', 'hash': '#️⃣', 'hatched_chick': '\ud83d\udc25', 'hatching_chick': '\ud83d\udc23', 'headphones': '\ud83c\udfa7', 'hear_no_evil': '\ud83d\ude49', 'heart': '❤️', 'heart_decoration': '\ud83d\udc9f', 'heart_eyes': '\ud83d\ude0d', 'heart_eyes_cat': '\ud83d\ude3b', 'heartbeat': '\ud83d\udc93', 'heartpulse': '\ud83d\udc97', 'hearts': '♥️', 'heavy_check_mark': '✔️', 'heavy_division_sign': '➗', 'heavy_dollar_sign': '\ud83d\udcb2', 'heavy_exclamation_mark': '❗', 'heavy_heart_exclamation_mark_ornament': '❣️', 'heavy_minus_sign': '➖', 'heavy_multiplication_x': '✖️', 'heavy_plus_sign': '➕', 'hedgehog': '\ud83e\udd94', 'helicopter': '\ud83d\ude81', 'helmet_with_white_cross': '⛑️', 'herb': '\ud83c\udf3f', 'hibiscus': '\ud83c\udf3a', 'high_brightness': '\ud83d\udd06', 'high_heel': '\ud83d\udc60', 'hocho': '\ud83d\udd2a', 'hole': '\ud83d\udd73️', 'honey_pot': '\ud83c\udf6f', 'honeybee': '\ud83d\udc1d', 'horse': '\ud83d\udc34', 'horse_racing': '\ud83c\udfc7', 'hospital': '\ud83c\udfe5', 'hot_pepper': '\ud83c\udf36️', 'hotdog': '\ud83c\udf2d', 'hotel': '\ud83c\udfe8', 'hotsprings': '♨️', 'hourglass': '⌛', 'hourglass_flowing_sand': '⏳', 'house': '\ud83c\udfe0', 'house_buildings': '\ud83c\udfd8️', 'house_with_garden': '\ud83c\udfe1', 'hugging_face': '\ud83e\udd17', 'hushed': '\ud83d\ude2f', 'i_love_you_hand_sign': '\ud83e\udd1f', 'ice_cream': '\ud83c\udf68', 'ice_hockey_stick_and_puck': '\ud83c\udfd2', 'ice_skate': '⛸️', 'icecream': '\ud83c\udf66', 'id': '\ud83c\udd94', 'ideograph_advantage': '\ud83c\ude50', 'imp': '\ud83d\udc7f', 'inbox_tray': '\ud83d\udce5', 'incoming_envelope': '\ud83d\udce8', 'information_desk_person': '\ud83d\udc81', 'information_source': 'ℹ️', 'innocent': '\ud83d\ude07', 'interrobang': '⁉️', 'iphone': '\ud83d\udcf1', 'it': '\ud83c\uddee\ud83c\uddf9', 'izakaya_lantern': '\ud83c\udfee', 'jack_o_lantern': '\ud83c\udf83', 'japan': '\ud83d\uddfe', 'japanese_castle': '\ud83c\udfef', 'japanese_goblin': '\ud83d\udc7a', 'japanese_ogre': '\ud83d\udc79', 'jeans': '\ud83d\udc56', 'joy': '\ud83d\ude02', 'joy_cat': '\ud83d\ude39', 'joystick': '\ud83d\udd79️', 'jp': '\ud83c\uddef\ud83c\uddf5', 'juggling': '\ud83e\udd39', 'kaaba': '\ud83d\udd4b', 'key': '\ud83d\udd11', 'keyboard': '⌨️', 'keycap_star': '*️⃣', 'keycap_ten': '\ud83d\udd1f', 'kimono': '\ud83d\udc58', 'kiss': '\ud83d\udc8b', 'kissing': '\ud83d\ude17', 'kissing_cat': '\ud83d\ude3d', 'kissing_closed_eyes': '\ud83d\ude1a', 'kissing_heart': '\ud83d\ude18', 'kissing_smiling_eyes': '\ud83d\ude19', 'kiwifruit': '\ud83e\udd5d', 'knife': '\ud83d\udd2a', 'knife_fork_plate': '\ud83c\udf7d️', 'koala': '\ud83d\udc28', 'koko': '\ud83c\ude01', 'kr': '\ud83c\uddf0\ud83c\uddf7', 'label': '\ud83c\udff7️', 'lantern': '\ud83c\udfee', 'large_blue_circle': '\ud83d\udd35', 'large_blue_diamond': '\ud83d\udd37', 'large_orange_diamond': '\ud83d\udd36', 'last_quarter_moon': '\ud83c\udf17', 'last_quarter_moon_with_face': '\ud83c\udf1c', 'latin_cross': '✝️', 'laughing': '\ud83d\ude06', 'leaves': '\ud83c\udf43', 'ledger': '\ud83d\udcd2', 'left-facing_fist': '\ud83e\udd1b', 'left_luggage': '\ud83d\udec5', 'left_right_arrow': '↔️', 'left_speech_bubble': '\ud83d\udde8️', 'leftwards_arrow_with_hook': '↩️', 'lemon': '\ud83c\udf4b', 'leo': '♌', 'leopard': '\ud83d\udc06', 'level_slider': '\ud83c\udf9a️', 'libra': '♎', 'light_rail': '\ud83d\ude88', 'lightning': '\ud83c\udf29️', 'lightning_cloud': '\ud83c\udf29️', 'link': '\ud83d\udd17', 'linked_paperclips': '\ud83d\udd87️', 'lion_face': '\ud83e\udd81', 'lips': '\ud83d\udc44', 'lipstick': '\ud83d\udc84', 'lizard': '\ud83e\udd8e', 'lock': '\ud83d\udd12', 'lock_with_ink_pen': '\ud83d\udd0f', 'lollipop': '\ud83c\udf6d', 'loop': '➿', 'loud_sound': '\ud83d\udd0a', 'loudspeaker': '\ud83d\udce2', 'love_hotel': '\ud83c\udfe9', 'love_letter': '\ud83d\udc8c', 'low_brightness': '\ud83d\udd05', 'lower_left_ballpoint_pen': '\ud83d\udd8a️', 'lower_left_crayon': '\ud83d\udd8d️', 'lower_left_fountain_pen': '\ud83d\udd8b️', 'lower_left_paintbrush': '\ud83d\udd8c️', 'lying_face': '\ud83e\udd25', 'm': 'Ⓜ️', 'mag': '\ud83d\udd0d', 'mag_right': '\ud83d\udd0e', 'mage': '\ud83e\uddd9', 'mahjong': '\ud83c\udc04', 'mailbox': '\ud83d\udceb', 'mailbox_closed': '\ud83d\udcea', 'mailbox_with_mail': '\ud83d\udcec', 'mailbox_with_no_mail': '\ud83d\udced', 'male-artist': '\ud83d\udc68\u200d\ud83c\udfa8', 'male-astronaut': '\ud83d\udc68\u200d\ud83d\ude80', 'male-construction-worker': '\ud83d\udc77\u200d♂️', 'male-cook': '\ud83d\udc68\u200d\ud83c\udf73', 'male-detective': '\ud83d\udd75️\u200d♂️', 'male-doctor': '\ud83d\udc68\u200d⚕️', 'male-factory-worker': '\ud83d\udc68\u200d\ud83c\udfed', 'male-farmer': '\ud83d\udc68\u200d\ud83c\udf3e', 'male-firefighter': '\ud83d\udc68\u200d\ud83d\ude92', 'male-guard': '\ud83d\udc82\u200d♂️', 'male-judge': '\ud83d\udc68\u200d⚖️', 'male-mechanic': '\ud83d\udc68\u200d\ud83d\udd27', 'male-office-worker': '\ud83d\udc68\u200d\ud83d\udcbc', 'male-pilot': '\ud83d\udc68\u200d✈️', 'male-police-officer': '\ud83d\udc6e\u200d♂️', 'male-scientist': '\ud83d\udc68\u200d\ud83d\udd2c', 'male-singer': '\ud83d\udc68\u200d\ud83c\udfa4', 'male-student': '\ud83d\udc68\u200d\ud83c\udf93', 'male-teacher': '\ud83d\udc68\u200d\ud83c\udfeb', 'male-technologist': '\ud83d\udc68\u200d\ud83d\udcbb', 'male_elf': '\ud83e\udddd\u200d♂️', 'male_fairy': '\ud83e\uddda\u200d♂️', 'male_genie': '\ud83e\uddde\u200d♂️', 'male_mage': '\ud83e\uddd9\u200d♂️', 'male_sign': '♂️', 'male_vampire': '\ud83e\udddb\u200d♂️', 'male_zombie': '\ud83e\udddf\u200d♂️', 'man': '\ud83d\udc68', 'man-biking': '\ud83d\udeb4\u200d♂️', 'man-bouncing-ball': '⛹️\u200d♂️', 'man-bowing': '\ud83d\ude47\u200d♂️', 'man-boy': '\ud83d\udc68\u200d\ud83d\udc66', 'man-boy-boy': '\ud83d\udc68\u200d\ud83d\udc66\u200d\ud83d\udc66', 'man-cartwheeling': '\ud83e\udd38\u200d♂️', 'man-facepalming': '\ud83e\udd26\u200d♂️', 'man-frowning': '\ud83d\ude4d\u200d♂️', 'man-gesturing-no': '\ud83d\ude45\u200d♂️', 'man-gesturing-ok': '\ud83d\ude46\u200d♂️', 'man-getting-haircut': '\ud83d\udc87\u200d♂️', 'man-getting-massage': '\ud83d\udc86\u200d♂️', 'man-girl': '\ud83d\udc68\u200d\ud83d\udc67', 'man-girl-boy': '\ud83d\udc68\u200d\ud83d\udc67\u200d\ud83d\udc66', 'man-girl-girl': '\ud83d\udc68\u200d\ud83d\udc67\u200d\ud83d\udc67', 'man-golfing': '\ud83c\udfcc️\u200d♂️', 'man-heart-man': '\ud83d\udc68\u200d❤️\u200d\ud83d\udc68', 'man-juggling': '\ud83e\udd39\u200d♂️', 'man-kiss-man': '\ud83d\udc68\u200d❤️\u200d\ud83d\udc8b\u200d\ud83d\udc68', 'man-lifting-weights': '\ud83c\udfcb️\u200d♂️', 'man-man-boy': '\ud83d\udc68\u200d\ud83d\udc68\u200d\ud83d\udc66', 'man-man-boy-boy': '\ud83d\udc68\u200d\ud83d\udc68\u200d\ud83d\udc66\u200d\ud83d\udc66', 'man-man-girl': '\ud83d\udc68\u200d\ud83d\udc68\u200d\ud83d\udc67', 'man-man-girl-boy': '\ud83d\udc68\u200d\ud83d\udc68\u200d\ud83d\udc67\u200d\ud83d\udc66', 'man-man-girl-girl': '\ud83d\udc68\u200d\ud83d\udc68\u200d\ud83d\udc67\u200d\ud83d\udc67', 'man-mountain-biking': '\ud83d\udeb5\u200d♂️', 'man-playing-handball': '\ud83e\udd3e\u200d♂️', 'man-playing-water-polo': '\ud83e\udd3d\u200d♂️', 'man-pouting': '\ud83d\ude4e\u200d♂️', 'man-raising-hand': '\ud83d\ude4b\u200d♂️', 'man-rowing-boat': '\ud83d\udea3\u200d♂️', 'man-running': '\ud83c\udfc3\u200d♂️', 'man-shrugging': '\ud83e\udd37\u200d♂️', 'man-surfing': '\ud83c\udfc4\u200d♂️', 'man-swimming': '\ud83c\udfca\u200d♂️', 'man-tipping-hand': '\ud83d\udc81\u200d♂️', 'man-walking': '\ud83d\udeb6\u200d♂️', 'man-wearing-turban': '\ud83d\udc73\u200d♂️', 'man-with-bunny-ears-partying': '\ud83d\udc6f\u200d♂️', 'man-woman-boy': '\ud83d\udc6a', 'man-woman-boy-boy': '\ud83d\udc68\u200d\ud83d\udc69\u200d\ud83d\udc66\u200d\ud83d\udc66', 'man-woman-girl': '\ud83d\udc68\u200d\ud83d\udc69\u200d\ud83d\udc67', 'man-woman-girl-boy': '\ud83d\udc68\u200d\ud83d\udc69\u200d\ud83d\udc67\u200d\ud83d\udc66', 'man-woman-girl-girl': '\ud83d\udc68\u200d\ud83d\udc69\u200d\ud83d\udc67\u200d\ud83d\udc67', 'man-wrestling': '\ud83e\udd3c\u200d♂️', 'man_and_woman_holding_hands': '\ud83d\udc6b', 'man_climbing': '\ud83e\uddd7\u200d♂️', 'man_dancing': '\ud83d\udd7a', 'man_in_business_suit_levitating': '\ud83d\udd74️', 'man_in_lotus_position': '\ud83e\uddd8\u200d♂️', 'man_in_steamy_room': '\ud83e\uddd6\u200d♂️', 'man_in_tuxedo': '\ud83e\udd35', 'man_with_gua_pi_mao': '\ud83d\udc72', 'man_with_turban': '\ud83d\udc73', 'mans_shoe': '\ud83d\udc5e', 'mantelpiece_clock': '\ud83d\udd70️', 'maple_leaf': '\ud83c\udf41', 'martial_arts_uniform': '\ud83e\udd4b', 'mask': '\ud83d\ude37', 'massage': '\ud83d\udc86', 'meat_on_bone': '\ud83c\udf56', 'medal': '\ud83c\udf96️', 'medical_symbol': '⚕️', 'mega': '\ud83d\udce3', 'melon': '\ud83c\udf48', 'memo': '\ud83d\udcdd', 'menorah_with_nine_branches': '\ud83d\udd4e', 'mens': '\ud83d\udeb9', 'mermaid': '\ud83e\udddc\u200d♀️', 'merman': '\ud83e\udddc\u200d♂️', 'merperson': '\ud83e\udddc', 'metro': '\ud83d\ude87', 'microphone': '\ud83c\udfa4', 'microscope': '\ud83d\udd2c', 'middle_finger': '\ud83d\udd95', 'milky_way': '\ud83c\udf0c', 'minibus': '\ud83d\ude90', 'minidisc': '\ud83d\udcbd', 'mobile_phone_off': '\ud83d\udcf4', 'money_mouth_face': '\ud83e\udd11', 'money_with_wings': '\ud83d\udcb8', 'moneybag': '\ud83d\udcb0', 'monkey': '\ud83d\udc12', 'monkey_face': '\ud83d\udc35', 'monorail': '\ud83d\ude9d', 'moon': '\ud83c\udf14', 'mortar_board': '\ud83c\udf93', 'mosque': '\ud83d\udd4c', 'mostly_sunny': '\ud83c\udf24️', 'mother_christmas': '\ud83e\udd36', 'motor_boat': '\ud83d\udee5️', 'motor_scooter': '\ud83d\udef5', 'motorway': '\ud83d\udee3️', 'mount_fuji': '\ud83d\uddfb', 'mountain': '⛰️', 'mountain_bicyclist': '\ud83d\udeb5', 'mountain_cableway': '\ud83d\udea0', 'mountain_railway': '\ud83d\ude9e', 'mouse': '\ud83d\udc2d', 'mouse2': '\ud83d\udc01', 'movie_camera': '\ud83c\udfa5', 'moyai': '\ud83d\uddff', 'mrs_claus': '\ud83e\udd36', 'muscle': '\ud83d\udcaa', 'mushroom': '\ud83c\udf44', 'musical_keyboard': '\ud83c\udfb9', 'musical_note': '\ud83c\udfb5', 'musical_score': '\ud83c\udfbc', 'mute': '\ud83d\udd07', 'nail_care': '\ud83d\udc85', 'name_badge': '\ud83d\udcdb', 'national_park': '\ud83c\udfde️', 'nauseated_face': '\ud83e\udd22', 'necktie': '\ud83d\udc54', 'negative_squared_cross_mark': '❎', 'nerd_face': '\ud83e\udd13', 'neutral_face': '\ud83d\ude10', 'new': '\ud83c\udd95', 'new_moon': '\ud83c\udf11', 'new_moon_with_face': '\ud83c\udf1a', 'newspaper': '\ud83d\udcf0', 'ng': '\ud83c\udd96', 'night_with_stars': '\ud83c\udf03', 'nine': '9️⃣', 'no_bell': '\ud83d\udd15', 'no_bicycles': '\ud83d\udeb3', 'no_entry': '⛔', 'no_entry_sign': '\ud83d\udeab', 'no_good': '\ud83d\ude45', 'no_mobile_phones': '\ud83d\udcf5', 'no_mouth': '\ud83d\ude36', 'no_pedestrians': '\ud83d\udeb7', 'no_smoking': '\ud83d\udead', 'non-potable_water': '\ud83d\udeb1', 'nose': '\ud83d\udc43', 'notebook': '\ud83d\udcd3', 'notebook_with_decorative_cover': '\ud83d\udcd4', 'notes': '\ud83c\udfb6', 'nut_and_bolt': '\ud83d\udd29', 'o': '⭕', 'o2': '\ud83c\udd7e️', 'ocean': '\ud83c\udf0a', 'octagonal_sign': '\ud83d\uded1', 'octopus': '\ud83d\udc19', 'oden': '\ud83c\udf62', 'office': '\ud83c\udfe2', 'oil_drum': '\ud83d\udee2️', 'ok': '\ud83c\udd97', 'ok_hand': '\ud83d\udc4c', 'ok_woman': '\ud83d\ude46', 'old_key': '\ud83d\udddd️', 'older_adult': '\ud83e\uddd3', 'older_man': '\ud83d\udc74', 'older_woman': '\ud83d\udc75', 'om_symbol': '\ud83d\udd49️', 'on': '\ud83d\udd1b', 'oncoming_automobile': '\ud83d\ude98', 'oncoming_bus': '\ud83d\ude8d', 'oncoming_police_car': '\ud83d\ude94', 'oncoming_taxi': '\ud83d\ude96', 'one': '1️⃣', 'open_book': '\ud83d\udcd6', 'open_file_folder': '\ud83d\udcc2', 'open_hands': '\ud83d\udc50', 'open_mouth': '\ud83d\ude2e', 'ophiuchus': '⛎', 'orange_book': '\ud83d\udcd9', 'orange_heart': '\ud83e\udde1', 'orthodox_cross': '☦️', 'outbox_tray': '\ud83d\udce4', 'owl': '\ud83e\udd89', 'ox': '\ud83d\udc02', 'package': '\ud83d\udce6', 'page_facing_up': '\ud83d\udcc4', 'page_with_curl': '\ud83d\udcc3', 'pager': '\ud83d\udcdf', 'palm_tree': '\ud83c\udf34', 'palms_up_together': '\ud83e\udd32', 'pancakes': '\ud83e\udd5e', 'panda_face': '\ud83d\udc3c', 'paperclip': '\ud83d\udcce', 'parking': '\ud83c\udd7f️', 'part_alternation_mark': '〽️', 'partly_sunny': '⛅', 'partly_sunny_rain': '\ud83c\udf26️', 'passenger_ship': '\ud83d\udef3️', 'passport_control': '\ud83d\udec2', 'paw_prints': '\ud83d\udc3e', 'peace_symbol': '☮️', 'peach': '\ud83c\udf51', 'peanuts': '\ud83e\udd5c', 'pear': '\ud83c\udf50', 'pencil': '\ud83d\udcdd', 'pencil2': '✏️', 'penguin': '\ud83d\udc27', 'pensive': '\ud83d\ude14', 'performing_arts': '\ud83c\udfad', 'persevere': '\ud83d\ude23', 'person_climbing': '\ud83e\uddd7', 'person_doing_cartwheel': '\ud83e\udd38', 'person_frowning': '\ud83d\ude4d', 'person_in_lotus_position': '\ud83e\uddd8', 'person_in_steamy_room': '\ud83e\uddd6', 'person_with_ball': '⛹️', 'person_with_blond_hair': '\ud83d\udc71', 'person_with_headscarf': '\ud83e\uddd5', 'person_with_pouting_face': '\ud83d\ude4e', 'phone': '☎️', 'pick': '⛏️', 'pie': '\ud83e\udd67', 'pig': '\ud83d\udc37', 'pig2': '\ud83d\udc16', 'pig_nose': '\ud83d\udc3d', 'pill': '\ud83d\udc8a', 'pineapple': '\ud83c\udf4d', 'pisces': '♓', 'pizza': '\ud83c\udf55', 'place_of_worship': '\ud83d\uded0', 'point_down': '\ud83d\udc47', 'point_left': '\ud83d\udc48', 'point_right': '\ud83d\udc49', 'point_up': '☝️', 'point_up_2': '\ud83d\udc46', 'police_car': '\ud83d\ude93', 'poodle': '\ud83d\udc29', 'poop': '\ud83d\udca9', 'popcorn': '\ud83c\udf7f', 'post_office': '\ud83c\udfe3', 'postal_horn': '\ud83d\udcef', 'postbox': '\ud83d\udcee', 'potable_water': '\ud83d\udeb0', 'potato': '\ud83e\udd54', 'pouch': '\ud83d\udc5d', 'poultry_leg': '\ud83c\udf57', 'pound': '\ud83d\udcb7', 'pouting_cat': '\ud83d\ude3e', 'pray': '\ud83d\ude4f', 'prayer_beads': '\ud83d\udcff', 'pregnant_woman': '\ud83e\udd30', 'pretzel': '\ud83e\udd68', 'prince': '\ud83e\udd34', 'princess': '\ud83d\udc78', 'printer': '\ud83d\udda8️', 'punch': '\ud83d\udc4a', 'purple_heart': '\ud83d\udc9c', 'purse': '\ud83d\udc5b', 'pushpin': '\ud83d\udccc', 'put_litter_in_its_place': '\ud83d\udeae', 'question': '❓', 'rabbit': '\ud83d\udc30', 'rabbit2': '\ud83d\udc07', 'racehorse': '\ud83d\udc0e', 'racing_car': '\ud83c\udfce️', 'racing_motorcycle': '\ud83c\udfcd️', 'radio': '\ud83d\udcfb', 'radio_button': '\ud83d\udd18', 'radioactive_sign': '☢️', 'rage': '\ud83d\ude21', 'railway_car': '\ud83d\ude83', 'railway_track': '\ud83d\udee4️', 'rain_cloud': '\ud83c\udf27️', 'rainbow': '\ud83c\udf08', 'rainbow-flag': '\ud83c\udff3️\u200d\ud83c\udf08', 'raised_back_of_hand': '\ud83e\udd1a', 'raised_hand': '✋', 'raised_hand_with_fingers_splayed': '\ud83d\udd90️', 'raised_hands': '\ud83d\ude4c', 'raising_hand': '\ud83d\ude4b', 'ram': '\ud83d\udc0f', 'ramen': '\ud83c\udf5c', 'rat': '\ud83d\udc00', 'recycle': '♻️', 'red_car': '\ud83d\ude97', 'red_circle': '\ud83d\udd34', 'registered': '®️', 'relaxed': '☺️', 'relieved': '\ud83d\ude0c', 'reminder_ribbon': '\ud83c\udf97️', 'repeat': '\ud83d\udd01', 'repeat_one': '\ud83d\udd02', 'restroom': '\ud83d\udebb', 'reversed_hand_with_middle_finger_extended': '\ud83d\udd95', 'revolving_hearts': '\ud83d\udc9e', 'rewind': '⏪', 'rhinoceros': '\ud83e\udd8f', 'ribbon': '\ud83c\udf80', 'rice': '\ud83c\udf5a', 'rice_ball': '\ud83c\udf59', 'rice_cracker': '\ud83c\udf58', 'rice_scene': '\ud83c\udf91', 'right-facing_fist': '\ud83e\udd1c', 'right_anger_bubble': '\ud83d\uddef️', 'ring': '\ud83d\udc8d', 'robot_face': '\ud83e\udd16', 'rocket': '\ud83d\ude80', 'rolled_up_newspaper': '\ud83d\uddde️', 'roller_coaster': '\ud83c\udfa2', 'rolling_on_the_floor_laughing': '\ud83e\udd23', 'rooster': '\ud83d\udc13', 'rose': '\ud83c\udf39', 'rosette': '\ud83c\udff5️', 'rotating_light': '\ud83d\udea8', 'round_pushpin': '\ud83d\udccd', 'rowboat': '\ud83d\udea3', 'ru': '\ud83c\uddf7\ud83c\uddfa', 'rugby_football': '\ud83c\udfc9', 'runner': '\ud83c\udfc3', 'running': '\ud83c\udfc3', 'running_shirt_with_sash': '\ud83c\udfbd', 'sa': '\ud83c\ude02️', 'sagittarius': '♐', 'sailboat': '⛵', 'sake': '\ud83c\udf76', 'sandal': '\ud83d\udc61', 'sandwich': '\ud83e\udd6a', 'santa': '\ud83c\udf85', 'satellite': '\ud83d\udef0️', 'satellite_antenna': '\ud83d\udce1', 'satisfied': '\ud83d\ude06', 'sauropod': '\ud83e\udd95', 'saxophone': '\ud83c\udfb7', 'scales': '⚖️', 'scarf': '\ud83e\udde3', 'school': '\ud83c\udfeb', 'school_satchel': '\ud83c\udf92', 'scissors': '✂️', 'scooter': '\ud83d\udef4', 'scorpion': '\ud83e\udd82', 'scorpius': '♏', 'scream': '\ud83d\ude31', 'scream_cat': '\ud83d\ude40', 'scroll': '\ud83d\udcdc', 'seat': '\ud83d\udcba', 'second_place_medal': '\ud83e\udd48', 'secret': '㊙️', 'see_no_evil': '\ud83d\ude48', 'seedling': '\ud83c\udf31', 'selfie': '\ud83e\udd33', 'serious_face_with_symbols_covering_mouth': '\ud83e\udd2c', 'seven': '7️⃣', 'shallow_pan_of_food': '\ud83e\udd58', 'shamrock': '☘️', 'shark': '\ud83e\udd88', 'shaved_ice': '\ud83c\udf67', 'sheep': '\ud83d\udc11', 'shell': '\ud83d\udc1a', 'shield': '\ud83d\udee1️', 'shinto_shrine': '⛩️', 'ship': '\ud83d\udea2', 'shirt': '\ud83d\udc55', 'shit': '\ud83d\udca9', 'shocked_face_with_exploding_head': '\ud83e\udd2f', 'shoe': '\ud83d\udc5e', 'shopping_bags': '\ud83d\udecd️', 'shopping_trolley': '\ud83d\uded2', 'shower': '\ud83d\udebf', 'shrimp': '\ud83e\udd90', 'shrug': '\ud83e\udd37', 'shushing_face': '\ud83e\udd2b', 'sign_of_the_horns': '\ud83e\udd18', 'signal_strength': '\ud83d\udcf6', 'six': '6️⃣', 'six_pointed_star': '\ud83d\udd2f', 'ski': '\ud83c\udfbf', 'skier': '⛷️', 'skin-tone-2': '\ud83c\udffb', 'skin-tone-3': '\ud83c\udffc', 'skin-tone-4': '\ud83c\udffd', 'skin-tone-5': '\ud83c\udffe', 'skin-tone-6': '\ud83c\udfff', 'skull': '\ud83d\udc80', 'skull_and_crossbones': '☠️', 'sled': '\ud83d\udef7', 'sleeping': '\ud83d\ude34', 'sleeping_accommodation': '\ud83d\udecc', 'sleepy': '\ud83d\ude2a', 'sleuth_or_spy': '\ud83d\udd75️', 'slightly_frowning_face': '\ud83d\ude41', 'slightly_smiling_face': '\ud83d\ude42', 'slot_machine': '\ud83c\udfb0', 'small_airplane': '\ud83d\udee9️', 'small_blue_diamond': '\ud83d\udd39', 'small_orange_diamond': '\ud83d\udd38', 'small_red_triangle': '\ud83d\udd3a', 'small_red_triangle_down': '\ud83d\udd3b', 'smile': '\ud83d\ude04', 'smile_cat': '\ud83d\ude38', 'smiley': '\ud83d\ude03', 'smiley_cat': '\ud83d\ude3a', 'smiling_face_with_smiling_eyes_and_hand_covering_mouth': '\ud83e\udd2d', 'smiling_imp': '\ud83d\ude08', 'smirk': '\ud83d\ude0f', 'smirk_cat': '\ud83d\ude3c', 'smoking': '\ud83d\udeac', 'snail': '\ud83d\udc0c', 'snake': '\ud83d\udc0d', 'sneezing_face': '\ud83e\udd27', 'snow_capped_mountain': '\ud83c\udfd4️', 'snow_cloud': '\ud83c\udf28️', 'snowboarder': '\ud83c\udfc2', 'snowflake': '❄️', 'snowman': '☃️', 'snowman_without_snow': '⛄', 'sob': '\ud83d\ude2d', 'soccer': '⚽', 'socks': '\ud83e\udde6', 'soon': '\ud83d\udd1c', 'sos': '\ud83c\udd98', 'sound': '\ud83d\udd09', 'space_invader': '\ud83d\udc7e', 'spades': '♠️', 'spaghetti': '\ud83c\udf5d', 'sparkle': '❇️', 'sparkler': '\ud83c\udf87', 'sparkles': '✨', 'sparkling_heart': '\ud83d\udc96', 'speak_no_evil': '\ud83d\ude4a', 'speaker': '\ud83d\udd08', 'speaking_head_in_silhouette': '\ud83d\udde3️', 'speech_balloon': '\ud83d\udcac', 'speedboat': '\ud83d\udea4', 'spider': '\ud83d\udd77️', 'spider_web': '\ud83d\udd78️', 'spiral_calendar_pad': '\ud83d\uddd3️', 'spiral_note_pad': '\ud83d\uddd2️', 'spock-hand': '\ud83d\udd96', 'spoon': '\ud83e\udd44', 'sports_medal': '\ud83c\udfc5', 'squid': '\ud83e\udd91', 'stadium': '\ud83c\udfdf️', 'staff_of_aesculapius': '⚕️', 'star': '⭐', 'star-struck': '\ud83e\udd29', 'star2': '\ud83c\udf1f', 'star_and_crescent': '☪️', 'star_of_david': '✡️', 'stars': '\ud83c\udf20', 'station': '\ud83d\ude89', 'statue_of_liberty': '\ud83d\uddfd', 'steam_locomotive': '\ud83d\ude82', 'stew': '\ud83c\udf72', 'stopwatch': '⏱️', 'straight_ruler': '\ud83d\udccf', 'strawberry': '\ud83c\udf53', 'stuck_out_tongue': '\ud83d\ude1b', 'stuck_out_tongue_closed_eyes': '\ud83d\ude1d', 'stuck_out_tongue_winking_eye': '\ud83d\ude1c', 'studio_microphone': '\ud83c\udf99️', 'stuffed_flatbread': '\ud83e\udd59', 'sun_behind_cloud': '\ud83c\udf25️', 'sun_behind_rain_cloud': '\ud83c\udf26️', 'sun_small_cloud': '\ud83c\udf24️', 'sun_with_face': '\ud83c\udf1e', 'sunflower': '\ud83c\udf3b', 'sunglasses': '\ud83d\ude0e', 'sunny': '☀️', 'sunrise': '\ud83c\udf05', 'sunrise_over_mountains': '\ud83c\udf04', 'surfer': '\ud83c\udfc4', 'sushi': '\ud83c\udf63', 'suspension_railway': '\ud83d\ude9f', 'sweat': '\ud83d\ude13', 'sweat_drops': '\ud83d\udca6', 'sweat_smile': '\ud83d\ude05', 'sweet_potato': '\ud83c\udf60', 'swimmer': '\ud83c\udfca', 'symbols': '\ud83d\udd23', 'synagogue': '\ud83d\udd4d', 'syringe': '\ud83d\udc89', 't-rex': '\ud83e\udd96', 'table_tennis_paddle_and_ball': '\ud83c\udfd3', 'taco': '\ud83c\udf2e', 'tada': '\ud83c\udf89', 'takeout_box': '\ud83e\udd61', 'tanabata_tree': '\ud83c\udf8b', 'tangerine': '\ud83c\udf4a', 'taurus': '♉', 'taxi': '\ud83d\ude95', 'tea': '\ud83c\udf75', 'telephone': '☎️', 'telephone_receiver': '\ud83d\udcde', 'telescope': '\ud83d\udd2d', 'tennis': '\ud83c\udfbe', 'tent': '⛺', 'the_horns': '\ud83e\udd18', 'thermometer': '\ud83c\udf21️', 'thinking_face': '\ud83e\udd14', 'third_place_medal': '\ud83e\udd49', 'thought_balloon': '\ud83d\udcad', 'three': '3️⃣', 'three_button_mouse': '\ud83d\uddb1️', 'thumbsdown': '\ud83d\udc4e', 'thumbsup': '\ud83d\udc4d', 'thunder_cloud_and_rain': '⛈️', 'ticket': '\ud83c\udfab', 'tiger': '\ud83d\udc2f', 'tiger2': '\ud83d\udc05', 'timer_clock': '⏲️', 'tired_face': '\ud83d\ude2b', 'tm': '™️', 'toilet': '\ud83d\udebd', 'tokyo_tower': '\ud83d\uddfc', 'tomato': '\ud83c\udf45', 'tongue': '\ud83d\udc45', 'top': '\ud83d\udd1d', 'tophat': '\ud83c\udfa9', 'tornado': '\ud83c\udf2a️', 'tornado_cloud': '\ud83c\udf2a️', 'trackball': '\ud83d\uddb2️', 'tractor': '\ud83d\ude9c', 'traffic_light': '\ud83d\udea5', 'train': '\ud83d\ude8b', 'train2': '\ud83d\ude86', 'tram': '\ud83d\ude8a', 'triangular_flag_on_post': '\ud83d\udea9', 'triangular_ruler': '\ud83d\udcd0', 'trident': '\ud83d\udd31', 'triumph': '\ud83d\ude24', 'trolleybus': '\ud83d\ude8e', 'trophy': '\ud83c\udfc6', 'tropical_drink': '\ud83c\udf79', 'tropical_fish': '\ud83d\udc20', 'truck': '\ud83d\ude9a', 'trumpet': '\ud83c\udfba', 'tshirt': '\ud83d\udc55', 'tulip': '\ud83c\udf37', 'tumbler_glass': '\ud83e\udd43', 'turkey': '\ud83e\udd83', 'turtle': '\ud83d\udc22', 'tv': '\ud83d\udcfa', 'twisted_rightwards_arrows': '\ud83d\udd00', 'two': '2️⃣', 'two_hearts': '\ud83d\udc95', 'two_men_holding_hands': '\ud83d\udc6c', 'two_women_holding_hands': '\ud83d\udc6d', 'u5272': '\ud83c\ude39', 'u5408': '\ud83c\ude34', 'u55b6': '\ud83c\ude3a', 'u6307': '\ud83c\ude2f', 'u6708': '\ud83c\ude37️', 'u6709': '\ud83c\ude36', 'u6e80': '\ud83c\ude35', 'u7121': '\ud83c\ude1a', 'u7533': '\ud83c\ude38', 'u7981': '\ud83c\ude32', 'u7a7a': '\ud83c\ude33', 'uk': '\ud83c\uddec\ud83c\udde7', 'umbrella': '☂️', 'umbrella_on_ground': '⛱️', 'umbrella_with_rain_drops': '☔', 'unamused': '\ud83d\ude12', 'underage': '\ud83d\udd1e', 'unicorn_face': '\ud83e\udd84', 'unlock': '\ud83d\udd13', 'up': '\ud83c\udd99', 'upside_down_face': '\ud83d\ude43', 'us': '\ud83c\uddfa\ud83c\uddf8', 'v': '✌️', 'vampire': '\ud83e\udddb', 'vertical_traffic_light': '\ud83d\udea6', 'vhs': '\ud83d\udcfc', 'vibration_mode': '\ud83d\udcf3', 'video_camera': '\ud83d\udcf9', 'video_game': '\ud83c\udfae', 'violin': '\ud83c\udfbb', 'virgo': '♍', 'volcano': '\ud83c\udf0b', 'volleyball': '\ud83c\udfd0', 'vs': '\ud83c\udd9a', 'walking': '\ud83d\udeb6', 'waning_crescent_moon': '\ud83c\udf18', 'waning_gibbous_moon': '\ud83c\udf16', 'warning': '⚠️', 'wastebasket': '\ud83d\uddd1️', 'watch': '⌚', 'water_buffalo': '\ud83d\udc03', 'water_polo': '\ud83e\udd3d', 'watermelon': '\ud83c\udf49', 'wave': '\ud83d\udc4b', 'waving_black_flag': '\ud83c\udff4', 'waving_white_flag': '\ud83c\udff3️', 'wavy_dash': '〰️', 'waxing_crescent_moon': '\ud83c\udf12', 'waxing_gibbous_moon': '\ud83c\udf14', 'wc': '\ud83d\udebe', 'weary': '\ud83d\ude29', 'wedding': '\ud83d\udc92', 'weight_lifter': '\ud83c\udfcb️', 'whale': '\ud83d\udc33', 'whale2': '\ud83d\udc0b', 'wheel_of_dharma': '☸️', 'wheelchair': '♿', 'white_check_mark': '✅', 'white_circle': '⚪', 'white_flower': '\ud83d\udcae', 'white_frowning_face': '☹️', 'white_large_square': '⬜', 'white_medium_small_square': '◽', 'white_medium_square': '◻️', 'white_small_square': '▫️', 'white_square_button': '\ud83d\udd33', 'wilted_flower': '\ud83e\udd40', 'wind_blowing_face': '\ud83c\udf2c️', 'wind_chime': '\ud83c\udf90', 'wine_glass': '\ud83c\udf77', 'wink': '\ud83d\ude09', 'wolf': '\ud83d\udc3a', 'woman': '\ud83d\udc69', 'woman-biking': '\ud83d\udeb4\u200d♀️', 'woman-bouncing-ball': '⛹️\u200d♀️', 'woman-bowing': '\ud83d\ude47\u200d♀️', 'woman-boy': '\ud83d\udc69\u200d\ud83d\udc66', 'woman-boy-boy': '\ud83d\udc69\u200d\ud83d\udc66\u200d\ud83d\udc66', 'woman-cartwheeling': '\ud83e\udd38\u200d♀️', 'woman-facepalming': '\ud83e\udd26\u200d♀️', 'woman-frowning': '\ud83d\ude4d\u200d♀️', 'woman-gesturing-no': '\ud83d\ude45\u200d♀️', 'woman-gesturing-ok': '\ud83d\ude46\u200d♀️', 'woman-getting-haircut': '\ud83d\udc87\u200d♀️', 'woman-getting-massage': '\ud83d\udc86\u200d♀️', 'woman-girl': '\ud83d\udc69\u200d\ud83d\udc67', 'woman-girl-boy': '\ud83d\udc69\u200d\ud83d\udc67\u200d\ud83d\udc66', 'woman-girl-girl': '\ud83d\udc69\u200d\ud83d\udc67\u200d\ud83d\udc67', 'woman-golfing': '\ud83c\udfcc️\u200d♀️', 'woman-heart-man': '\ud83d\udc69\u200d❤️\u200d\ud83d\udc68', 'woman-heart-woman': '\ud83d\udc69\u200d❤️\u200d\ud83d\udc69', 'woman-juggling': '\ud83e\udd39\u200d♀️', 'woman-kiss-man': '\ud83d\udc69\u200d❤️\u200d\ud83d\udc8b\u200d\ud83d\udc68', 'woman-kiss-woman': '\ud83d\udc69\u200d❤️\u200d\ud83d\udc8b\u200d\ud83d\udc69', 'woman-lifting-weights': '\ud83c\udfcb️\u200d♀️', 'woman-mountain-biking': '\ud83d\udeb5\u200d♀️', 'woman-playing-handball': '\ud83e\udd3e\u200d♀️', 'woman-playing-water-polo': '\ud83e\udd3d\u200d♀️', 'woman-pouting': '\ud83d\ude4e\u200d♀️', 'woman-raising-hand': '\ud83d\ude4b\u200d♀️', 'woman-rowing-boat': '\ud83d\udea3\u200d♀️', 'woman-running': '\ud83c\udfc3\u200d♀️', 'woman-shrugging': '\ud83e\udd37\u200d♀️', 'woman-surfing': '\ud83c\udfc4\u200d♀️', 'woman-swimming': '\ud83c\udfca\u200d♀️', 'woman-tipping-hand': '\ud83d\udc81\u200d♀️', 'woman-walking': '\ud83d\udeb6\u200d♀️', 'woman-wearing-turban': '\ud83d\udc73\u200d♀️', 'woman-with-bunny-ears-partying': '\ud83d\udc6f\u200d♀️', 'woman-woman-boy': '\ud83d\udc69\u200d\ud83d\udc69\u200d\ud83d\udc66', 'woman-woman-boy-boy': '\ud83d\udc69\u200d\ud83d\udc69\u200d\ud83d\udc66\u200d\ud83d\udc66', 'woman-woman-girl': '\ud83d\udc69\u200d\ud83d\udc69\u200d\ud83d\udc67', 'woman-woman-girl-boy': '\ud83d\udc69\u200d\ud83d\udc69\u200d\ud83d\udc67\u200d\ud83d\udc66', 'woman-woman-girl-girl': '\ud83d\udc69\u200d\ud83d\udc69\u200d\ud83d\udc67\u200d\ud83d\udc67', 'woman-wrestling': '\ud83e\udd3c\u200d♀️', 'woman_climbing': '\ud83e\uddd7\u200d♀️', 'woman_in_lotus_position': '\ud83e\uddd8\u200d♀️', 'woman_in_steamy_room': '\ud83e\uddd6\u200d♀️', 'womans_clothes': '\ud83d\udc5a', 'womans_hat': '\ud83d\udc52', 'womens': '\ud83d\udeba', 'world_map': '\ud83d\uddfa️', 'worried': '\ud83d\ude1f', 'wrench': '\ud83d\udd27', 'wrestlers': '\ud83e\udd3c', 'writing_hand': '✍️', 'x': '❌', 'yellow_heart': '\ud83d\udc9b', 'yen': '\ud83d\udcb4', 'yin_yang': '☯️', 'yum': '\ud83d\ude0b', 'zany_face': '\ud83e\udd2a', 'zap': '⚡', 'zebra_face': '\ud83e\udd93', 'zero': '0️⃣', 'zipper_mouth_face': '\ud83e\udd10', 'zombie': '\ud83e\udddf', 'zzz': '\ud83d\udca4'} |
# you can write to stdout for debugging purposes, e.g.
# print("this is a debug message")
def solution(A, K):
# write your code in Python 3.6
if len(A) == 0:
return A
K = K % len(A)
def rotate_one():
tmp = A[-1]
for i in range(len(A) - 1, 0, -1):
A[i] = A[i - 1]
A[0] = tmp
for i in range(K):
rotate_one()
return A
solution([3, 8, 9, 7, 6], 3)
| def solution(A, K):
if len(A) == 0:
return A
k = K % len(A)
def rotate_one():
tmp = A[-1]
for i in range(len(A) - 1, 0, -1):
A[i] = A[i - 1]
A[0] = tmp
for i in range(K):
rotate_one()
return A
solution([3, 8, 9, 7, 6], 3) |
class AverageMeter(object):
def __init__(self):
self.val = 0
self.avg = 0
self.sum = 0
self.count = 0
def __repr__(self):
return f'{self.avg:.2e}'
def update(self, val, n=1):
self.val = val
self.sum += val * n
self.count += n
self.avg = self.sum / self.count
class dotdict(dict):
"""dot.notation access to dictionary attributes"""
__getattr__ = dict.get
__setattr__ = dict.__setitem__
__delattr__ = dict.__delitem__
def __getstate__(self):
# We are being pickled!
return self.__dict__
def __setstate__(self, state):
# Unpickling!
self.__dict__ = state | class Averagemeter(object):
def __init__(self):
self.val = 0
self.avg = 0
self.sum = 0
self.count = 0
def __repr__(self):
return f'{self.avg:.2e}'
def update(self, val, n=1):
self.val = val
self.sum += val * n
self.count += n
self.avg = self.sum / self.count
class Dotdict(dict):
"""dot.notation access to dictionary attributes"""
__getattr__ = dict.get
__setattr__ = dict.__setitem__
__delattr__ = dict.__delitem__
def __getstate__(self):
return self.__dict__
def __setstate__(self, state):
self.__dict__ = state |
"""
Power Set: Write a method to return all subsets of a set.
is the input set() or list?
I assumed it is a list. Set contains unique values
input:
[1,2,3,4]
output:
[1,2,3,4]
"""
def power_set(A):
# initializations
subset, powerset, index = [], [], -1
power_set_helper(A, index, powerset, subset)
print(powerset)
count = 1
def power_set_helper(A,index,powerset,subset):
global count
# if index >= length of A, return
print(count)
count+=1
if index >= len(A):
return
#check if powerset contains subset
#print(subset,subset in powerset)
new_set = subset[:]
if new_set in powerset:
return
else:
#print(new_set)
# if false, add subset to powerset
powerset.append(new_set)
# iterate i + 1 from index to length of A - 1
for i in range(index+1, len(A)):
# add a A[i] into subset
subset.append(A[i])
# recurse this function with new subset
power_set_helper(A,i,powerset,subset)
# remove a A[i] from subset
subset.pop()
A = [1,2,3,4,5]
print(power_set(A))
def power_set(index,arr,subset,powerset):
# check is subset is not in powerset
if subset not in powerset:
powerset.append(subset[:])
# base case
if index >= len(arr):
return
# core logic, backtracking
for i in range(index,len(arr)):
subset.append(arr[i])
power_set(i+1,arr,subset,powerset)
subset.pop()
def solution(array):
subset,powerset = [],[]
power_set(0,array,subset,powerset)
return powerset
A = [1,2,3]
print(solution(A))
# time: O(n*2^n)
| """
Power Set: Write a method to return all subsets of a set.
is the input set() or list?
I assumed it is a list. Set contains unique values
input:
[1,2,3,4]
output:
[1,2,3,4]
"""
def power_set(A):
(subset, powerset, index) = ([], [], -1)
power_set_helper(A, index, powerset, subset)
print(powerset)
count = 1
def power_set_helper(A, index, powerset, subset):
global count
print(count)
count += 1
if index >= len(A):
return
new_set = subset[:]
if new_set in powerset:
return
else:
powerset.append(new_set)
for i in range(index + 1, len(A)):
subset.append(A[i])
power_set_helper(A, i, powerset, subset)
subset.pop()
a = [1, 2, 3, 4, 5]
print(power_set(A))
def power_set(index, arr, subset, powerset):
if subset not in powerset:
powerset.append(subset[:])
if index >= len(arr):
return
for i in range(index, len(arr)):
subset.append(arr[i])
power_set(i + 1, arr, subset, powerset)
subset.pop()
def solution(array):
(subset, powerset) = ([], [])
power_set(0, array, subset, powerset)
return powerset
a = [1, 2, 3]
print(solution(A)) |
__version_tuple__ = (0, 2, 0)
__version_tuple_js__ = (0, 2, 0)
__version__ = '0.2.0'
__version_js__ = '0.2.0'
version_info = __version_tuple__ # kept for backward compatibility | __version_tuple__ = (0, 2, 0)
__version_tuple_js__ = (0, 2, 0)
__version__ = '0.2.0'
__version_js__ = '0.2.0'
version_info = __version_tuple__ |
def get_filter_wordlist():
f = open('transskribilo/data/filter_wordlist.txt', 'r')
s = set()
for line in f:
line = line.strip()
s.add(line)
return s | def get_filter_wordlist():
f = open('transskribilo/data/filter_wordlist.txt', 'r')
s = set()
for line in f:
line = line.strip()
s.add(line)
return s |
# AUTOGENERATED BY NBDEV! DO NOT EDIT!
__all__ = ["index", "modules", "custom_doc_links", "git_url"]
index = {"convert_str": "01_Regression.ipynb",
"scaler": "01_Regression.ipynb",
"comb": "01_Regression.ipynb",
"rf_colselector": "01_Regression.ipynb",
"corr_colselector": "01_Regression.ipynb",
"ColProcessor": "01_Regression.ipynb",
"interaction_feats": "01_Regression.ipynb",
"poly_feats": "01_Regression.ipynb",
"pca_feats": "01_Regression.ipynb",
"clubbed_feats": "01_Regression.ipynb",
"preprocess": "01_Regression.ipynb",
"final_preprocessor": "01_Regression.ipynb",
"combined_metrics": "01_Regression.ipynb",
"confusion_matrix_plot": "00_Classification.ipynb",
"to_excel": "01_Regression.ipynb",
"get_table_download_link": "01_Regression.ipynb",
"GNB": "01_Regression.ipynb",
"LogisticReg": "01_Regression.ipynb",
"KNN": "01_Regression.ipynb",
"SVM": "01_Regression.ipynb",
"DT": "01_Regression.ipynb",
"RF": "01_Regression.ipynb",
"GB": "01_Regression.ipynb",
"ERT": "01_Regression.ipynb",
"XGB": "01_Regression.ipynb",
"SGD": "01_Regression.ipynb",
"NN": "01_Regression.ipynb",
"data": "01_Regression.ipynb",
"test_data": "01_Regression.ipynb",
"LinearReg": "01_Regression.ipynb"}
modules = ["classification.py",
"Regression.py"]
doc_url = "https://jatin.github.io/autoML/"
git_url = "https://github.com/jatin/autoML/tree/master/"
def custom_doc_links(name): return None
| __all__ = ['index', 'modules', 'custom_doc_links', 'git_url']
index = {'convert_str': '01_Regression.ipynb', 'scaler': '01_Regression.ipynb', 'comb': '01_Regression.ipynb', 'rf_colselector': '01_Regression.ipynb', 'corr_colselector': '01_Regression.ipynb', 'ColProcessor': '01_Regression.ipynb', 'interaction_feats': '01_Regression.ipynb', 'poly_feats': '01_Regression.ipynb', 'pca_feats': '01_Regression.ipynb', 'clubbed_feats': '01_Regression.ipynb', 'preprocess': '01_Regression.ipynb', 'final_preprocessor': '01_Regression.ipynb', 'combined_metrics': '01_Regression.ipynb', 'confusion_matrix_plot': '00_Classification.ipynb', 'to_excel': '01_Regression.ipynb', 'get_table_download_link': '01_Regression.ipynb', 'GNB': '01_Regression.ipynb', 'LogisticReg': '01_Regression.ipynb', 'KNN': '01_Regression.ipynb', 'SVM': '01_Regression.ipynb', 'DT': '01_Regression.ipynb', 'RF': '01_Regression.ipynb', 'GB': '01_Regression.ipynb', 'ERT': '01_Regression.ipynb', 'XGB': '01_Regression.ipynb', 'SGD': '01_Regression.ipynb', 'NN': '01_Regression.ipynb', 'data': '01_Regression.ipynb', 'test_data': '01_Regression.ipynb', 'LinearReg': '01_Regression.ipynb'}
modules = ['classification.py', 'Regression.py']
doc_url = 'https://jatin.github.io/autoML/'
git_url = 'https://github.com/jatin/autoML/tree/master/'
def custom_doc_links(name):
return None |
"""
mutli comment lines
"""
x, y, z = 'x', 'y', 'z'
print('x: ', x)
print('y: ', y)
print('z: ', z)
print('=== Data Types ===')
# str
print('* str')
x = 'hello world'
print('type: ', type(x))
print('str: ', x)
# int
print('* int')
x = 100
print('int: ', x)
# float
print('* float')
x = 10.10
print('float: ', x)
# complex
print('* complex')
x = 10j
print('complex: ', x)
# list
print('* list')
x = ['apple', 'samsung', 'nokia']
print('list: ', x)
# tuple
print('* tuple')
x = ('apple', 'samsung', 'nokia')
print('tuple: ', x)
# range
print('* range')
x = range(6)
print(type(x))
# dict
print('* dict')
x = {'name': 'jon', 'age': 34}
print('dict: ', x)
# set
print('* set')
x = {'apple', 'samsung', 'nokia', 'nokia'}
print('set: ', x)
# fozenset
# cac phan tu khong the sua doi duoc
print('* bool')
x = True
print('bool: ', x)
| """
mutli comment lines
"""
(x, y, z) = ('x', 'y', 'z')
print('x: ', x)
print('y: ', y)
print('z: ', z)
print('=== Data Types ===')
print('* str')
x = 'hello world'
print('type: ', type(x))
print('str: ', x)
print('* int')
x = 100
print('int: ', x)
print('* float')
x = 10.1
print('float: ', x)
print('* complex')
x = 10j
print('complex: ', x)
print('* list')
x = ['apple', 'samsung', 'nokia']
print('list: ', x)
print('* tuple')
x = ('apple', 'samsung', 'nokia')
print('tuple: ', x)
print('* range')
x = range(6)
print(type(x))
print('* dict')
x = {'name': 'jon', 'age': 34}
print('dict: ', x)
print('* set')
x = {'apple', 'samsung', 'nokia', 'nokia'}
print('set: ', x)
print('* bool')
x = True
print('bool: ', x) |
#############################################################################
# The contents of this file are subject to the Interbase Public
# License Version 1.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.Inprise.com/IPL.html
#
# Software distributed under the License is distributed on an
# "AS IS" basis, WITHOUT WARRANTY OF ANY KIND, either express
# or implied. See the License for the specific language governing
# rights and limitations under the License.
messages = {
335544321: '''arithmetic exception, numeric overflow, or string truncation\n''',
335544322: '''invalid database key\n''',
335544323: '''file @1 is not a valid database\n''',
335544324: '''invalid database handle (no active connection)\n''',
335544325: '''bad parameters on attach or create database\n''',
335544326: '''unrecognized database parameter block\n''',
335544327: '''invalid request handle\n''',
335544328: '''invalid BLOB handle\n''',
335544329: '''invalid BLOB ID\n''',
335544330: '''invalid parameter in transaction parameter block\n''',
335544331: '''invalid format for transaction parameter block\n''',
335544332: '''invalid transaction handle (expecting explicit transaction start)\n''',
335544333: '''internal Firebird consistency check (@1)\n''',
335544334: '''conversion error from string "@1"\n''',
335544335: '''database file appears corrupt (@1)\n''',
335544336: '''deadlock\n''',
335544337: '''attempt to start more than @1 transactions\n''',
335544338: '''no match for first value expression\n''',
335544339: '''information type inappropriate for object specified\n''',
335544340: '''no information of this type available for object specified\n''',
335544341: '''unknown information item\n''',
335544342: '''action cancelled by trigger (@1) to preserve data integrity\n''',
335544343: '''invalid request BLR at offset @1\n''',
335544344: '''I/O error during "@1" operation for file "@2"\n''',
335544345: '''lock conflict on no wait transaction\n''',
335544346: '''corrupt system table\n''',
335544347: '''validation error for column @1, value "@2"\n''',
335544348: '''no current record for fetch operation\n''',
335544349: '''attempt to store duplicate value (visible to active transactions) in unique index "@1"\n''',
335544350: '''program attempted to exit without finishing database\n''',
335544351: '''unsuccessful metadata update\n''',
335544352: '''no permission for @1 access to @2 @3\n''',
335544353: '''transaction is not in limbo\n''',
335544354: '''invalid database key\n''',
335544355: '''BLOB was not closed\n''',
335544356: '''metadata is obsolete\n''',
335544357: '''cannot disconnect database with open transactions (@1 active)\n''',
335544358: '''message length error (encountered @1, expected @2)\n''',
335544359: '''attempted update of read-only column @1\n''',
335544360: '''attempted update of read-only table\n''',
335544361: '''attempted update during read-only transaction\n''',
335544362: '''cannot update read-only view @1\n''',
335544363: '''no transaction for request\n''',
335544364: '''request synchronization error\n''',
335544365: '''request referenced an unavailable database\n''',
335544366: '''segment buffer length shorter than expected\n''',
335544367: '''attempted retrieval of more segments than exist\n''',
335544368: '''attempted invalid operation on a BLOB\n''',
335544369: '''attempted read of a new, open BLOB\n''',
335544370: '''attempted action on BLOB outside transaction\n''',
335544371: '''attempted write to read-only BLOB\n''',
335544372: '''attempted reference to BLOB in unavailable database\n''',
335544373: '''operating system directive @1 failed\n''',
335544374: '''attempt to fetch past the last record in a record stream\n''',
335544375: '''unavailable database\n''',
335544376: '''table @1 was omitted from the transaction reserving list\n''',
335544377: '''request includes a DSRI extension not supported in this implementation\n''',
335544378: '''feature is not supported\n''',
335544379: '''unsupported on-disk structure for file @1; found @2.@3, support @4.@5\n''',
335544380: '''wrong number of arguments on call\n''',
335544381: '''Implementation limit exceeded\n''',
335544382: '''@1\n''',
335544383: '''unrecoverable conflict with limbo transaction @1\n''',
335544384: '''internal error\n''',
335544385: '''internal error\n''',
335544386: '''too many requests\n''',
335544387: '''internal error\n''',
335544388: '''block size exceeds implementation restriction\n''',
335544389: '''buffer exhausted\n''',
335544390: '''BLR syntax error: expected @1 at offset @2, encountered @3\n''',
335544391: '''buffer in use\n''',
335544392: '''internal error\n''',
335544393: '''request in use\n''',
335544394: '''incompatible version of on-disk structure\n''',
335544395: '''table @1 is not defined\n''',
335544396: '''column @1 is not defined in table @2\n''',
335544397: '''internal error\n''',
335544398: '''internal error\n''',
335544399: '''internal error\n''',
335544400: '''internal error\n''',
335544401: '''internal error\n''',
335544402: '''internal error\n''',
335544403: '''page @1 is of wrong type (expected @2, found @3)\n''',
335544404: '''database corrupted\n''',
335544405: '''checksum error on database page @1\n''',
335544406: '''index is broken\n''',
335544407: '''database handle not zero\n''',
335544408: '''transaction handle not zero\n''',
335544409: '''transaction--request mismatch (synchronization error)\n''',
335544410: '''bad handle count\n''',
335544411: '''wrong version of transaction parameter block\n''',
335544412: '''unsupported BLR version (expected @1, encountered @2)\n''',
335544413: '''wrong version of database parameter block\n''',
335544414: '''BLOB and array data types are not supported for @1 operation\n''',
335544415: '''database corrupted\n''',
335544416: '''internal error\n''',
335544417: '''internal error\n''',
335544418: '''transaction in limbo\n''',
335544419: '''transaction not in limbo\n''',
335544420: '''transaction outstanding\n''',
335544421: '''connection rejected by remote interface\n''',
335544422: '''internal error\n''',
335544423: '''internal error\n''',
335544424: '''no lock manager available\n''',
335544425: '''context already in use (BLR error)\n''',
335544426: '''context not defined (BLR error)\n''',
335544427: '''data operation not supported\n''',
335544428: '''undefined message number\n''',
335544429: '''undefined parameter number\n''',
335544430: '''unable to allocate memory from operating system\n''',
335544431: '''blocking signal has been received\n''',
335544432: '''lock manager error\n''',
335544433: '''communication error with journal "@1"\n''',
335544434: '''key size exceeds implementation restriction for index "@1"\n''',
335544435: '''null segment of UNIQUE KEY\n''',
335544436: '''SQL error code = @1\n''',
335544437: '''wrong DYN version\n''',
335544438: '''function @1 is not defined\n''',
335544439: '''function @1 could not be matched\n''',
335544440: '''\n''',
335544441: '''database detach completed with errors\n''',
335544442: '''database system cannot read argument @1\n''',
335544443: '''database system cannot write argument @1\n''',
335544444: '''operation not supported\n''',
335544445: '''@1 extension error\n''',
335544446: '''not updatable\n''',
335544447: '''no rollback performed\n''',
335544448: '''\n''',
335544449: '''\n''',
335544450: '''@1\n''',
335544451: '''update conflicts with concurrent update\n''',
335544452: '''product @1 is not licensed\n''',
335544453: '''object @1 is in use\n''',
335544454: '''filter not found to convert type @1 to type @2\n''',
335544455: '''cannot attach active shadow file\n''',
335544456: '''invalid slice description language at offset @1\n''',
335544457: '''subscript out of bounds\n''',
335544458: '''column not array or invalid dimensions (expected @1, encountered @2)\n''',
335544459: '''record from transaction @1 is stuck in limbo\n''',
335544460: '''a file in manual shadow @1 is unavailable\n''',
335544461: '''secondary server attachments cannot validate databases\n''',
335544462: '''secondary server attachments cannot start journaling\n''',
335544463: '''generator @1 is not defined\n''',
335544464: '''secondary server attachments cannot start logging\n''',
335544465: '''invalid BLOB type for operation\n''',
335544466: '''violation of FOREIGN KEY constraint "@1" on table "@2"\n''',
335544467: '''minor version too high found @1 expected @2\n''',
335544468: '''transaction @1 is @2\n''',
335544469: '''transaction marked invalid and cannot be committed\n''',
335544470: '''cache buffer for page @1 invalid\n''',
335544471: '''there is no index in table @1 with id @2\n''',
335544472: '''Your user name and password are not defined. Ask your database administrator to set up a Firebird login.\n''',
335544473: '''invalid bookmark handle\n''',
335544474: '''invalid lock level @1\n''',
335544475: '''lock on table @1 conflicts with existing lock\n''',
335544476: '''requested record lock conflicts with existing lock\n''',
335544477: '''maximum indexes per table (@1) exceeded\n''',
335544478: '''enable journal for database before starting online dump\n''',
335544479: '''online dump failure. Retry dump\n''',
335544480: '''an online dump is already in progress\n''',
335544481: '''no more disk/tape space. Cannot continue online dump\n''',
335544482: '''journaling allowed only if database has Write-ahead Log\n''',
335544483: '''maximum number of online dump files that can be specified is 16\n''',
335544484: '''error in opening Write-ahead Log file during recovery\n''',
335544485: '''invalid statement handle\n''',
335544486: '''Write-ahead log subsystem failure\n''',
335544487: '''WAL Writer error\n''',
335544488: '''Log file header of @1 too small\n''',
335544489: '''Invalid version of log file @1\n''',
335544490: '''Log file @1 not latest in the chain but open flag still set\n''',
335544491: '''Log file @1 not closed properly; database recovery may be required\n''',
335544492: '''Database name in the log file @1 is different\n''',
335544493: '''Unexpected end of log file @1 at offset @2\n''',
335544494: '''Incomplete log record at offset @1 in log file @2\n''',
335544495: '''Log record header too small at offset @1 in log file @2\n''',
335544496: '''Log block too small at offset @1 in log file @2\n''',
335544497: '''Illegal attempt to attach to an uninitialized WAL segment for @1\n''',
335544498: '''Invalid WAL parameter block option @1\n''',
335544499: '''Cannot roll over to the next log file @1\n''',
335544500: '''database does not use Write-ahead Log\n''',
335544501: '''cannot drop log file when journaling is enabled\n''',
335544502: '''reference to invalid stream number\n''',
335544503: '''WAL subsystem encountered error\n''',
335544504: '''WAL subsystem corrupted\n''',
335544505: '''must specify archive file when enabling long term journal for databases with round-robin log files\n''',
335544506: '''database @1 shutdown in progress\n''',
335544507: '''refresh range number @1 already in use\n''',
335544508: '''refresh range number @1 not found\n''',
335544509: '''CHARACTER SET @1 is not defined\n''',
335544510: '''lock time-out on wait transaction\n''',
335544511: '''procedure @1 is not defined\n''',
335544512: '''Input parameter mismatch for procedure @1\n''',
335544513: '''Database @1: WAL subsystem bug for pid @2@3\n''',
335544514: '''Could not expand the WAL segment for database @1\n''',
335544515: '''status code @1 unknown\n''',
335544516: '''exception @1 not defined\n''',
335544517: '''exception @1\n''',
335544518: '''restart shared cache manager\n''',
335544519: '''invalid lock handle\n''',
335544520: '''long-term journaling already enabled\n''',
335544521: '''Unable to roll over please see Firebird log.\n''',
335544522: '''WAL I/O error. Please see Firebird log.\n''',
335544523: '''WAL writer - Journal server communication error. Please see Firebird log.\n''',
335544524: '''WAL buffers cannot be increased. Please see Firebird log.\n''',
335544525: '''WAL setup error. Please see Firebird log.\n''',
335544526: '''obsolete\n''',
335544527: '''Cannot start WAL writer for the database @1\n''',
335544528: '''database @1 shutdown\n''',
335544529: '''cannot modify an existing user privilege\n''',
335544530: '''Cannot delete PRIMARY KEY being used in FOREIGN KEY definition.\n''',
335544531: '''Column used in a PRIMARY constraint must be NOT NULL.\n''',
335544532: '''Name of Referential Constraint not defined in constraints table.\n''',
335544533: '''Non-existent PRIMARY or UNIQUE KEY specified for FOREIGN KEY.\n''',
335544534: '''Cannot update constraints (RDB$REF_CONSTRAINTS).\n''',
335544535: '''Cannot update constraints (RDB$CHECK_CONSTRAINTS).\n''',
335544536: '''Cannot delete CHECK constraint entry (RDB$CHECK_CONSTRAINTS)\n''',
335544537: '''Cannot delete index segment used by an Integrity Constraint\n''',
335544538: '''Cannot update index segment used by an Integrity Constraint\n''',
335544539: '''Cannot delete index used by an Integrity Constraint\n''',
335544540: '''Cannot modify index used by an Integrity Constraint\n''',
335544541: '''Cannot delete trigger used by a CHECK Constraint\n''',
335544542: '''Cannot update trigger used by a CHECK Constraint\n''',
335544543: '''Cannot delete column being used in an Integrity Constraint.\n''',
335544544: '''Cannot rename column being used in an Integrity Constraint.\n''',
335544545: '''Cannot update constraints (RDB$RELATION_CONSTRAINTS).\n''',
335544546: '''Cannot define constraints on views\n''',
335544547: '''internal Firebird consistency check (invalid RDB$CONSTRAINT_TYPE)\n''',
335544548: '''Attempt to define a second PRIMARY KEY for the same table\n''',
335544549: '''cannot modify or erase a system trigger\n''',
335544550: '''only the owner of a table may reassign ownership\n''',
335544551: '''could not find object for GRANT\n''',
335544552: '''could not find column for GRANT\n''',
335544553: '''user does not have GRANT privileges for operation\n''',
335544554: '''object has non-SQL security class defined\n''',
335544555: '''column has non-SQL security class defined\n''',
335544556: '''Write-ahead Log without shared cache configuration not allowed\n''',
335544557: '''database shutdown unsuccessful\n''',
335544558: '''Operation violates CHECK constraint @1 on view or table @2\n''',
335544559: '''invalid service handle\n''',
335544560: '''database @1 shutdown in @2 seconds\n''',
335544561: '''wrong version of service parameter block\n''',
335544562: '''unrecognized service parameter block\n''',
335544563: '''service @1 is not defined\n''',
335544564: '''long-term journaling not enabled\n''',
335544565: '''Cannot transliterate character between character sets\n''',
335544566: '''WAL defined; Cache Manager must be started first\n''',
335544567: '''Overflow log specification required for round-robin log\n''',
335544568: '''Implementation of text subtype @1 not located.\n''',
335544569: '''Dynamic SQL Error\n''',
335544570: '''Invalid command\n''',
335544571: '''Data type for constant unknown\n''',
335544572: '''Invalid cursor reference\n''',
335544573: '''Data type unknown\n''',
335544574: '''Invalid cursor declaration\n''',
335544575: '''Cursor @1 is not updatable\n''',
335544576: '''Attempt to reopen an open cursor\n''',
335544577: '''Attempt to reclose a closed cursor\n''',
335544578: '''Column unknown\n''',
335544579: '''Internal error\n''',
335544580: '''Table unknown\n''',
335544581: '''Procedure unknown\n''',
335544582: '''Request unknown\n''',
335544583: '''SQLDA error\n''',
335544584: '''Count of read-write columns does not equal count of values\n''',
335544585: '''Invalid statement handle\n''',
335544586: '''Function unknown\n''',
335544587: '''Column is not a BLOB\n''',
335544588: '''COLLATION @1 for CHARACTER SET @2 is not defined\n''',
335544589: '''COLLATION @1 is not valid for specified CHARACTER SET\n''',
335544590: '''Option specified more than once\n''',
335544591: '''Unknown transaction option\n''',
335544592: '''Invalid array reference\n''',
335544593: '''Array declared with too many dimensions\n''',
335544594: '''Illegal array dimension range\n''',
335544595: '''Trigger unknown\n''',
335544596: '''Subselect illegal in this context\n''',
335544597: '''Cannot prepare a CREATE DATABASE/SCHEMA statement\n''',
335544598: '''must specify column name for view select expression\n''',
335544599: '''number of columns does not match select list\n''',
335544600: '''Only simple column names permitted for VIEW WITH CHECK OPTION\n''',
335544601: '''No WHERE clause for VIEW WITH CHECK OPTION\n''',
335544602: '''Only one table allowed for VIEW WITH CHECK OPTION\n''',
335544603: '''DISTINCT, GROUP or HAVING not permitted for VIEW WITH CHECK OPTION\n''',
335544604: '''FOREIGN KEY column count does not match PRIMARY KEY\n''',
335544605: '''No subqueries permitted for VIEW WITH CHECK OPTION\n''',
335544606: '''expression evaluation not supported\n''',
335544607: '''gen.c: node not supported\n''',
335544608: '''Unexpected end of command\n''',
335544609: '''INDEX @1\n''',
335544610: '''EXCEPTION @1\n''',
335544611: '''COLUMN @1\n''',
335544612: '''Token unknown\n''',
335544613: '''union not supported\n''',
335544614: '''Unsupported DSQL construct\n''',
335544615: '''column used with aggregate\n''',
335544616: '''invalid column reference\n''',
335544617: '''invalid ORDER BY clause\n''',
335544618: '''Return mode by value not allowed for this data type\n''',
335544619: '''External functions cannot have more than 10 parameters\n''',
335544620: '''alias @1 conflicts with an alias in the same statement\n''',
335544621: '''alias @1 conflicts with a procedure in the same statement\n''',
335544622: '''alias @1 conflicts with a table in the same statement\n''',
335544623: '''Illegal use of keyword VALUE\n''',
335544624: '''segment count of 0 defined for index @1\n''',
335544625: '''A node name is not permitted in a secondary, shadow, cache or log file name\n''',
335544626: '''TABLE @1\n''',
335544627: '''PROCEDURE @1\n''',
335544628: '''cannot create index @1\n''',
335544629: '''Write-ahead Log with shadowing configuration not allowed\n''',
335544630: '''there are @1 dependencies\n''',
335544631: '''too many keys defined for index @1\n''',
335544632: '''Preceding file did not specify length, so @1 must include starting page number\n''',
335544633: '''Shadow number must be a positive integer\n''',
335544634: '''Token unknown - line @1, column @2\n''',
335544635: '''there is no alias or table named @1 at this scope level\n''',
335544636: '''there is no index @1 for table @2\n''',
335544637: '''table @1 is not referenced in plan\n''',
335544638: '''table @1 is referenced more than once in plan; use aliases to distinguish\n''',
335544639: '''table @1 is referenced in the plan but not the from list\n''',
335544640: '''Invalid use of CHARACTER SET or COLLATE\n''',
335544641: '''Specified domain or source column @1 does not exist\n''',
335544642: '''index @1 cannot be used in the specified plan\n''',
335544643: '''the table @1 is referenced twice; use aliases to differentiate\n''',
335544644: '''attempt to fetch before the first record in a record stream\n''',
335544645: '''the current position is on a crack\n''',
335544646: '''database or file exists\n''',
335544647: '''invalid comparison operator for find operation\n''',
335544648: '''Connection lost to pipe server\n''',
335544649: '''bad checksum\n''',
335544650: '''wrong page type\n''',
335544651: '''Cannot insert because the file is readonly or is on a read only medium.\n''',
335544652: '''multiple rows in singleton select\n''',
335544653: '''cannot attach to password database\n''',
335544654: '''cannot start transaction for password database\n''',
335544655: '''invalid direction for find operation\n''',
335544656: '''variable @1 conflicts with parameter in same procedure\n''',
335544657: '''Array/BLOB/DATE data types not allowed in arithmetic\n''',
335544658: '''@1 is not a valid base table of the specified view\n''',
335544659: '''table @1 is referenced twice in view; use an alias to distinguish\n''',
335544660: '''view @1 has more than one base table; use aliases to distinguish\n''',
335544661: '''cannot add index, index root page is full.\n''',
335544662: '''BLOB SUB_TYPE @1 is not defined\n''',
335544663: '''Too many concurrent executions of the same request\n''',
335544664: '''duplicate specification of @1 - not supported\n''',
335544665: '''violation of PRIMARY or UNIQUE KEY constraint "@1" on table "@2"\n''',
335544666: '''server version too old to support all CREATE DATABASE options\n''',
335544667: '''drop database completed with errors\n''',
335544668: '''procedure @1 does not return any values\n''',
335544669: '''count of column list and variable list do not match\n''',
335544670: '''attempt to index BLOB column in index @1\n''',
335544671: '''attempt to index array column in index @1\n''',
335544672: '''too few key columns found for index @1 (incorrect column name?)\n''',
335544673: '''cannot delete\n''',
335544674: '''last column in a table cannot be deleted\n''',
335544675: '''sort error\n''',
335544676: '''sort error: not enough memory\n''',
335544677: '''too many versions\n''',
335544678: '''invalid key position\n''',
335544679: '''segments not allowed in expression index @1\n''',
335544680: '''sort error: corruption in data structure\n''',
335544681: '''new record size of @1 bytes is too big\n''',
335544682: '''Inappropriate self-reference of column\n''',
335544683: '''request depth exceeded. (Recursive definition?)\n''',
335544684: '''cannot access column @1 in view @2\n''',
335544685: '''dbkey not available for multi-table views\n''',
335544686: '''journal file wrong format\n''',
335544687: '''intermediate journal file full\n''',
335544688: '''The prepare statement identifies a prepare statement with an open cursor\n''',
335544689: '''Firebird error\n''',
335544690: '''Cache redefined\n''',
335544691: '''Insufficient memory to allocate page buffer cache\n''',
335544692: '''Log redefined\n''',
335544693: '''Log size too small\n''',
335544694: '''Log partition size too small\n''',
335544695: '''Partitions not supported in series of log file specification\n''',
335544696: '''Total length of a partitioned log must be specified\n''',
335544697: '''Precision must be from 1 to 18\n''',
335544698: '''Scale must be between zero and precision\n''',
335544699: '''Short integer expected\n''',
335544700: '''Long integer expected\n''',
335544701: '''Unsigned short integer expected\n''',
335544702: '''Invalid ESCAPE sequence\n''',
335544703: '''service @1 does not have an associated executable\n''',
335544704: '''Failed to locate host machine.\n''',
335544705: '''Undefined service @1/@2.\n''',
335544706: '''The specified name was not found in the hosts file or Domain Name Services.\n''',
335544707: '''user does not have GRANT privileges on base table/view for operation\n''',
335544708: '''Ambiguous column reference.\n''',
335544709: '''Invalid aggregate reference\n''',
335544710: '''navigational stream @1 references a view with more than one base table\n''',
335544711: '''Attempt to execute an unprepared dynamic SQL statement.\n''',
335544712: '''Positive value expected\n''',
335544713: '''Incorrect values within SQLDA structure\n''',
335544714: '''invalid blob id\n''',
335544715: '''Operation not supported for EXTERNAL FILE table @1\n''',
335544716: '''Service is currently busy: @1\n''',
335544717: '''stack size insufficent to execute current request\n''',
335544718: '''Invalid key for find operation\n''',
335544719: '''Error initializing the network software.\n''',
335544720: '''Unable to load required library @1.\n''',
335544721: '''Unable to complete network request to host "@1".\n''',
335544722: '''Failed to establish a connection.\n''',
335544723: '''Error while listening for an incoming connection.\n''',
335544724: '''Failed to establish a secondary connection for event processing.\n''',
335544725: '''Error while listening for an incoming event connection request.\n''',
335544726: '''Error reading data from the connection.\n''',
335544727: '''Error writing data to the connection.\n''',
335544728: '''Cannot deactivate index used by an integrity constraint\n''',
335544729: '''Cannot deactivate index used by a PRIMARY/UNIQUE constraint\n''',
335544730: '''Client/Server Express not supported in this release\n''',
335544731: '''\n''',
335544732: '''Access to databases on file servers is not supported.\n''',
335544733: '''Error while trying to create file\n''',
335544734: '''Error while trying to open file\n''',
335544735: '''Error while trying to close file\n''',
335544736: '''Error while trying to read from file\n''',
335544737: '''Error while trying to write to file\n''',
335544738: '''Error while trying to delete file\n''',
335544739: '''Error while trying to access file\n''',
335544740: '''A fatal exception occurred during the execution of a user defined function.\n''',
335544741: '''connection lost to database\n''',
335544742: '''User cannot write to RDB$USER_PRIVILEGES\n''',
335544743: '''token size exceeds limit\n''',
335544744: '''Maximum user count exceeded. Contact your database administrator.\n''',
335544745: '''Your login @1 is same as one of the SQL role name. Ask your database administrator to set up a valid Firebird login.\n''',
335544746: '''"REFERENCES table" without "(column)" requires PRIMARY KEY on referenced table\n''',
335544747: '''The username entered is too long. Maximum length is 31 bytes.\n''',
335544748: '''The password specified is too long. Maximum length is 8 bytes.\n''',
335544749: '''A username is required for this operation.\n''',
335544750: '''A password is required for this operation\n''',
335544751: '''The network protocol specified is invalid\n''',
335544752: '''A duplicate user name was found in the security database\n''',
335544753: '''The user name specified was not found in the security database\n''',
335544754: '''An error occurred while attempting to add the user.\n''',
335544755: '''An error occurred while attempting to modify the user record.\n''',
335544756: '''An error occurred while attempting to delete the user record.\n''',
335544757: '''An error occurred while updating the security database.\n''',
335544758: '''sort record size of @1 bytes is too big\n''',
335544759: '''can not define a not null column with NULL as default value\n''',
335544760: '''invalid clause --- '@1'\n''',
335544761: '''too many open handles to database\n''',
335544762: '''size of optimizer block exceeded\n''',
335544763: '''a string constant is delimited by double quotes\n''',
335544764: '''DATE must be changed to TIMESTAMP\n''',
335544765: '''attempted update on read-only database\n''',
335544766: '''SQL dialect @1 is not supported in this database\n''',
335544767: '''A fatal exception occurred during the execution of a blob filter.\n''',
335544768: '''Access violation. The code attempted to access a virtual address without privilege to do so.\n''',
335544769: '''Datatype misalignment. The attempted to read or write a value that was not stored on a memory boundary.\n''',
335544770: '''Array bounds exceeded. The code attempted to access an array element that is out of bounds.\n''',
335544771: '''Float denormal operand. One of the floating-point operands is too small to represent a standard float value.\n''',
335544772: '''Floating-point divide by zero. The code attempted to divide a floating-point value by zero.\n''',
335544773: '''Floating-point inexact result. The result of a floating-point operation cannot be represented as a decimal fraction.\n''',
335544774: '''Floating-point invalid operand. An indeterminant error occurred during a floating-point operation.\n''',
335544775: '''Floating-point overflow. The exponent of a floating-point operation is greater than the magnitude allowed.\n''',
335544776: '''Floating-point stack check. The stack overflowed or underflowed as the result of a floating-point operation.\n''',
335544777: '''Floating-point underflow. The exponent of a floating-point operation is less than the magnitude allowed.\n''',
335544778: '''Integer divide by zero. The code attempted to divide an integer value by an integer divisor of zero.\n''',
335544779: '''Integer overflow. The result of an integer operation caused the most significant bit of the result to carry.\n''',
335544780: '''An exception occurred that does not have a description. Exception number @1.\n''',
335544781: '''Stack overflow. The resource requirements of the runtime stack have exceeded the memory available to it.\n''',
335544782: '''Segmentation Fault. The code attempted to access memory without privileges.\n''',
335544783: '''Illegal Instruction. The Code attempted to perform an illegal operation.\n''',
335544784: '''Bus Error. The Code caused a system bus error.\n''',
335544785: '''Floating Point Error. The Code caused an Arithmetic Exception or a floating point exception.\n''',
335544786: '''Cannot delete rows from external files.\n''',
335544787: '''Cannot update rows in external files.\n''',
335544788: '''Unable to perform operation\n''',
335544789: '''Specified EXTRACT part does not exist in input datatype\n''',
335544790: '''Service @1 requires SYSDBA permissions. Reattach to the Service Manager using the SYSDBA account.\n''',
335544791: '''The file @1 is currently in use by another process. Try again later.\n''',
335544792: '''Cannot attach to services manager\n''',
335544793: '''Metadata update statement is not allowed by the current database SQL dialect @1\n''',
335544794: '''operation was cancelled\n''',
335544795: '''unexpected item in service parameter block, expected @1\n''',
335544796: '''Client SQL dialect @1 does not support reference to @2 datatype\n''',
335544797: '''user name and password are required while attaching to the services manager\n''',
335544798: '''You created an indirect dependency on uncommitted metadata. You must roll back the current transaction.\n''',
335544799: '''The service name was not specified.\n''',
335544800: '''Too many Contexts of Relation/Procedure/Views. Maximum allowed is 256\n''',
335544801: '''data type not supported for arithmetic\n''',
335544802: '''Database dialect being changed from 3 to 1\n''',
335544803: '''Database dialect not changed.\n''',
335544804: '''Unable to create database @1\n''',
335544805: '''Database dialect @1 is not a valid dialect.\n''',
335544806: '''Valid database dialects are @1.\n''',
335544807: '''SQL warning code = @1\n''',
335544808: '''DATE data type is now called TIMESTAMP\n''',
335544809: '''Function @1 is in @2, which is not in a permitted directory for external functions.\n''',
335544810: '''value exceeds the range for valid dates\n''',
335544811: '''passed client dialect @1 is not a valid dialect.\n''',
335544812: '''Valid client dialects are @1.\n''',
335544813: '''Unsupported field type specified in BETWEEN predicate.\n''',
335544814: '''Services functionality will be supported in a later version of the product\n''',
335544815: '''GENERATOR @1\n''',
335544816: '''Function @1\n''',
335544817: '''Invalid parameter to FETCH or FIRST. Only integers >= 0 are allowed.\n''',
335544818: '''Invalid parameter to OFFSET or SKIP. Only integers >= 0 are allowed.\n''',
335544819: '''File exceeded maximum size of 2GB. Add another database file or use a 64 bit I/O version of Firebird.\n''',
335544820: '''Unable to find savepoint with name @1 in transaction context\n''',
335544821: '''Invalid column position used in the @1 clause\n''',
335544822: '''Cannot use an aggregate or window function in a WHERE clause, use HAVING (for aggregate only) instead\n''',
335544823: '''Cannot use an aggregate or window function in a GROUP BY clause\n''',
335544824: '''Invalid expression in the @1 (not contained in either an aggregate function or the GROUP BY clause)\n''',
335544825: '''Invalid expression in the @1 (neither an aggregate function nor a part of the GROUP BY clause)\n''',
335544826: '''Nested aggregate and window functions are not allowed\n''',
335544827: '''Invalid argument in EXECUTE STATEMENT - cannot convert to string\n''',
335544828: '''Wrong request type in EXECUTE STATEMENT '@1'\n''',
335544829: '''Variable type (position @1) in EXECUTE STATEMENT '@2' INTO does not match returned column type\n''',
335544830: '''Too many recursion levels of EXECUTE STATEMENT\n''',
335544831: '''Use of @1 at location @2 is not allowed by server configuration\n''',
335544832: '''Cannot change difference file name while database is in backup mode\n''',
335544833: '''Physical backup is not allowed while Write-Ahead Log is in use\n''',
335544834: '''Cursor is not open\n''',
335544835: '''Target shutdown mode is invalid for database "@1"\n''',
335544836: '''Concatenation overflow. Resulting string cannot exceed 32765 bytes in length.\n''',
335544837: '''Invalid offset parameter @1 to SUBSTRING. Only positive integers are allowed.\n''',
335544838: '''Foreign key reference target does not exist\n''',
335544839: '''Foreign key references are present for the record\n''',
335544840: '''cannot update\n''',
335544841: '''Cursor is already open\n''',
335544842: '''@1\n''',
335544843: '''Context variable @1 is not found in namespace @2\n''',
335544844: '''Invalid namespace name @1 passed to @2\n''',
335544845: '''Too many context variables\n''',
335544846: '''Invalid argument passed to @1\n''',
335544847: '''BLR syntax error. Identifier @1... is too long\n''',
335544848: '''exception @1\n''',
335544849: '''Malformed string\n''',
335544850: '''Output parameter mismatch for procedure @1\n''',
335544851: '''Unexpected end of command - line @1, column @2\n''',
335544852: '''partner index segment no @1 has incompatible data type\n''',
335544853: '''Invalid length parameter @1 to SUBSTRING. Negative integers are not allowed.\n''',
335544854: '''CHARACTER SET @1 is not installed\n''',
335544855: '''COLLATION @1 for CHARACTER SET @2 is not installed\n''',
335544856: '''connection shutdown\n''',
335544857: '''Maximum BLOB size exceeded\n''',
335544858: '''Can't have relation with only computed fields or constraints\n''',
335544859: '''Time precision exceeds allowed range (0-@1)\n''',
335544860: '''Unsupported conversion to target type BLOB (subtype @1)\n''',
335544861: '''Unsupported conversion to target type ARRAY\n''',
335544862: '''Stream does not support record locking\n''',
335544863: '''Cannot create foreign key constraint @1. Partner index does not exist or is inactive.\n''',
335544864: '''Transactions count exceeded. Perform backup and restore to make database operable again\n''',
335544865: '''Column has been unexpectedly deleted\n''',
335544866: '''@1 cannot depend on @2\n''',
335544867: '''Blob sub_types bigger than 1 (text) are for internal use only\n''',
335544868: '''Procedure @1 is not selectable (it does not contain a SUSPEND statement)\n''',
335544869: '''Datatype @1 is not supported for sorting operation\n''',
335544870: '''COLLATION @1\n''',
335544871: '''DOMAIN @1\n''',
335544872: '''domain @1 is not defined\n''',
335544873: '''Array data type can use up to @1 dimensions\n''',
335544874: '''A multi database transaction cannot span more than @1 databases\n''',
335544875: '''Bad debug info format\n''',
335544876: '''Error while parsing procedure @1's BLR\n''',
335544877: '''index key too big\n''',
335544878: '''concurrent transaction number is @1\n''',
335544879: '''validation error for variable @1, value "@2"\n''',
335544880: '''validation error for @1, value "@2"\n''',
335544881: '''Difference file name should be set explicitly for database on raw device\n''',
335544882: '''Login name too long (@1 characters, maximum allowed @2)\n''',
335544883: '''column @1 is not defined in procedure @2\n''',
335544884: '''Invalid SIMILAR TO pattern\n''',
335544885: '''Invalid TEB format\n''',
335544886: '''Found more than one transaction isolation in TPB\n''',
335544887: '''Table reservation lock type @1 requires table name before in TPB\n''',
335544888: '''Found more than one @1 specification in TPB\n''',
335544889: '''Option @1 requires READ COMMITTED isolation in TPB\n''',
335544890: '''Option @1 is not valid if @2 was used previously in TPB\n''',
335544891: '''Table name length missing after table reservation @1 in TPB\n''',
335544892: '''Table name length @1 is too long after table reservation @2 in TPB\n''',
335544893: '''Table name length @1 without table name after table reservation @2 in TPB\n''',
335544894: '''Table name length @1 goes beyond the remaining TPB size after table reservation @2\n''',
335544895: '''Table name length is zero after table reservation @1 in TPB\n''',
335544896: '''Table or view @1 not defined in system tables after table reservation @2 in TPB\n''',
335544897: '''Base table or view @1 for view @2 not defined in system tables after table reservation @3 in TPB\n''',
335544898: '''Option length missing after option @1 in TPB\n''',
335544899: '''Option length @1 without value after option @2 in TPB\n''',
335544900: '''Option length @1 goes beyond the remaining TPB size after option @2\n''',
335544901: '''Option length is zero after table reservation @1 in TPB\n''',
335544902: '''Option length @1 exceeds the range for option @2 in TPB\n''',
335544903: '''Option value @1 is invalid for the option @2 in TPB\n''',
335544904: '''Preserving previous table reservation @1 for table @2, stronger than new @3 in TPB\n''',
335544905: '''Table reservation @1 for table @2 already specified and is stronger than new @3 in TPB\n''',
335544906: '''Table reservation reached maximum recursion of @1 when expanding views in TPB\n''',
335544907: '''Table reservation in TPB cannot be applied to @1 because it's a virtual table\n''',
335544908: '''Table reservation in TPB cannot be applied to @1 because it's a system table\n''',
335544909: '''Table reservation @1 or @2 in TPB cannot be applied to @3 because it's a temporary table\n''',
335544910: '''Cannot set the transaction in read only mode after a table reservation isc_tpb_lock_write in TPB\n''',
335544911: '''Cannot take a table reservation isc_tpb_lock_write in TPB because the transaction is in read only mode\n''',
335544912: '''value exceeds the range for a valid time\n''',
335544913: '''value exceeds the range for valid timestamps\n''',
335544914: '''string right truncation\n''',
335544915: '''blob truncation when converting to a string: length limit exceeded\n''',
335544916: '''numeric value is out of range\n''',
335544917: '''Firebird shutdown is still in progress after the specified timeout\n''',
335544918: '''Attachment handle is busy\n''',
335544919: '''Bad written UDF detected: pointer returned in FREE_IT function was not allocated by ib_util_malloc\n''',
335544920: '''External Data Source provider '@1' not found\n''',
335544921: '''Execute statement error at @1 :@2Data source : @3\n''',
335544922: '''Execute statement preprocess SQL error\n''',
335544923: '''Statement expected\n''',
335544924: '''Parameter name expected\n''',
335544925: '''Unclosed comment found near '@1'\n''',
335544926: '''Execute statement error at @1 :@2Statement : @3Data source : @4\n''',
335544927: '''Input parameters mismatch\n''',
335544928: '''Output parameters mismatch\n''',
335544929: '''Input parameter '@1' have no value set\n''',
335544930: '''BLR stream length @1 exceeds implementation limit @2\n''',
335544931: '''Monitoring table space exhausted\n''',
335544932: '''module name or entrypoint could not be found\n''',
335544933: '''nothing to cancel\n''',
335544934: '''ib_util library has not been loaded to deallocate memory returned by FREE_IT function\n''',
335544935: '''Cannot have circular dependencies with computed fields\n''',
335544936: '''Security database error\n''',
335544937: '''Invalid data type in DATE/TIME/TIMESTAMP addition or subtraction in add_datettime()\n''',
335544938: '''Only a TIME value can be added to a DATE value\n''',
335544939: '''Only a DATE value can be added to a TIME value\n''',
335544940: '''TIMESTAMP values can be subtracted only from another TIMESTAMP value\n''',
335544941: '''Only one operand can be of type TIMESTAMP\n''',
335544942: '''Only HOUR, MINUTE, SECOND and MILLISECOND can be extracted from TIME values\n''',
335544943: '''HOUR, MINUTE, SECOND and MILLISECOND cannot be extracted from DATE values\n''',
335544944: '''Invalid argument for EXTRACT() not being of DATE/TIME/TIMESTAMP type\n''',
335544945: '''Arguments for @1 must be integral types or NUMERIC/DECIMAL without scale\n''',
335544946: '''First argument for @1 must be integral type or floating point type\n''',
335544947: '''Human readable UUID argument for @1 must be of string type\n''',
335544948: '''Human readable UUID argument for @2 must be of exact length @1\n''',
335544949: '''Human readable UUID argument for @3 must have "-" at position @2 instead of "@1"\n''',
335544950: '''Human readable UUID argument for @3 must have hex digit at position @2 instead of "@1"\n''',
335544951: '''Only HOUR, MINUTE, SECOND and MILLISECOND can be added to TIME values in @1\n''',
335544952: '''Invalid data type in addition of part to DATE/TIME/TIMESTAMP in @1\n''',
335544953: '''Invalid part @1 to be added to a DATE/TIME/TIMESTAMP value in @2\n''',
335544954: '''Expected DATE/TIME/TIMESTAMP type in evlDateAdd() result\n''',
335544955: '''Expected DATE/TIME/TIMESTAMP type as first and second argument to @1\n''',
335544956: '''The result of TIME-<value> in @1 cannot be expressed in YEAR, MONTH, DAY or WEEK\n''',
335544957: '''The result of TIME-TIMESTAMP or TIMESTAMP-TIME in @1 cannot be expressed in HOUR, MINUTE, SECOND or MILLISECOND\n''',
335544958: '''The result of DATE-TIME or TIME-DATE in @1 cannot be expressed in HOUR, MINUTE, SECOND and MILLISECOND\n''',
335544959: '''Invalid part @1 to express the difference between two DATE/TIME/TIMESTAMP values in @2\n''',
335544960: '''Argument for @1 must be positive\n''',
335544961: '''Base for @1 must be positive\n''',
335544962: '''Argument #@1 for @2 must be zero or positive\n''',
335544963: '''Argument #@1 for @2 must be positive\n''',
335544964: '''Base for @1 cannot be zero if exponent is negative\n''',
335544965: '''Base for @1 cannot be negative if exponent is not an integral value\n''',
335544966: '''The numeric scale must be between -128 and 127 in @1\n''',
335544967: '''Argument for @1 must be zero or positive\n''',
335544968: '''Binary UUID argument for @1 must be of string type\n''',
335544969: '''Binary UUID argument for @2 must use @1 bytes\n''',
335544970: '''Missing required item @1 in service parameter block\n''',
335544971: '''@1 server is shutdown\n''',
335544972: '''Invalid connection string\n''',
335544973: '''Unrecognized events block\n''',
335544974: '''Could not start first worker thread - shutdown server\n''',
335544975: '''Timeout occurred while waiting for a secondary connection for event processing\n''',
335544976: '''Argument for @1 must be different than zero\n''',
335544977: '''Argument for @1 must be in the range [-1, 1]\n''',
335544978: '''Argument for @1 must be greater or equal than one\n''',
335544979: '''Argument for @1 must be in the range ]-1, 1[\n''',
335544980: '''Incorrect parameters provided to internal function @1\n''',
335544981: '''Floating point overflow in built-in function @1\n''',
335544982: '''Floating point overflow in result from UDF @1\n''',
335544983: '''Invalid floating point value returned by UDF @1\n''',
335544984: '''Database is probably already opened by another engine instance in another Windows session\n''',
335544985: '''No free space found in temporary directories\n''',
335544986: '''Explicit transaction control is not allowed\n''',
335544987: '''Use of TRUSTED switches in spb_command_line is prohibited\n''',
335544988: '''PACKAGE @1\n''',
335544989: '''Cannot make field @1 of table @2 NOT NULL because there are NULLs present\n''',
335544990: '''Feature @1 is not supported anymore\n''',
335544991: '''VIEW @1\n''',
335544992: '''Can not access lock files directory @1\n''',
335544993: '''Fetch option @1 is invalid for a non-scrollable cursor\n''',
335544994: '''Error while parsing function @1's BLR\n''',
335544995: '''Cannot execute function @1 of the unimplemented package @2\n''',
335544996: '''Cannot execute procedure @1 of the unimplemented package @2\n''',
335544997: '''External function @1 not returned by the external engine plugin @2\n''',
335544998: '''External procedure @1 not returned by the external engine plugin @2\n''',
335544999: '''External trigger @1 not returned by the external engine plugin @2\n''',
335545000: '''Incompatible plugin version @1 for external engine @2\n''',
335545001: '''External engine @1 not found\n''',
335545002: '''Attachment is in use\n''',
335545003: '''Transaction is in use\n''',
335545004: '''Error loading plugin @1\n''',
335545005: '''Loadable module @1 not found\n''',
335545006: '''Standard plugin entrypoint does not exist in module @1\n''',
335545007: '''Module @1 exists but can not be loaded\n''',
335545008: '''Module @1 does not contain plugin @2 type @3\n''',
335545009: '''Invalid usage of context namespace DDL_TRIGGER\n''',
335545010: '''Value is NULL but isNull parameter was not informed\n''',
335545011: '''Type @1 is incompatible with BLOB\n''',
335545012: '''Invalid date\n''',
335545013: '''Invalid time\n''',
335545014: '''Invalid timestamp\n''',
335545015: '''Invalid index @1 in function @2\n''',
335545016: '''@1\n''',
335545017: '''Asynchronous call is already running for this attachment\n''',
335545018: '''Function @1 is private to package @2\n''',
335545019: '''Procedure @1 is private to package @2\n''',
335545020: '''Request can't access new records in relation @1 and should be recompiled\n''',
335545021: '''invalid events id (handle)\n''',
335545022: '''Cannot copy statement @1\n''',
335545023: '''Invalid usage of boolean expression\n''',
335545024: '''Arguments for @1 cannot both be zero\n''',
335545025: '''missing service ID in spb\n''',
335545026: '''External BLR message mismatch: invalid null descriptor at field @1\n''',
335545027: '''External BLR message mismatch: length = @1, expected @2\n''',
335545028: '''Subscript @1 out of bounds [@2, @3]\n''',
335545029: '''Install incomplete, please read the Compatibility chapter in the release notes for this version\n''',
335545030: '''@1 operation is not allowed for system table @2\n''',
335545031: '''Libtommath error code @1 in function @2\n''',
335545032: '''unsupported BLR version (expected between @1 and @2, encountered @3)\n''',
335545033: '''expected length @1, actual @2\n''',
335545034: '''Wrong info requested in isc_svc_query() for anonymous service\n''',
335545035: '''No isc_info_svc_stdin in user request, but service thread requested stdin data\n''',
335545036: '''Start request for anonymous service is impossible\n''',
335545037: '''All services except for getting server log require switches\n''',
335545038: '''Size of stdin data is more than was requested from client\n''',
335545039: '''Crypt plugin @1 failed to load\n''',
335545040: '''Length of crypt plugin name should not exceed @1 bytes\n''',
335545041: '''Crypt failed - already crypting database\n''',
335545042: '''Crypt failed - database is already in requested state\n''',
335545043: '''Missing crypt plugin, but page appears encrypted\n''',
335545044: '''No providers loaded\n''',
335545045: '''NULL data with non-zero SPB length\n''',
335545046: '''Maximum (@1) number of arguments exceeded for function @2\n''',
335545047: '''External BLR message mismatch: names count = @1, blr count = @2\n''',
335545048: '''External BLR message mismatch: name @1 not found\n''',
335545049: '''Invalid resultset interface\n''',
335545050: '''Message length passed from user application does not match set of columns\n''',
335545051: '''Resultset is missing output format information\n''',
335545052: '''Message metadata not ready - item @1 is not finished\n''',
335545053: '''Missing configuration file: @1\n''',
335545054: '''@1: illegal line <@2>\n''',
335545055: '''Invalid include operator in @1 for <@2>\n''',
335545056: '''Include depth too big\n''',
335545057: '''File to include not found\n''',
335545058: '''Only the owner can change the ownership\n''',
335545059: '''undefined variable number\n''',
335545060: '''Missing security context for @1\n''',
335545061: '''Missing segment @1 in multisegment connect block parameter\n''',
335545062: '''Different logins in connect and attach packets - client library error\n''',
335545063: '''Exceeded exchange limit during authentication handshake\n''',
335545064: '''Incompatible wire encryption levels requested on client and server\n''',
335545065: '''Client attempted to attach unencrypted but wire encryption is required\n''',
335545066: '''Client attempted to start wire encryption using unknown key @1\n''',
335545067: '''Client attempted to start wire encryption using unsupported plugin @1\n''',
335545068: '''Error getting security database name from configuration file\n''',
335545069: '''Client authentication plugin is missing required data from server\n''',
335545070: '''Client authentication plugin expected @2 bytes of @3 from server, got @1\n''',
335545071: '''Attempt to get information about an unprepared dynamic SQL statement.\n''',
335545072: '''Problematic key value is @1\n''',
335545073: '''Cannot select virtual table @1 for update WITH LOCK\n''',
335545074: '''Cannot select system table @1 for update WITH LOCK\n''',
335545075: '''Cannot select temporary table @1 for update WITH LOCK\n''',
335545076: '''System @1 @2 cannot be modified\n''',
335545077: '''Server misconfigured - contact administrator please\n''',
335545078: '''Deprecated backward compatibility ALTER ROLE ... SET/DROP AUTO ADMIN mapping may be used only for RDB$ADMIN role\n''',
335545079: '''Mapping @1 already exists\n''',
335545080: '''Mapping @1 does not exist\n''',
335545081: '''@1 failed when loading mapping cache\n''',
335545082: '''Invalid name <*> in authentication block\n''',
335545083: '''Multiple maps found for @1\n''',
335545084: '''Undefined mapping result - more than one different results found\n''',
335545085: '''Incompatible mode of attachment to damaged database\n''',
335545086: '''Attempt to set in database number of buffers which is out of acceptable range [@1:@2]\n''',
335545087: '''Attempt to temporarily set number of buffers less than @1\n''',
335545088: '''Global mapping is not available when database @1 is not present\n''',
335545089: '''Global mapping is not available when table RDB$MAP is not present in database @1\n''',
335545090: '''Your attachment has no trusted role\n''',
335545091: '''Role @1 is invalid or unavailable\n''',
335545092: '''Cursor @1 is not positioned in a valid record\n''',
335545093: '''Duplicated user attribute @1\n''',
335545094: '''There is no privilege for this operation\n''',
335545095: '''Using GRANT OPTION on @1 not allowed\n''',
335545096: '''read conflicts with concurrent update\n''',
335545097: '''@1 failed when working with CREATE DATABASE grants\n''',
335545098: '''CREATE DATABASE grants check is not possible when database @1 is not present\n''',
335545099: '''CREATE DATABASE grants check is not possible when table RDB$DB_CREATORS is not present in database @1\n''',
335545100: '''Interface @3 version too old: expected @1, found @2\n''',
335545101: '''Input parameter mismatch for function @1\n''',
335545102: '''Error during savepoint backout - transaction invalidated\n''',
335545103: '''Domain used in the PRIMARY KEY constraint of table @1 must be NOT NULL\n''',
335545104: '''CHARACTER SET @1 cannot be used as a attachment character set\n''',
335545105: '''Some database(s) were shutdown when trying to read mapping data\n''',
335545106: '''Error occurred during login, please check server firebird.log for details\n''',
335545107: '''Database already opened with engine instance, incompatible with current\n''',
335545108: '''Invalid crypt key @1\n''',
335545109: '''Page requires encryption but crypt plugin is missing\n''',
335545110: '''Maximum index depth (@1 levels) is reached\n''',
335545111: '''System privilege @1 does not exist\n''',
335545112: '''System privilege @1 is missing\n''',
335545113: '''Invalid or missing checksum of encrypted database\n''',
335545114: '''You must have SYSDBA rights at this server\n''',
335545115: '''Cannot open cursor for non-SELECT statement\n''',
335545116: '''If <window frame bound 1> specifies @1, then <window frame bound 2> shall not specify @2\n''',
335545117: '''RANGE based window with <expr> {PRECEDING | FOLLOWING} cannot have ORDER BY with more than one value\n''',
335545118: '''RANGE based window must have an ORDER BY key of numerical, date, time or timestamp types\n''',
335545119: '''Window RANGE/ROWS PRECEDING/FOLLOWING value must be of a numerical type\n''',
335545120: '''Invalid PRECEDING or FOLLOWING offset in window function: cannot be negative\n''',
335545121: '''Window @1 not found\n''',
335545122: '''Cannot use PARTITION BY clause while overriding the window @1\n''',
335545123: '''Cannot use ORDER BY clause while overriding the window @1 which already has an ORDER BY clause\n''',
335545124: '''Cannot override the window @1 because it has a frame clause. Tip: it can be used without parenthesis in OVER\n''',
335545125: '''Duplicate window definition for @1\n''',
335545126: '''SQL statement is too long. Maximum size is @1 bytes.\n''',
335545127: '''Config level timeout expired.\n''',
335545128: '''Attachment level timeout expired.\n''',
335545129: '''Statement level timeout expired.\n''',
335545130: '''Killed by database administrator.\n''',
335545131: '''Idle timeout expired.\n''',
335545132: '''Database is shutdown.\n''',
335545133: '''Engine is shutdown.\n''',
335545134: '''OVERRIDING clause can be used only when an identity column is present in the INSERT's field list for table/view @1\n''',
335545135: '''OVERRIDING SYSTEM VALUE can be used only for identity column defined as 'GENERATED ALWAYS' in INSERT for table/view @1\n''',
335545136: '''OVERRIDING USER VALUE can be used only for identity column defined as 'GENERATED BY DEFAULT' in INSERT for table/view @1\n''',
335545137: '''OVERRIDING SYSTEM VALUE should be used to override the value of an identity column defined as 'GENERATED ALWAYS' in table/view @1\n''',
335545138: '''DecFloat precision must be 16 or 34\n''',
335545139: '''Decimal float divide by zero. The code attempted to divide a DECFLOAT value by zero.\n''',
335545140: '''Decimal float inexact result. The result of an operation cannot be represented as a decimal fraction.\n''',
335545141: '''Decimal float invalid operation. An indeterminant error occurred during an operation.\n''',
335545142: '''Decimal float overflow. The exponent of a result is greater than the magnitude allowed.\n''',
335545143: '''Decimal float underflow. The exponent of a result is less than the magnitude allowed.\n''',
335545144: '''Sub-function @1 has not been defined\n''',
335545145: '''Sub-procedure @1 has not been defined\n''',
335545146: '''Sub-function @1 has a signature mismatch with its forward declaration\n''',
335545147: '''Sub-procedure @1 has a signature mismatch with its forward declaration\n''',
335545148: '''Default values for parameters are not allowed in definition of the previously declared sub-function @1\n''',
335545149: '''Default values for parameters are not allowed in definition of the previously declared sub-procedure @1\n''',
335545150: '''Sub-function @1 was declared but not implemented\n''',
335545151: '''Sub-procedure @1 was declared but not implemented\n''',
335545152: '''Invalid HASH algorithm @1\n''',
335545153: '''Expression evaluation error for index "@1" on table "@2"\n''',
335545154: '''Invalid decfloat trap state @1\n''',
335545155: '''Invalid decfloat rounding mode @1\n''',
335545156: '''Invalid part @1 to calculate the @1 of a DATE/TIMESTAMP\n''',
335545157: '''Expected DATE/TIMESTAMP value in @1\n''',
335545158: '''Precision must be from @1 to @2\n''',
335545159: '''invalid batch handle\n''',
335545160: '''Bad international character in tag @1\n''',
335545161: '''Null data in parameters block with non-zero length\n''',
335545162: '''Items working with running service and getting generic server information should not be mixed in single info block\n''',
335545163: '''Unknown information item, code @1\n''',
335545164: '''Wrong version of blob parameters block @1, should be @2\n''',
335545165: '''User management plugin is missing or failed to load\n''',
335545166: '''Missing entrypoint @1 in ICU library\n''',
335545167: '''Could not find acceptable ICU library\n''',
335545168: '''Name @1 not found in system MetadataBuilder\n''',
335545169: '''Parse to tokens error\n''',
335545170: '''Error opening international conversion descriptor from @1 to @2\n''',
335545171: '''Message @1 is out of range, only @2 messages in batch\n''',
335545172: '''Detailed error info for message @1 is missing in batch\n''',
335545173: '''Compression stream init error @1\n''',
335545174: '''Decompression stream init error @1\n''',
335545175: '''Segment size (@1) should not exceed 65535 (64K - 1) when using segmented blob\n''',
335545176: '''Invalid blob policy in the batch for @1() call\n''',
335545177: '''Can't change default BPB after adding any data to batch\n''',
335545178: '''Unexpected info buffer structure querying for default blob alignment\n''',
335545179: '''Duplicated segment @1 in multisegment connect block parameter\n''',
335545180: '''Plugin not supported by network protocol\n''',
335545181: '''Error parsing message format\n''',
335545182: '''Wrong version of batch parameters block @1, should be @2\n''',
335545183: '''Message size (@1) in batch exceeds internal buffer size (@2)\n''',
335545184: '''Batch already opened for this statement\n''',
335545185: '''Invalid type of statement used in batch\n''',
335545186: '''Statement used in batch must have parameters\n''',
335545187: '''There are no blobs in associated with batch statement\n''',
335545188: '''appendBlobData() is used to append data to last blob but no such blob was added to the batch\n''',
335545189: '''Portions of data, passed as blob stream, should have size multiple to the alignment required for blobs\n''',
335545190: '''Repeated blob id @1 in registerBlob()\n''',
335545191: '''Blob buffer format error\n''',
335545192: '''Unusable (too small) data remained in @1 buffer\n''',
335545193: '''Blob continuation should not contain BPB\n''',
335545194: '''Size of BPB (@1) greater than remaining data (@2)\n''',
335545195: '''Size of segment (@1) greater than current BLOB data (@2)\n''',
335545196: '''Size of segment (@1) greater than available data (@2)\n''',
335545197: '''Unknown blob ID @1 in the batch message\n''',
335545198: '''Internal buffer overflow - batch too big\n''',
335545199: '''Numeric literal too long\n''',
335545200: '''Error using events in mapping shared memory: @1\n''',
335545201: '''Global mapping memory overflow\n''',
335545202: '''Header page overflow - too many clumplets on it\n''',
335545203: '''No matching client/server authentication plugins configured for execute statement in embedded datasource\n''',
335545204: '''Missing database encryption key for your attachment\n''',
335545205: '''Key holder plugin @1 failed to load\n''',
335545206: '''Cannot reset user session\n''',
335545207: '''There are open transactions (@1 active)\n''',
335545208: '''Session was reset with warning(s)\n''',
335545209: '''Transaction is rolled back due to session reset, all changes are lost\n''',
335545210: '''Plugin @1:\n''',
335545211: '''PARAMETER @1\n''',
335545212: '''Starting page number for file @1 must be @2 or greater\n''',
335545213: '''Invalid time zone offset: @1 - must be between -14:00 and +14:00\n''',
335545214: '''Invalid time zone region: @1\n''',
335545215: '''Invalid time zone ID: @1\n''',
335545216: '''Wrong base64 text length @1, should be multiple of 4\n''',
335545217: '''Invalid first parameter datatype - need string or blob\n''',
335545218: '''Error registering @1 - probably bad tomcrypt library\n''',
335545219: '''Unknown crypt algorithm @1 in USING clause\n''',
335545220: '''Should specify mode parameter for symmetric cipher\n''',
335545221: '''Unknown symmetric crypt mode specified\n''',
335545222: '''Mode parameter makes no sense for chosen cipher\n''',
335545223: '''Should specify initialization vector (IV) for chosen cipher and/or mode\n''',
335545224: '''Initialization vector (IV) makes no sense for chosen cipher and/or mode\n''',
335545225: '''Invalid counter endianess @1\n''',
335545226: '''Counter endianess parameter is not used in mode @1\n''',
335545227: '''Too big counter value @1, maximum @2 can be used\n''',
335545228: '''Counter length/value parameter is not used with @1 @2\n''',
335545229: '''Invalid initialization vector (IV) length @1, need @2\n''',
335545230: '''TomCrypt library error: @1\n''',
335545231: '''Starting PRNG yarrow\n''',
335545232: '''Setting up PRNG yarrow\n''',
335545233: '''Initializing @1 mode\n''',
335545234: '''Encrypting in @1 mode\n''',
335545235: '''Decrypting in @1 mode\n''',
335545236: '''Initializing cipher @1\n''',
335545237: '''Encrypting using cipher @1\n''',
335545238: '''Decrypting using cipher @1\n''',
335545239: '''Setting initialization vector (IV) for @1\n''',
335545240: '''Invalid initialization vector (IV) length @1, need 8 or 12\n''',
335545241: '''Encoding @1\n''',
335545242: '''Decoding @1\n''',
335545243: '''Importing RSA key\n''',
335545244: '''Invalid OAEP packet\n''',
335545245: '''Unknown hash algorithm @1\n''',
335545246: '''Making RSA key\n''',
335545247: '''Exporting @1 RSA key\n''',
335545248: '''RSA-signing data\n''',
335545249: '''Verifying RSA-signed data\n''',
335545250: '''Invalid key length @1, need 16 or 32\n''',
335545251: '''invalid replicator handle\n''',
335545252: '''Transaction's base snapshot number does not exist\n''',
335545253: '''Input parameter '@1' is not used in SQL query text\n''',
335545254: '''Effective user is @1\n''',
335545255: '''Invalid time zone bind mode @1\n''',
335545256: '''Invalid decfloat bind mode @1\n''',
335545257: '''Invalid hex text length @1, should be multiple of 2\n''',
335545258: '''Invalid hex digit @1 at position @2\n''',
335545259: '''Error processing isc_dpb_set_bind clumplet "@1"\n''',
335545260: '''The following statement failed: @1\n''',
335545261: '''Can not convert @1 to @2\n''',
335545262: '''cannot update old BLOB\n''',
335545263: '''cannot read from new BLOB\n''',
335545264: '''No permission for CREATE @1 operation\n''',
335545265: '''SUSPEND could not be used without RETURNS clause in PROCEDURE or EXECUTE BLOCK\n''',
335545266: '''String truncated warning due to the following reason\n''',
335545267: '''Monitoring data does not fit into the field\n''',
335545268: '''Engine data does not fit into return value of system function\n''',
335740929: '''data base file name (@1) already given\n''',
335740930: '''invalid switch @1\n''',
335740932: '''incompatible switch combination\n''',
335740933: '''replay log pathname required\n''',
335740934: '''number of page buffers for cache required\n''',
335740935: '''numeric value required\n''',
335740936: '''positive numeric value required\n''',
335740937: '''number of transactions per sweep required\n''',
335740940: '''"full" or "reserve" required\n''',
335740941: '''user name required\n''',
335740942: '''password required\n''',
335740943: '''subsystem name\n''',
335740944: '''"wal" required\n''',
335740945: '''number of seconds required\n''',
335740946: '''numeric value between 0 and 32767 inclusive required\n''',
335740947: '''must specify type of shutdown\n''',
335740948: '''please retry, specifying an option\n''',
335740951: '''please retry, giving a database name\n''',
335740991: '''internal block exceeds maximum size\n''',
335740992: '''corrupt pool\n''',
335740993: '''virtual memory exhausted\n''',
335740994: '''bad pool id\n''',
335740995: '''Transaction state @1 not in valid range.\n''',
335741012: '''unexpected end of input\n''',
335741018: '''failed to reconnect to a transaction in database @1\n''',
335741036: '''Transaction description item unknown\n''',
335741038: '''"read_only" or "read_write" required\n''',
335741042: '''positive or zero numeric value required\n''',
336003074: '''Cannot SELECT RDB$DB_KEY from a stored procedure.\n''',
336003075: '''Precision 10 to 18 changed from DOUBLE PRECISION in SQL dialect 1 to 64-bit scaled integer in SQL dialect 3\n''',
336003076: '''Use of @1 expression that returns different results in dialect 1 and dialect 3\n''',
336003077: '''Database SQL dialect @1 does not support reference to @2 datatype\n''',
336003079: '''DB dialect @1 and client dialect @2 conflict with respect to numeric precision @3.\n''',
336003080: '''WARNING: Numeric literal @1 is interpreted as a floating-point\n''',
336003081: '''value in SQL dialect 1, but as an exact numeric value in SQL dialect 3.\n''',
336003082: '''WARNING: NUMERIC and DECIMAL fields with precision 10 or greater are stored\n''',
336003083: '''as approximate floating-point values in SQL dialect 1, but as 64-bit\n''',
336003084: '''integers in SQL dialect 3.\n''',
336003085: '''Ambiguous field name between @1 and @2\n''',
336003086: '''External function should have return position between 1 and @1\n''',
336003087: '''Label @1 @2 in the current scope\n''',
336003088: '''Datatypes @1are not comparable in expression @2\n''',
336003089: '''Empty cursor name is not allowed\n''',
336003090: '''Statement already has a cursor @1 assigned\n''',
336003091: '''Cursor @1 is not found in the current context\n''',
336003092: '''Cursor @1 already exists in the current context\n''',
336003093: '''Relation @1 is ambiguous in cursor @2\n''',
336003094: '''Relation @1 is not found in cursor @2\n''',
336003095: '''Cursor is not open\n''',
336003096: '''Data type @1 is not supported for EXTERNAL TABLES. Relation '@2', field '@3'\n''',
336003097: '''Feature not supported on ODS version older than @1.@2\n''',
336003098: '''Primary key required on table @1\n''',
336003099: '''UPDATE OR INSERT field list does not match primary key of table @1\n''',
336003100: '''UPDATE OR INSERT field list does not match MATCHING clause\n''',
336003101: '''UPDATE OR INSERT without MATCHING could not be used with views based on more than one table\n''',
336003102: '''Incompatible trigger type\n''',
336003103: '''Database trigger type can't be changed\n''',
336003104: '''To be used with RDB$RECORD_VERSION, @1 must be a table or a view of single table\n''',
336003105: '''SQLDA version expected between @1 and @2, found @3\n''',
336003106: '''at SQLVAR index @1\n''',
336003107: '''empty pointer to NULL indicator variable\n''',
336003108: '''empty pointer to data\n''',
336003109: '''No SQLDA for input values provided\n''',
336003110: '''No SQLDA for output values provided\n''',
336003111: '''Wrong number of parameters (expected @1, got @2)\n''',
336003112: '''Invalid DROP SQL SECURITY clause\n''',
336003113: '''UPDATE OR INSERT value for field @1, part of the implicit or explicit MATCHING clause, cannot be DEFAULT\n''',
336068645: '''BLOB Filter @1 not found\n''',
336068649: '''Function @1 not found\n''',
336068656: '''Index not found\n''',
336068662: '''View @1 not found\n''',
336068697: '''Domain not found\n''',
336068717: '''Triggers created automatically cannot be modified\n''',
336068740: '''Table @1 already exists\n''',
336068748: '''Procedure @1 not found\n''',
336068752: '''Exception not found\n''',
336068754: '''Parameter @1 in procedure @2 not found\n''',
336068755: '''Trigger @1 not found\n''',
336068759: '''Character set @1 not found\n''',
336068760: '''Collation @1 not found\n''',
336068763: '''Role @1 not found\n''',
336068767: '''Name longer than database column size\n''',
336068784: '''column @1 does not exist in table/view @2\n''',
336068796: '''SQL role @1 does not exist\n''',
336068797: '''user @1 has no grant admin option on SQL role @2\n''',
336068798: '''user @1 is not a member of SQL role @2\n''',
336068799: '''@1 is not the owner of SQL role @2\n''',
336068800: '''@1 is a SQL role and not a user\n''',
336068801: '''user name @1 could not be used for SQL role\n''',
336068802: '''SQL role @1 already exists\n''',
336068803: '''keyword @1 can not be used as a SQL role name\n''',
336068804: '''SQL roles are not supported in on older versions of the database. A backup and restore of the database is required.\n''',
336068812: '''Cannot rename domain @1 to @2. A domain with that name already exists.\n''',
336068813: '''Cannot rename column @1 to @2. A column with that name already exists in table @3.\n''',
336068814: '''Column @1 from table @2 is referenced in @3\n''',
336068815: '''Cannot change datatype for column @1. Changing datatype is not supported for BLOB or ARRAY columns.\n''',
336068816: '''New size specified for column @1 must be at least @2 characters.\n''',
336068817: '''Cannot change datatype for @1. Conversion from base type @2 to @3 is not supported.\n''',
336068818: '''Cannot change datatype for column @1 from a character type to a non-character type.\n''',
336068820: '''Zero length identifiers are not allowed\n''',
336068822: '''Sequence @1 not found\n''',
336068829: '''Maximum number of collations per character set exceeded\n''',
336068830: '''Invalid collation attributes\n''',
336068840: '''@1 cannot reference @2\n''',
336068843: '''Collation @1 is used in table @2 (field name @3) and cannot be dropped\n''',
336068844: '''Collation @1 is used in domain @2 and cannot be dropped\n''',
336068845: '''Cannot delete system collation\n''',
336068846: '''Cannot delete default collation of CHARACTER SET @1\n''',
336068849: '''Table @1 not found\n''',
336068851: '''Collation @1 is used in procedure @2 (parameter name @3) and cannot be dropped\n''',
336068852: '''New scale specified for column @1 must be at most @2.\n''',
336068853: '''New precision specified for column @1 must be at least @2.\n''',
336068855: '''Warning: @1 on @2 is not granted to @3.\n''',
336068856: '''Feature '@1' is not supported in ODS @2.@3\n''',
336068857: '''Cannot add or remove COMPUTED from column @1\n''',
336068858: '''Password should not be empty string\n''',
336068859: '''Index @1 already exists\n''',
336068864: '''Package @1 not found\n''',
336068865: '''Schema @1 not found\n''',
336068866: '''Cannot ALTER or DROP system procedure @1\n''',
336068867: '''Cannot ALTER or DROP system trigger @1\n''',
336068868: '''Cannot ALTER or DROP system function @1\n''',
336068869: '''Invalid DDL statement for procedure @1\n''',
336068870: '''Invalid DDL statement for trigger @1\n''',
336068871: '''Function @1 has not been defined on the package body @2\n''',
336068872: '''Procedure @1 has not been defined on the package body @2\n''',
336068873: '''Function @1 has a signature mismatch on package body @2\n''',
336068874: '''Procedure @1 has a signature mismatch on package body @2\n''',
336068875: '''Default values for parameters are not allowed in the definition of a previously declared packaged procedure @1.@2\n''',
336068877: '''Package body @1 already exists\n''',
336068878: '''Invalid DDL statement for function @1\n''',
336068879: '''Cannot alter new style function @1 with ALTER EXTERNAL FUNCTION. Use ALTER FUNCTION instead.\n''',
336068886: '''Parameter @1 in function @2 not found\n''',
336068887: '''Parameter @1 of routine @2 not found\n''',
336068888: '''Parameter @1 of routine @2 is ambiguous (found in both procedures and functions). Use a specifier keyword.\n''',
336068889: '''Collation @1 is used in function @2 (parameter name @3) and cannot be dropped\n''',
336068890: '''Domain @1 is used in function @2 (parameter name @3) and cannot be dropped\n''',
336068891: '''ALTER USER requires at least one clause to be specified\n''',
336068894: '''Duplicate @1 @2\n''',
336068895: '''System @1 @2 cannot be modified\n''',
336068896: '''INCREMENT BY 0 is an illegal option for sequence @1\n''',
336068897: '''Can't use @1 in FOREIGN KEY constraint\n''',
336068898: '''Default values for parameters are not allowed in the definition of a previously declared packaged function @1.@2\n''',
336068900: '''role @1 can not be granted to role @2\n''',
336068904: '''INCREMENT BY 0 is an illegal option for identity column @1 of table @2\n''',
336068907: '''no @1 privilege with grant option on DDL @2\n''',
336068908: '''no @1 privilege with grant option on object @2\n''',
336068909: '''Function @1 does not exist\n''',
336068910: '''Procedure @1 does not exist\n''',
336068911: '''Package @1 does not exist\n''',
336068912: '''Trigger @1 does not exist\n''',
336068913: '''View @1 does not exist\n''',
336068914: '''Table @1 does not exist\n''',
336068915: '''Exception @1 does not exist\n''',
336068916: '''Generator/Sequence @1 does not exist\n''',
336068917: '''Field @1 of table @2 does not exist\n''',
336330753: '''found unknown switch\n''',
336330754: '''page size parameter missing\n''',
336330755: '''Page size specified (@1) greater than limit (32768 bytes)\n''',
336330756: '''redirect location for output is not specified\n''',
336330757: '''conflicting switches for backup/restore\n''',
336330758: '''device type @1 not known\n''',
336330759: '''protection is not there yet\n''',
336330760: '''page size is allowed only on restore or create\n''',
336330761: '''multiple sources or destinations specified\n''',
336330762: '''requires both input and output filenames\n''',
336330763: '''input and output have the same name. Disallowed.\n''',
336330764: '''expected page size, encountered "@1"\n''',
336330765: '''REPLACE specified, but the first file @1 is a database\n''',
336330766: '''database @1 already exists. To replace it, use the -REP switch\n''',
336330767: '''device type not specified\n''',
336330772: '''gds_$blob_info failed\n''',
336330773: '''do not understand BLOB INFO item @1\n''',
336330774: '''gds_$get_segment failed\n''',
336330775: '''gds_$close_blob failed\n''',
336330776: '''gds_$open_blob failed\n''',
336330777: '''Failed in put_blr_gen_id\n''',
336330778: '''data type @1 not understood\n''',
336330779: '''gds_$compile_request failed\n''',
336330780: '''gds_$start_request failed\n''',
336330781: '''gds_$receive failed\n''',
336330782: '''gds_$release_request failed\n''',
336330783: '''gds_$database_info failed\n''',
336330784: '''Expected database description record\n''',
336330785: '''failed to create database @1\n''',
336330786: '''RESTORE: decompression length error\n''',
336330787: '''cannot find table @1\n''',
336330788: '''Cannot find column for BLOB\n''',
336330789: '''gds_$create_blob failed\n''',
336330790: '''gds_$put_segment failed\n''',
336330791: '''expected record length\n''',
336330792: '''wrong length record, expected @1 encountered @2\n''',
336330793: '''expected data attribute\n''',
336330794: '''Failed in store_blr_gen_id\n''',
336330795: '''do not recognize record type @1\n''',
336330796: '''Expected backup version 1..10. Found @1\n''',
336330797: '''expected backup description record\n''',
336330798: '''string truncated\n''',
336330799: '''warning -- record could not be restored\n''',
336330800: '''gds_$send failed\n''',
336330801: '''no table name for data\n''',
336330802: '''unexpected end of file on backup file\n''',
336330803: '''database format @1 is too old to restore to\n''',
336330804: '''array dimension for column @1 is invalid\n''',
336330807: '''Expected XDR record length\n''',
336330817: '''cannot open backup file @1\n''',
336330818: '''cannot open status and error output file @1\n''',
336330934: '''blocking factor parameter missing\n''',
336330935: '''expected blocking factor, encountered "@1"\n''',
336330936: '''a blocking factor may not be used in conjunction with device CT\n''',
336330940: '''user name parameter missing\n''',
336330941: '''password parameter missing\n''',
336330952: ''' missing parameter for the number of bytes to be skipped\n''',
336330953: '''expected number of bytes to be skipped, encountered "@1"\n''',
336330965: '''character set\n''',
336330967: '''collation\n''',
336330972: '''Unexpected I/O error while reading from backup file\n''',
336330973: '''Unexpected I/O error while writing to backup file\n''',
336330985: '''could not drop database @1 (no privilege or database might be in use)\n''',
336330990: '''System memory exhausted\n''',
336331002: '''SQL role\n''',
336331005: '''SQL role parameter missing\n''',
336331010: '''page buffers parameter missing\n''',
336331011: '''expected page buffers, encountered "@1"\n''',
336331012: '''page buffers is allowed only on restore or create\n''',
336331014: '''size specification either missing or incorrect for file @1\n''',
336331015: '''file @1 out of sequence\n''',
336331016: '''can't join -- one of the files missing\n''',
336331017: ''' standard input is not supported when using join operation\n''',
336331018: '''standard output is not supported when using split operation or in verbose mode\n''',
336331019: '''backup file @1 might be corrupt\n''',
336331020: '''database file specification missing\n''',
336331021: '''can't write a header record to file @1\n''',
336331022: '''free disk space exhausted\n''',
336331023: '''file size given (@1) is less than minimum allowed (@2)\n''',
336331025: '''service name parameter missing\n''',
336331026: '''Cannot restore over current database, must be SYSDBA or owner of the existing database.\n''',
336331031: '''"read_only" or "read_write" required\n''',
336331033: '''just data ignore all constraints etc.\n''',
336331034: '''restoring data only ignoring foreign key, unique, not null & other constraints\n''',
336331078: '''verbose interval value parameter missing\n''',
336331079: '''verbose interval value cannot be smaller than @1\n''',
336331081: '''verify (verbose) and verbint options are mutually exclusive\n''',
336331082: '''option -@1 is allowed only on restore or create\n''',
336331083: '''option -@1 is allowed only on backup\n''',
336331084: '''options -@1 and -@2 are mutually exclusive\n''',
336331085: '''parameter for option -@1 was already specified with value "@2"\n''',
336331086: '''option -@1 was already specified\n''',
336331091: '''dependency depth greater than @1 for view @2\n''',
336331092: '''value greater than @1 when calculating length of rdb$db_key for view @2\n''',
336331093: '''Invalid metadata detected. Use -FIX_FSS_METADATA option.\n''',
336331094: '''Invalid data detected. Use -FIX_FSS_DATA option.\n''',
336331096: '''Expected backup version @2..@3. Found @1\n''',
336331100: '''database format @1 is too old to backup\n''',
336397205: '''ODS versions before ODS@1 are not supported\n''',
336397206: '''Table @1 does not exist\n''',
336397207: '''View @1 does not exist\n''',
336397208: '''At line @1, column @2\n''',
336397209: '''At unknown line and column\n''',
336397210: '''Column @1 cannot be repeated in @2 statement\n''',
336397211: '''Too many values (more than @1) in member list to match against\n''',
336397212: '''Array and BLOB data types not allowed in computed field\n''',
336397213: '''Implicit domain name @1 not allowed in user created domain\n''',
336397214: '''scalar operator used on field @1 which is not an array\n''',
336397215: '''cannot sort on more than 255 items\n''',
336397216: '''cannot group on more than 255 items\n''',
336397217: '''Cannot include the same field (@1.@2) twice in the ORDER BY clause with conflicting sorting options\n''',
336397218: '''column list from derived table @1 has more columns than the number of items in its SELECT statement\n''',
336397219: '''column list from derived table @1 has less columns than the number of items in its SELECT statement\n''',
336397220: '''no column name specified for column number @1 in derived table @2\n''',
336397221: '''column @1 was specified multiple times for derived table @2\n''',
336397222: '''Internal dsql error: alias type expected by pass1_expand_select_node\n''',
336397223: '''Internal dsql error: alias type expected by pass1_field\n''',
336397224: '''Internal dsql error: column position out of range in pass1_union_auto_cast\n''',
336397225: '''Recursive CTE member (@1) can refer itself only in FROM clause\n''',
336397226: '''CTE '@1' has cyclic dependencies\n''',
336397227: '''Recursive member of CTE can't be member of an outer join\n''',
336397228: '''Recursive member of CTE can't reference itself more than once\n''',
336397229: '''Recursive CTE (@1) must be an UNION\n''',
336397230: '''CTE '@1' defined non-recursive member after recursive\n''',
336397231: '''Recursive member of CTE '@1' has @2 clause\n''',
336397232: '''Recursive members of CTE (@1) must be linked with another members via UNION ALL\n''',
336397233: '''Non-recursive member is missing in CTE '@1'\n''',
336397234: '''WITH clause can't be nested\n''',
336397235: '''column @1 appears more than once in USING clause\n''',
336397236: '''feature is not supported in dialect @1\n''',
336397237: '''CTE "@1" is not used in query\n''',
336397238: '''column @1 appears more than once in ALTER VIEW\n''',
336397239: '''@1 is not supported inside IN AUTONOMOUS TRANSACTION block\n''',
336397240: '''Unknown node type @1 in dsql/GEN_expr\n''',
336397241: '''Argument for @1 in dialect 1 must be string or numeric\n''',
336397242: '''Argument for @1 in dialect 3 must be numeric\n''',
336397243: '''Strings cannot be added to or subtracted from DATE or TIME types\n''',
336397244: '''Invalid data type for subtraction involving DATE, TIME or TIMESTAMP types\n''',
336397245: '''Adding two DATE values or two TIME values is not allowed\n''',
336397246: '''DATE value cannot be subtracted from the provided data type\n''',
336397247: '''Strings cannot be added or subtracted in dialect 3\n''',
336397248: '''Invalid data type for addition or subtraction in dialect 3\n''',
336397249: '''Invalid data type for multiplication in dialect 1\n''',
336397250: '''Strings cannot be multiplied in dialect 3\n''',
336397251: '''Invalid data type for multiplication in dialect 3\n''',
336397252: '''Division in dialect 1 must be between numeric data types\n''',
336397253: '''Strings cannot be divided in dialect 3\n''',
336397254: '''Invalid data type for division in dialect 3\n''',
336397255: '''Strings cannot be negated (applied the minus operator) in dialect 3\n''',
336397256: '''Invalid data type for negation (minus operator)\n''',
336397257: '''Cannot have more than 255 items in DISTINCT / UNION DISTINCT list\n''',
336397258: '''ALTER CHARACTER SET @1 failed\n''',
336397259: '''COMMENT ON @1 failed\n''',
336397260: '''CREATE FUNCTION @1 failed\n''',
336397261: '''ALTER FUNCTION @1 failed\n''',
336397262: '''CREATE OR ALTER FUNCTION @1 failed\n''',
336397263: '''DROP FUNCTION @1 failed\n''',
336397264: '''RECREATE FUNCTION @1 failed\n''',
336397265: '''CREATE PROCEDURE @1 failed\n''',
336397266: '''ALTER PROCEDURE @1 failed\n''',
336397267: '''CREATE OR ALTER PROCEDURE @1 failed\n''',
336397268: '''DROP PROCEDURE @1 failed\n''',
336397269: '''RECREATE PROCEDURE @1 failed\n''',
336397270: '''CREATE TRIGGER @1 failed\n''',
336397271: '''ALTER TRIGGER @1 failed\n''',
336397272: '''CREATE OR ALTER TRIGGER @1 failed\n''',
336397273: '''DROP TRIGGER @1 failed\n''',
336397274: '''RECREATE TRIGGER @1 failed\n''',
336397275: '''CREATE COLLATION @1 failed\n''',
336397276: '''DROP COLLATION @1 failed\n''',
336397277: '''CREATE DOMAIN @1 failed\n''',
336397278: '''ALTER DOMAIN @1 failed\n''',
336397279: '''DROP DOMAIN @1 failed\n''',
336397280: '''CREATE EXCEPTION @1 failed\n''',
336397281: '''ALTER EXCEPTION @1 failed\n''',
336397282: '''CREATE OR ALTER EXCEPTION @1 failed\n''',
336397283: '''RECREATE EXCEPTION @1 failed\n''',
336397284: '''DROP EXCEPTION @1 failed\n''',
336397285: '''CREATE SEQUENCE @1 failed\n''',
336397286: '''CREATE TABLE @1 failed\n''',
336397287: '''ALTER TABLE @1 failed\n''',
336397288: '''DROP TABLE @1 failed\n''',
336397289: '''RECREATE TABLE @1 failed\n''',
336397290: '''CREATE PACKAGE @1 failed\n''',
336397291: '''ALTER PACKAGE @1 failed\n''',
336397292: '''CREATE OR ALTER PACKAGE @1 failed\n''',
336397293: '''DROP PACKAGE @1 failed\n''',
336397294: '''RECREATE PACKAGE @1 failed\n''',
336397295: '''CREATE PACKAGE BODY @1 failed\n''',
336397296: '''DROP PACKAGE BODY @1 failed\n''',
336397297: '''RECREATE PACKAGE BODY @1 failed\n''',
336397298: '''CREATE VIEW @1 failed\n''',
336397299: '''ALTER VIEW @1 failed\n''',
336397300: '''CREATE OR ALTER VIEW @1 failed\n''',
336397301: '''RECREATE VIEW @1 failed\n''',
336397302: '''DROP VIEW @1 failed\n''',
336397303: '''DROP SEQUENCE @1 failed\n''',
336397304: '''RECREATE SEQUENCE @1 failed\n''',
336397305: '''DROP INDEX @1 failed\n''',
336397306: '''DROP FILTER @1 failed\n''',
336397307: '''DROP SHADOW @1 failed\n''',
336397308: '''DROP ROLE @1 failed\n''',
336397309: '''DROP USER @1 failed\n''',
336397310: '''CREATE ROLE @1 failed\n''',
336397311: '''ALTER ROLE @1 failed\n''',
336397312: '''ALTER INDEX @1 failed\n''',
336397313: '''ALTER DATABASE failed\n''',
336397314: '''CREATE SHADOW @1 failed\n''',
336397315: '''DECLARE FILTER @1 failed\n''',
336397316: '''CREATE INDEX @1 failed\n''',
336397317: '''CREATE USER @1 failed\n''',
336397318: '''ALTER USER @1 failed\n''',
336397319: '''GRANT failed\n''',
336397320: '''REVOKE failed\n''',
336397321: '''Recursive member of CTE cannot use aggregate or window function\n''',
336397322: '''@2 MAPPING @1 failed\n''',
336397323: '''ALTER SEQUENCE @1 failed\n''',
336397324: '''CREATE GENERATOR @1 failed\n''',
336397325: '''SET GENERATOR @1 failed\n''',
336397326: '''WITH LOCK can be used only with a single physical table\n''',
336397327: '''FIRST/SKIP cannot be used with OFFSET/FETCH or ROWS\n''',
336397328: '''WITH LOCK cannot be used with aggregates\n''',
336397329: '''WITH LOCK cannot be used with @1\n''',
336397330: '''Number of arguments (@1) exceeds the maximum (@2) number of EXCEPTION USING arguments\n''',
336397331: '''String literal with @1 bytes exceeds the maximum length of @2 bytes\n''',
336397332: '''String literal with @1 characters exceeds the maximum length of @2 characters for the @3 character set\n''',
336397333: '''Too many BEGIN...END nesting. Maximum level is @1\n''',
336397334: '''RECREATE USER @1 failed\n''',
336723983: '''unable to open database\n''',
336723984: '''error in switch specifications\n''',
336723985: '''no operation specified\n''',
336723986: '''no user name specified\n''',
336723987: '''add record error\n''',
336723988: '''modify record error\n''',
336723989: '''find/modify record error\n''',
336723990: '''record not found for user: @1\n''',
336723991: '''delete record error\n''',
336723992: '''find/delete record error\n''',
336723996: '''find/display record error\n''',
336723997: '''invalid parameter, no switch defined\n''',
336723998: '''operation already specified\n''',
336723999: '''password already specified\n''',
336724000: '''uid already specified\n''',
336724001: '''gid already specified\n''',
336724002: '''project already specified\n''',
336724003: '''organization already specified\n''',
336724004: '''first name already specified\n''',
336724005: '''middle name already specified\n''',
336724006: '''last name already specified\n''',
336724008: '''invalid switch specified\n''',
336724009: '''ambiguous switch specified\n''',
336724010: '''no operation specified for parameters\n''',
336724011: '''no parameters allowed for this operation\n''',
336724012: '''incompatible switches specified\n''',
336724044: '''Invalid user name (maximum 31 bytes allowed)\n''',
336724045: '''Warning - maximum 8 significant bytes of password used\n''',
336724046: '''database already specified\n''',
336724047: '''database administrator name already specified\n''',
336724048: '''database administrator password already specified\n''',
336724049: '''SQL role name already specified\n''',
336920577: '''found unknown switch\n''',
336920578: '''please retry, giving a database name\n''',
336920579: '''Wrong ODS version, expected @1, encountered @2\n''',
336920580: '''Unexpected end of database file.\n''',
336920605: '''Can't open database file @1\n''',
336920606: '''Can't read a database page\n''',
336920607: '''System memory exhausted\n''',
336986113: '''Wrong value for access mode\n''',
336986114: '''Wrong value for write mode\n''',
336986115: '''Wrong value for reserve space\n''',
336986116: '''Unknown tag (@1) in info_svr_db_info block after isc_svc_query()\n''',
336986117: '''Unknown tag (@1) in isc_svc_query() results\n''',
336986118: '''Unknown switch "@1"\n''',
336986159: '''Wrong value for shutdown mode\n''',
336986160: '''could not open file @1\n''',
336986161: '''could not read file @1\n''',
336986162: '''empty file @1\n''',
336986164: '''Invalid or missing parameter for switch @1\n''',
336986170: '''Unknown tag (@1) in isc_info_svc_limbo_trans block after isc_svc_query()\n''',
336986171: '''Unknown tag (@1) in isc_spb_tra_state block after isc_svc_query()\n''',
336986172: '''Unknown tag (@1) in isc_spb_tra_advise block after isc_svc_query()\n''',
337051649: '''Switches trusted_user and trusted_role are not supported from command line\n''',
337117213: '''Missing parameter for switch @1\n''',
337117214: '''Only one of -LOCK, -UNLOCK, -FIXUP, -BACKUP or -RESTORE should be specified\n''',
337117215: '''Unrecognized parameter @1\n''',
337117216: '''Unknown switch @1\n''',
337117217: '''Fetch password can't be used in service mode\n''',
337117218: '''Error working with password file "@1"\n''',
337117219: '''Switch -SIZE can be used only with -LOCK\n''',
337117220: '''None of -LOCK, -UNLOCK, -FIXUP, -BACKUP or -RESTORE specified\n''',
337117223: '''IO error reading file: @1\n''',
337117224: '''IO error writing file: @1\n''',
337117225: '''IO error seeking file: @1\n''',
337117226: '''Error opening database file: @1\n''',
337117227: '''Error in posix_fadvise(@1) for database @2\n''',
337117228: '''Error creating database file: @1\n''',
337117229: '''Error opening backup file: @1\n''',
337117230: '''Error creating backup file: @1\n''',
337117231: '''Unexpected end of database file @1\n''',
337117232: '''Database @1 is not in state (@2) to be safely fixed up\n''',
337117233: '''Database error\n''',
337117234: '''Username or password is too long\n''',
337117235: '''Cannot find record for database "@1" backup level @2 in the backup history\n''',
337117236: '''Internal error. History query returned null SCN or GUID\n''',
337117237: '''Unexpected end of file when reading header of database file "@1" (stage @2)\n''',
337117238: '''Internal error. Database file is not locked. Flags are @1\n''',
337117239: '''Internal error. Cannot get backup guid clumplet\n''',
337117240: '''Internal error. Database page @1 had been changed during backup (page SCN=@2, backup SCN=@3)\n''',
337117241: '''Database file size is not a multiple of page size\n''',
337117242: '''Level 0 backup is not restored\n''',
337117243: '''Unexpected end of file when reading header of backup file: @1\n''',
337117244: '''Invalid incremental backup file: @1\n''',
337117245: '''Unsupported version @1 of incremental backup file: @2\n''',
337117246: '''Invalid level @1 of incremental backup file: @2, expected @3\n''',
337117247: '''Wrong order of backup files or invalid incremental backup file detected, file: @1\n''',
337117248: '''Unexpected end of backup file: @1\n''',
337117249: '''Error creating database file: @1 via copying from: @2\n''',
337117250: '''Unexpected end of file when reading header of restored database file (stage @1)\n''',
337117251: '''Cannot get backup guid clumplet from L0 backup\n''',
337117255: '''Wrong parameter @1 for switch -D, need ON or OFF\n''',
337117257: '''Terminated due to user request\n''',
337117259: '''Too complex decompress command (> @1 arguments)\n''',
337117261: '''Cannot find record for database "@1" backup GUID @2 in the backup history\n''',
337182750: '''conflicting actions "@1" and "@2" found\n''',
337182751: '''action switch not found\n''',
337182752: '''switch "@1" must be set only once\n''',
337182753: '''value for switch "@1" is missing\n''',
337182754: '''invalid value ("@1") for switch "@2"\n''',
337182755: '''unknown switch "@1" encountered\n''',
337182756: '''switch "@1" can be used by service only\n''',
337182757: '''switch "@1" can be used by interactive user only\n''',
337182758: '''mandatory parameter "@1" for switch "@2" is missing\n''',
337182759: '''parameter "@1" is incompatible with action "@2"\n''',
337182760: '''mandatory switch "@1" is missing\n''',
}
| messages = {335544321: 'arithmetic exception, numeric overflow, or string truncation\n', 335544322: 'invalid database key\n', 335544323: 'file @1 is not a valid database\n', 335544324: 'invalid database handle (no active connection)\n', 335544325: 'bad parameters on attach or create database\n', 335544326: 'unrecognized database parameter block\n', 335544327: 'invalid request handle\n', 335544328: 'invalid BLOB handle\n', 335544329: 'invalid BLOB ID\n', 335544330: 'invalid parameter in transaction parameter block\n', 335544331: 'invalid format for transaction parameter block\n', 335544332: 'invalid transaction handle (expecting explicit transaction start)\n', 335544333: 'internal Firebird consistency check (@1)\n', 335544334: 'conversion error from string "@1"\n', 335544335: 'database file appears corrupt (@1)\n', 335544336: 'deadlock\n', 335544337: 'attempt to start more than @1 transactions\n', 335544338: 'no match for first value expression\n', 335544339: 'information type inappropriate for object specified\n', 335544340: 'no information of this type available for object specified\n', 335544341: 'unknown information item\n', 335544342: 'action cancelled by trigger (@1) to preserve data integrity\n', 335544343: 'invalid request BLR at offset @1\n', 335544344: 'I/O error during "@1" operation for file "@2"\n', 335544345: 'lock conflict on no wait transaction\n', 335544346: 'corrupt system table\n', 335544347: 'validation error for column @1, value "@2"\n', 335544348: 'no current record for fetch operation\n', 335544349: 'attempt to store duplicate value (visible to active transactions) in unique index "@1"\n', 335544350: 'program attempted to exit without finishing database\n', 335544351: 'unsuccessful metadata update\n', 335544352: 'no permission for @1 access to @2 @3\n', 335544353: 'transaction is not in limbo\n', 335544354: 'invalid database key\n', 335544355: 'BLOB was not closed\n', 335544356: 'metadata is obsolete\n', 335544357: 'cannot disconnect database with open transactions (@1 active)\n', 335544358: 'message length error (encountered @1, expected @2)\n', 335544359: 'attempted update of read-only column @1\n', 335544360: 'attempted update of read-only table\n', 335544361: 'attempted update during read-only transaction\n', 335544362: 'cannot update read-only view @1\n', 335544363: 'no transaction for request\n', 335544364: 'request synchronization error\n', 335544365: 'request referenced an unavailable database\n', 335544366: 'segment buffer length shorter than expected\n', 335544367: 'attempted retrieval of more segments than exist\n', 335544368: 'attempted invalid operation on a BLOB\n', 335544369: 'attempted read of a new, open BLOB\n', 335544370: 'attempted action on BLOB outside transaction\n', 335544371: 'attempted write to read-only BLOB\n', 335544372: 'attempted reference to BLOB in unavailable database\n', 335544373: 'operating system directive @1 failed\n', 335544374: 'attempt to fetch past the last record in a record stream\n', 335544375: 'unavailable database\n', 335544376: 'table @1 was omitted from the transaction reserving list\n', 335544377: 'request includes a DSRI extension not supported in this implementation\n', 335544378: 'feature is not supported\n', 335544379: 'unsupported on-disk structure for file @1; found @2.@3, support @4.@5\n', 335544380: 'wrong number of arguments on call\n', 335544381: 'Implementation limit exceeded\n', 335544382: '@1\n', 335544383: 'unrecoverable conflict with limbo transaction @1\n', 335544384: 'internal error\n', 335544385: 'internal error\n', 335544386: 'too many requests\n', 335544387: 'internal error\n', 335544388: 'block size exceeds implementation restriction\n', 335544389: 'buffer exhausted\n', 335544390: 'BLR syntax error: expected @1 at offset @2, encountered @3\n', 335544391: 'buffer in use\n', 335544392: 'internal error\n', 335544393: 'request in use\n', 335544394: 'incompatible version of on-disk structure\n', 335544395: 'table @1 is not defined\n', 335544396: 'column @1 is not defined in table @2\n', 335544397: 'internal error\n', 335544398: 'internal error\n', 335544399: 'internal error\n', 335544400: 'internal error\n', 335544401: 'internal error\n', 335544402: 'internal error\n', 335544403: 'page @1 is of wrong type (expected @2, found @3)\n', 335544404: 'database corrupted\n', 335544405: 'checksum error on database page @1\n', 335544406: 'index is broken\n', 335544407: 'database handle not zero\n', 335544408: 'transaction handle not zero\n', 335544409: 'transaction--request mismatch (synchronization error)\n', 335544410: 'bad handle count\n', 335544411: 'wrong version of transaction parameter block\n', 335544412: 'unsupported BLR version (expected @1, encountered @2)\n', 335544413: 'wrong version of database parameter block\n', 335544414: 'BLOB and array data types are not supported for @1 operation\n', 335544415: 'database corrupted\n', 335544416: 'internal error\n', 335544417: 'internal error\n', 335544418: 'transaction in limbo\n', 335544419: 'transaction not in limbo\n', 335544420: 'transaction outstanding\n', 335544421: 'connection rejected by remote interface\n', 335544422: 'internal error\n', 335544423: 'internal error\n', 335544424: 'no lock manager available\n', 335544425: 'context already in use (BLR error)\n', 335544426: 'context not defined (BLR error)\n', 335544427: 'data operation not supported\n', 335544428: 'undefined message number\n', 335544429: 'undefined parameter number\n', 335544430: 'unable to allocate memory from operating system\n', 335544431: 'blocking signal has been received\n', 335544432: 'lock manager error\n', 335544433: 'communication error with journal "@1"\n', 335544434: 'key size exceeds implementation restriction for index "@1"\n', 335544435: 'null segment of UNIQUE KEY\n', 335544436: 'SQL error code = @1\n', 335544437: 'wrong DYN version\n', 335544438: 'function @1 is not defined\n', 335544439: 'function @1 could not be matched\n', 335544440: '\n', 335544441: 'database detach completed with errors\n', 335544442: 'database system cannot read argument @1\n', 335544443: 'database system cannot write argument @1\n', 335544444: 'operation not supported\n', 335544445: '@1 extension error\n', 335544446: 'not updatable\n', 335544447: 'no rollback performed\n', 335544448: '\n', 335544449: '\n', 335544450: '@1\n', 335544451: 'update conflicts with concurrent update\n', 335544452: 'product @1 is not licensed\n', 335544453: 'object @1 is in use\n', 335544454: 'filter not found to convert type @1 to type @2\n', 335544455: 'cannot attach active shadow file\n', 335544456: 'invalid slice description language at offset @1\n', 335544457: 'subscript out of bounds\n', 335544458: 'column not array or invalid dimensions (expected @1, encountered @2)\n', 335544459: 'record from transaction @1 is stuck in limbo\n', 335544460: 'a file in manual shadow @1 is unavailable\n', 335544461: 'secondary server attachments cannot validate databases\n', 335544462: 'secondary server attachments cannot start journaling\n', 335544463: 'generator @1 is not defined\n', 335544464: 'secondary server attachments cannot start logging\n', 335544465: 'invalid BLOB type for operation\n', 335544466: 'violation of FOREIGN KEY constraint "@1" on table "@2"\n', 335544467: 'minor version too high found @1 expected @2\n', 335544468: 'transaction @1 is @2\n', 335544469: 'transaction marked invalid and cannot be committed\n', 335544470: 'cache buffer for page @1 invalid\n', 335544471: 'there is no index in table @1 with id @2\n', 335544472: 'Your user name and password are not defined. Ask your database administrator to set up a Firebird login.\n', 335544473: 'invalid bookmark handle\n', 335544474: 'invalid lock level @1\n', 335544475: 'lock on table @1 conflicts with existing lock\n', 335544476: 'requested record lock conflicts with existing lock\n', 335544477: 'maximum indexes per table (@1) exceeded\n', 335544478: 'enable journal for database before starting online dump\n', 335544479: 'online dump failure. Retry dump\n', 335544480: 'an online dump is already in progress\n', 335544481: 'no more disk/tape space. Cannot continue online dump\n', 335544482: 'journaling allowed only if database has Write-ahead Log\n', 335544483: 'maximum number of online dump files that can be specified is 16\n', 335544484: 'error in opening Write-ahead Log file during recovery\n', 335544485: 'invalid statement handle\n', 335544486: 'Write-ahead log subsystem failure\n', 335544487: 'WAL Writer error\n', 335544488: 'Log file header of @1 too small\n', 335544489: 'Invalid version of log file @1\n', 335544490: 'Log file @1 not latest in the chain but open flag still set\n', 335544491: 'Log file @1 not closed properly; database recovery may be required\n', 335544492: 'Database name in the log file @1 is different\n', 335544493: 'Unexpected end of log file @1 at offset @2\n', 335544494: 'Incomplete log record at offset @1 in log file @2\n', 335544495: 'Log record header too small at offset @1 in log file @2\n', 335544496: 'Log block too small at offset @1 in log file @2\n', 335544497: 'Illegal attempt to attach to an uninitialized WAL segment for @1\n', 335544498: 'Invalid WAL parameter block option @1\n', 335544499: 'Cannot roll over to the next log file @1\n', 335544500: 'database does not use Write-ahead Log\n', 335544501: 'cannot drop log file when journaling is enabled\n', 335544502: 'reference to invalid stream number\n', 335544503: 'WAL subsystem encountered error\n', 335544504: 'WAL subsystem corrupted\n', 335544505: 'must specify archive file when enabling long term journal for databases with round-robin log files\n', 335544506: 'database @1 shutdown in progress\n', 335544507: 'refresh range number @1 already in use\n', 335544508: 'refresh range number @1 not found\n', 335544509: 'CHARACTER SET @1 is not defined\n', 335544510: 'lock time-out on wait transaction\n', 335544511: 'procedure @1 is not defined\n', 335544512: 'Input parameter mismatch for procedure @1\n', 335544513: 'Database @1: WAL subsystem bug for pid @2@3\n', 335544514: 'Could not expand the WAL segment for database @1\n', 335544515: 'status code @1 unknown\n', 335544516: 'exception @1 not defined\n', 335544517: 'exception @1\n', 335544518: 'restart shared cache manager\n', 335544519: 'invalid lock handle\n', 335544520: 'long-term journaling already enabled\n', 335544521: 'Unable to roll over please see Firebird log.\n', 335544522: 'WAL I/O error. Please see Firebird log.\n', 335544523: 'WAL writer - Journal server communication error. Please see Firebird log.\n', 335544524: 'WAL buffers cannot be increased. Please see Firebird log.\n', 335544525: 'WAL setup error. Please see Firebird log.\n', 335544526: 'obsolete\n', 335544527: 'Cannot start WAL writer for the database @1\n', 335544528: 'database @1 shutdown\n', 335544529: 'cannot modify an existing user privilege\n', 335544530: 'Cannot delete PRIMARY KEY being used in FOREIGN KEY definition.\n', 335544531: 'Column used in a PRIMARY constraint must be NOT NULL.\n', 335544532: 'Name of Referential Constraint not defined in constraints table.\n', 335544533: 'Non-existent PRIMARY or UNIQUE KEY specified for FOREIGN KEY.\n', 335544534: 'Cannot update constraints (RDB$REF_CONSTRAINTS).\n', 335544535: 'Cannot update constraints (RDB$CHECK_CONSTRAINTS).\n', 335544536: 'Cannot delete CHECK constraint entry (RDB$CHECK_CONSTRAINTS)\n', 335544537: 'Cannot delete index segment used by an Integrity Constraint\n', 335544538: 'Cannot update index segment used by an Integrity Constraint\n', 335544539: 'Cannot delete index used by an Integrity Constraint\n', 335544540: 'Cannot modify index used by an Integrity Constraint\n', 335544541: 'Cannot delete trigger used by a CHECK Constraint\n', 335544542: 'Cannot update trigger used by a CHECK Constraint\n', 335544543: 'Cannot delete column being used in an Integrity Constraint.\n', 335544544: 'Cannot rename column being used in an Integrity Constraint.\n', 335544545: 'Cannot update constraints (RDB$RELATION_CONSTRAINTS).\n', 335544546: 'Cannot define constraints on views\n', 335544547: 'internal Firebird consistency check (invalid RDB$CONSTRAINT_TYPE)\n', 335544548: 'Attempt to define a second PRIMARY KEY for the same table\n', 335544549: 'cannot modify or erase a system trigger\n', 335544550: 'only the owner of a table may reassign ownership\n', 335544551: 'could not find object for GRANT\n', 335544552: 'could not find column for GRANT\n', 335544553: 'user does not have GRANT privileges for operation\n', 335544554: 'object has non-SQL security class defined\n', 335544555: 'column has non-SQL security class defined\n', 335544556: 'Write-ahead Log without shared cache configuration not allowed\n', 335544557: 'database shutdown unsuccessful\n', 335544558: 'Operation violates CHECK constraint @1 on view or table @2\n', 335544559: 'invalid service handle\n', 335544560: 'database @1 shutdown in @2 seconds\n', 335544561: 'wrong version of service parameter block\n', 335544562: 'unrecognized service parameter block\n', 335544563: 'service @1 is not defined\n', 335544564: 'long-term journaling not enabled\n', 335544565: 'Cannot transliterate character between character sets\n', 335544566: 'WAL defined; Cache Manager must be started first\n', 335544567: 'Overflow log specification required for round-robin log\n', 335544568: 'Implementation of text subtype @1 not located.\n', 335544569: 'Dynamic SQL Error\n', 335544570: 'Invalid command\n', 335544571: 'Data type for constant unknown\n', 335544572: 'Invalid cursor reference\n', 335544573: 'Data type unknown\n', 335544574: 'Invalid cursor declaration\n', 335544575: 'Cursor @1 is not updatable\n', 335544576: 'Attempt to reopen an open cursor\n', 335544577: 'Attempt to reclose a closed cursor\n', 335544578: 'Column unknown\n', 335544579: 'Internal error\n', 335544580: 'Table unknown\n', 335544581: 'Procedure unknown\n', 335544582: 'Request unknown\n', 335544583: 'SQLDA error\n', 335544584: 'Count of read-write columns does not equal count of values\n', 335544585: 'Invalid statement handle\n', 335544586: 'Function unknown\n', 335544587: 'Column is not a BLOB\n', 335544588: 'COLLATION @1 for CHARACTER SET @2 is not defined\n', 335544589: 'COLLATION @1 is not valid for specified CHARACTER SET\n', 335544590: 'Option specified more than once\n', 335544591: 'Unknown transaction option\n', 335544592: 'Invalid array reference\n', 335544593: 'Array declared with too many dimensions\n', 335544594: 'Illegal array dimension range\n', 335544595: 'Trigger unknown\n', 335544596: 'Subselect illegal in this context\n', 335544597: 'Cannot prepare a CREATE DATABASE/SCHEMA statement\n', 335544598: 'must specify column name for view select expression\n', 335544599: 'number of columns does not match select list\n', 335544600: 'Only simple column names permitted for VIEW WITH CHECK OPTION\n', 335544601: 'No WHERE clause for VIEW WITH CHECK OPTION\n', 335544602: 'Only one table allowed for VIEW WITH CHECK OPTION\n', 335544603: 'DISTINCT, GROUP or HAVING not permitted for VIEW WITH CHECK OPTION\n', 335544604: 'FOREIGN KEY column count does not match PRIMARY KEY\n', 335544605: 'No subqueries permitted for VIEW WITH CHECK OPTION\n', 335544606: 'expression evaluation not supported\n', 335544607: 'gen.c: node not supported\n', 335544608: 'Unexpected end of command\n', 335544609: 'INDEX @1\n', 335544610: 'EXCEPTION @1\n', 335544611: 'COLUMN @1\n', 335544612: 'Token unknown\n', 335544613: 'union not supported\n', 335544614: 'Unsupported DSQL construct\n', 335544615: 'column used with aggregate\n', 335544616: 'invalid column reference\n', 335544617: 'invalid ORDER BY clause\n', 335544618: 'Return mode by value not allowed for this data type\n', 335544619: 'External functions cannot have more than 10 parameters\n', 335544620: 'alias @1 conflicts with an alias in the same statement\n', 335544621: 'alias @1 conflicts with a procedure in the same statement\n', 335544622: 'alias @1 conflicts with a table in the same statement\n', 335544623: 'Illegal use of keyword VALUE\n', 335544624: 'segment count of 0 defined for index @1\n', 335544625: 'A node name is not permitted in a secondary, shadow, cache or log file name\n', 335544626: 'TABLE @1\n', 335544627: 'PROCEDURE @1\n', 335544628: 'cannot create index @1\n', 335544629: 'Write-ahead Log with shadowing configuration not allowed\n', 335544630: 'there are @1 dependencies\n', 335544631: 'too many keys defined for index @1\n', 335544632: 'Preceding file did not specify length, so @1 must include starting page number\n', 335544633: 'Shadow number must be a positive integer\n', 335544634: 'Token unknown - line @1, column @2\n', 335544635: 'there is no alias or table named @1 at this scope level\n', 335544636: 'there is no index @1 for table @2\n', 335544637: 'table @1 is not referenced in plan\n', 335544638: 'table @1 is referenced more than once in plan; use aliases to distinguish\n', 335544639: 'table @1 is referenced in the plan but not the from list\n', 335544640: 'Invalid use of CHARACTER SET or COLLATE\n', 335544641: 'Specified domain or source column @1 does not exist\n', 335544642: 'index @1 cannot be used in the specified plan\n', 335544643: 'the table @1 is referenced twice; use aliases to differentiate\n', 335544644: 'attempt to fetch before the first record in a record stream\n', 335544645: 'the current position is on a crack\n', 335544646: 'database or file exists\n', 335544647: 'invalid comparison operator for find operation\n', 335544648: 'Connection lost to pipe server\n', 335544649: 'bad checksum\n', 335544650: 'wrong page type\n', 335544651: 'Cannot insert because the file is readonly or is on a read only medium.\n', 335544652: 'multiple rows in singleton select\n', 335544653: 'cannot attach to password database\n', 335544654: 'cannot start transaction for password database\n', 335544655: 'invalid direction for find operation\n', 335544656: 'variable @1 conflicts with parameter in same procedure\n', 335544657: 'Array/BLOB/DATE data types not allowed in arithmetic\n', 335544658: '@1 is not a valid base table of the specified view\n', 335544659: 'table @1 is referenced twice in view; use an alias to distinguish\n', 335544660: 'view @1 has more than one base table; use aliases to distinguish\n', 335544661: 'cannot add index, index root page is full.\n', 335544662: 'BLOB SUB_TYPE @1 is not defined\n', 335544663: 'Too many concurrent executions of the same request\n', 335544664: 'duplicate specification of @1 - not supported\n', 335544665: 'violation of PRIMARY or UNIQUE KEY constraint "@1" on table "@2"\n', 335544666: 'server version too old to support all CREATE DATABASE options\n', 335544667: 'drop database completed with errors\n', 335544668: 'procedure @1 does not return any values\n', 335544669: 'count of column list and variable list do not match\n', 335544670: 'attempt to index BLOB column in index @1\n', 335544671: 'attempt to index array column in index @1\n', 335544672: 'too few key columns found for index @1 (incorrect column name?)\n', 335544673: 'cannot delete\n', 335544674: 'last column in a table cannot be deleted\n', 335544675: 'sort error\n', 335544676: 'sort error: not enough memory\n', 335544677: 'too many versions\n', 335544678: 'invalid key position\n', 335544679: 'segments not allowed in expression index @1\n', 335544680: 'sort error: corruption in data structure\n', 335544681: 'new record size of @1 bytes is too big\n', 335544682: 'Inappropriate self-reference of column\n', 335544683: 'request depth exceeded. (Recursive definition?)\n', 335544684: 'cannot access column @1 in view @2\n', 335544685: 'dbkey not available for multi-table views\n', 335544686: 'journal file wrong format\n', 335544687: 'intermediate journal file full\n', 335544688: 'The prepare statement identifies a prepare statement with an open cursor\n', 335544689: 'Firebird error\n', 335544690: 'Cache redefined\n', 335544691: 'Insufficient memory to allocate page buffer cache\n', 335544692: 'Log redefined\n', 335544693: 'Log size too small\n', 335544694: 'Log partition size too small\n', 335544695: 'Partitions not supported in series of log file specification\n', 335544696: 'Total length of a partitioned log must be specified\n', 335544697: 'Precision must be from 1 to 18\n', 335544698: 'Scale must be between zero and precision\n', 335544699: 'Short integer expected\n', 335544700: 'Long integer expected\n', 335544701: 'Unsigned short integer expected\n', 335544702: 'Invalid ESCAPE sequence\n', 335544703: 'service @1 does not have an associated executable\n', 335544704: 'Failed to locate host machine.\n', 335544705: 'Undefined service @1/@2.\n', 335544706: 'The specified name was not found in the hosts file or Domain Name Services.\n', 335544707: 'user does not have GRANT privileges on base table/view for operation\n', 335544708: 'Ambiguous column reference.\n', 335544709: 'Invalid aggregate reference\n', 335544710: 'navigational stream @1 references a view with more than one base table\n', 335544711: 'Attempt to execute an unprepared dynamic SQL statement.\n', 335544712: 'Positive value expected\n', 335544713: 'Incorrect values within SQLDA structure\n', 335544714: 'invalid blob id\n', 335544715: 'Operation not supported for EXTERNAL FILE table @1\n', 335544716: 'Service is currently busy: @1\n', 335544717: 'stack size insufficent to execute current request\n', 335544718: 'Invalid key for find operation\n', 335544719: 'Error initializing the network software.\n', 335544720: 'Unable to load required library @1.\n', 335544721: 'Unable to complete network request to host "@1".\n', 335544722: 'Failed to establish a connection.\n', 335544723: 'Error while listening for an incoming connection.\n', 335544724: 'Failed to establish a secondary connection for event processing.\n', 335544725: 'Error while listening for an incoming event connection request.\n', 335544726: 'Error reading data from the connection.\n', 335544727: 'Error writing data to the connection.\n', 335544728: 'Cannot deactivate index used by an integrity constraint\n', 335544729: 'Cannot deactivate index used by a PRIMARY/UNIQUE constraint\n', 335544730: 'Client/Server Express not supported in this release\n', 335544731: '\n', 335544732: 'Access to databases on file servers is not supported.\n', 335544733: 'Error while trying to create file\n', 335544734: 'Error while trying to open file\n', 335544735: 'Error while trying to close file\n', 335544736: 'Error while trying to read from file\n', 335544737: 'Error while trying to write to file\n', 335544738: 'Error while trying to delete file\n', 335544739: 'Error while trying to access file\n', 335544740: 'A fatal exception occurred during the execution of a user defined function.\n', 335544741: 'connection lost to database\n', 335544742: 'User cannot write to RDB$USER_PRIVILEGES\n', 335544743: 'token size exceeds limit\n', 335544744: 'Maximum user count exceeded. Contact your database administrator.\n', 335544745: 'Your login @1 is same as one of the SQL role name. Ask your database administrator to set up a valid Firebird login.\n', 335544746: '"REFERENCES table" without "(column)" requires PRIMARY KEY on referenced table\n', 335544747: 'The username entered is too long. Maximum length is 31 bytes.\n', 335544748: 'The password specified is too long. Maximum length is 8 bytes.\n', 335544749: 'A username is required for this operation.\n', 335544750: 'A password is required for this operation\n', 335544751: 'The network protocol specified is invalid\n', 335544752: 'A duplicate user name was found in the security database\n', 335544753: 'The user name specified was not found in the security database\n', 335544754: 'An error occurred while attempting to add the user.\n', 335544755: 'An error occurred while attempting to modify the user record.\n', 335544756: 'An error occurred while attempting to delete the user record.\n', 335544757: 'An error occurred while updating the security database.\n', 335544758: 'sort record size of @1 bytes is too big\n', 335544759: 'can not define a not null column with NULL as default value\n', 335544760: "invalid clause --- '@1'\n", 335544761: 'too many open handles to database\n', 335544762: 'size of optimizer block exceeded\n', 335544763: 'a string constant is delimited by double quotes\n', 335544764: 'DATE must be changed to TIMESTAMP\n', 335544765: 'attempted update on read-only database\n', 335544766: 'SQL dialect @1 is not supported in this database\n', 335544767: 'A fatal exception occurred during the execution of a blob filter.\n', 335544768: 'Access violation. The code attempted to access a virtual address without privilege to do so.\n', 335544769: 'Datatype misalignment. The attempted to read or write a value that was not stored on a memory boundary.\n', 335544770: 'Array bounds exceeded. The code attempted to access an array element that is out of bounds.\n', 335544771: 'Float denormal operand. One of the floating-point operands is too small to represent a standard float value.\n', 335544772: 'Floating-point divide by zero. The code attempted to divide a floating-point value by zero.\n', 335544773: 'Floating-point inexact result. The result of a floating-point operation cannot be represented as a decimal fraction.\n', 335544774: 'Floating-point invalid operand. An indeterminant error occurred during a floating-point operation.\n', 335544775: 'Floating-point overflow. The exponent of a floating-point operation is greater than the magnitude allowed.\n', 335544776: 'Floating-point stack check. The stack overflowed or underflowed as the result of a floating-point operation.\n', 335544777: 'Floating-point underflow. The exponent of a floating-point operation is less than the magnitude allowed.\n', 335544778: 'Integer divide by zero. The code attempted to divide an integer value by an integer divisor of zero.\n', 335544779: 'Integer overflow. The result of an integer operation caused the most significant bit of the result to carry.\n', 335544780: 'An exception occurred that does not have a description. Exception number @1.\n', 335544781: 'Stack overflow. The resource requirements of the runtime stack have exceeded the memory available to it.\n', 335544782: 'Segmentation Fault. The code attempted to access memory without privileges.\n', 335544783: 'Illegal Instruction. The Code attempted to perform an illegal operation.\n', 335544784: 'Bus Error. The Code caused a system bus error.\n', 335544785: 'Floating Point Error. The Code caused an Arithmetic Exception or a floating point exception.\n', 335544786: 'Cannot delete rows from external files.\n', 335544787: 'Cannot update rows in external files.\n', 335544788: 'Unable to perform operation\n', 335544789: 'Specified EXTRACT part does not exist in input datatype\n', 335544790: 'Service @1 requires SYSDBA permissions. Reattach to the Service Manager using the SYSDBA account.\n', 335544791: 'The file @1 is currently in use by another process. Try again later.\n', 335544792: 'Cannot attach to services manager\n', 335544793: 'Metadata update statement is not allowed by the current database SQL dialect @1\n', 335544794: 'operation was cancelled\n', 335544795: 'unexpected item in service parameter block, expected @1\n', 335544796: 'Client SQL dialect @1 does not support reference to @2 datatype\n', 335544797: 'user name and password are required while attaching to the services manager\n', 335544798: 'You created an indirect dependency on uncommitted metadata. You must roll back the current transaction.\n', 335544799: 'The service name was not specified.\n', 335544800: 'Too many Contexts of Relation/Procedure/Views. Maximum allowed is 256\n', 335544801: 'data type not supported for arithmetic\n', 335544802: 'Database dialect being changed from 3 to 1\n', 335544803: 'Database dialect not changed.\n', 335544804: 'Unable to create database @1\n', 335544805: 'Database dialect @1 is not a valid dialect.\n', 335544806: 'Valid database dialects are @1.\n', 335544807: 'SQL warning code = @1\n', 335544808: 'DATE data type is now called TIMESTAMP\n', 335544809: 'Function @1 is in @2, which is not in a permitted directory for external functions.\n', 335544810: 'value exceeds the range for valid dates\n', 335544811: 'passed client dialect @1 is not a valid dialect.\n', 335544812: 'Valid client dialects are @1.\n', 335544813: 'Unsupported field type specified in BETWEEN predicate.\n', 335544814: 'Services functionality will be supported in a later version of the product\n', 335544815: 'GENERATOR @1\n', 335544816: 'Function @1\n', 335544817: 'Invalid parameter to FETCH or FIRST. Only integers >= 0 are allowed.\n', 335544818: 'Invalid parameter to OFFSET or SKIP. Only integers >= 0 are allowed.\n', 335544819: 'File exceeded maximum size of 2GB. Add another database file or use a 64 bit I/O version of Firebird.\n', 335544820: 'Unable to find savepoint with name @1 in transaction context\n', 335544821: 'Invalid column position used in the @1 clause\n', 335544822: 'Cannot use an aggregate or window function in a WHERE clause, use HAVING (for aggregate only) instead\n', 335544823: 'Cannot use an aggregate or window function in a GROUP BY clause\n', 335544824: 'Invalid expression in the @1 (not contained in either an aggregate function or the GROUP BY clause)\n', 335544825: 'Invalid expression in the @1 (neither an aggregate function nor a part of the GROUP BY clause)\n', 335544826: 'Nested aggregate and window functions are not allowed\n', 335544827: 'Invalid argument in EXECUTE STATEMENT - cannot convert to string\n', 335544828: "Wrong request type in EXECUTE STATEMENT '@1'\n", 335544829: "Variable type (position @1) in EXECUTE STATEMENT '@2' INTO does not match returned column type\n", 335544830: 'Too many recursion levels of EXECUTE STATEMENT\n', 335544831: 'Use of @1 at location @2 is not allowed by server configuration\n', 335544832: 'Cannot change difference file name while database is in backup mode\n', 335544833: 'Physical backup is not allowed while Write-Ahead Log is in use\n', 335544834: 'Cursor is not open\n', 335544835: 'Target shutdown mode is invalid for database "@1"\n', 335544836: 'Concatenation overflow. Resulting string cannot exceed 32765 bytes in length.\n', 335544837: 'Invalid offset parameter @1 to SUBSTRING. Only positive integers are allowed.\n', 335544838: 'Foreign key reference target does not exist\n', 335544839: 'Foreign key references are present for the record\n', 335544840: 'cannot update\n', 335544841: 'Cursor is already open\n', 335544842: '@1\n', 335544843: 'Context variable @1 is not found in namespace @2\n', 335544844: 'Invalid namespace name @1 passed to @2\n', 335544845: 'Too many context variables\n', 335544846: 'Invalid argument passed to @1\n', 335544847: 'BLR syntax error. Identifier @1... is too long\n', 335544848: 'exception @1\n', 335544849: 'Malformed string\n', 335544850: 'Output parameter mismatch for procedure @1\n', 335544851: 'Unexpected end of command - line @1, column @2\n', 335544852: 'partner index segment no @1 has incompatible data type\n', 335544853: 'Invalid length parameter @1 to SUBSTRING. Negative integers are not allowed.\n', 335544854: 'CHARACTER SET @1 is not installed\n', 335544855: 'COLLATION @1 for CHARACTER SET @2 is not installed\n', 335544856: 'connection shutdown\n', 335544857: 'Maximum BLOB size exceeded\n', 335544858: "Can't have relation with only computed fields or constraints\n", 335544859: 'Time precision exceeds allowed range (0-@1)\n', 335544860: 'Unsupported conversion to target type BLOB (subtype @1)\n', 335544861: 'Unsupported conversion to target type ARRAY\n', 335544862: 'Stream does not support record locking\n', 335544863: 'Cannot create foreign key constraint @1. Partner index does not exist or is inactive.\n', 335544864: 'Transactions count exceeded. Perform backup and restore to make database operable again\n', 335544865: 'Column has been unexpectedly deleted\n', 335544866: '@1 cannot depend on @2\n', 335544867: 'Blob sub_types bigger than 1 (text) are for internal use only\n', 335544868: 'Procedure @1 is not selectable (it does not contain a SUSPEND statement)\n', 335544869: 'Datatype @1 is not supported for sorting operation\n', 335544870: 'COLLATION @1\n', 335544871: 'DOMAIN @1\n', 335544872: 'domain @1 is not defined\n', 335544873: 'Array data type can use up to @1 dimensions\n', 335544874: 'A multi database transaction cannot span more than @1 databases\n', 335544875: 'Bad debug info format\n', 335544876: "Error while parsing procedure @1's BLR\n", 335544877: 'index key too big\n', 335544878: 'concurrent transaction number is @1\n', 335544879: 'validation error for variable @1, value "@2"\n', 335544880: 'validation error for @1, value "@2"\n', 335544881: 'Difference file name should be set explicitly for database on raw device\n', 335544882: 'Login name too long (@1 characters, maximum allowed @2)\n', 335544883: 'column @1 is not defined in procedure @2\n', 335544884: 'Invalid SIMILAR TO pattern\n', 335544885: 'Invalid TEB format\n', 335544886: 'Found more than one transaction isolation in TPB\n', 335544887: 'Table reservation lock type @1 requires table name before in TPB\n', 335544888: 'Found more than one @1 specification in TPB\n', 335544889: 'Option @1 requires READ COMMITTED isolation in TPB\n', 335544890: 'Option @1 is not valid if @2 was used previously in TPB\n', 335544891: 'Table name length missing after table reservation @1 in TPB\n', 335544892: 'Table name length @1 is too long after table reservation @2 in TPB\n', 335544893: 'Table name length @1 without table name after table reservation @2 in TPB\n', 335544894: 'Table name length @1 goes beyond the remaining TPB size after table reservation @2\n', 335544895: 'Table name length is zero after table reservation @1 in TPB\n', 335544896: 'Table or view @1 not defined in system tables after table reservation @2 in TPB\n', 335544897: 'Base table or view @1 for view @2 not defined in system tables after table reservation @3 in TPB\n', 335544898: 'Option length missing after option @1 in TPB\n', 335544899: 'Option length @1 without value after option @2 in TPB\n', 335544900: 'Option length @1 goes beyond the remaining TPB size after option @2\n', 335544901: 'Option length is zero after table reservation @1 in TPB\n', 335544902: 'Option length @1 exceeds the range for option @2 in TPB\n', 335544903: 'Option value @1 is invalid for the option @2 in TPB\n', 335544904: 'Preserving previous table reservation @1 for table @2, stronger than new @3 in TPB\n', 335544905: 'Table reservation @1 for table @2 already specified and is stronger than new @3 in TPB\n', 335544906: 'Table reservation reached maximum recursion of @1 when expanding views in TPB\n', 335544907: "Table reservation in TPB cannot be applied to @1 because it's a virtual table\n", 335544908: "Table reservation in TPB cannot be applied to @1 because it's a system table\n", 335544909: "Table reservation @1 or @2 in TPB cannot be applied to @3 because it's a temporary table\n", 335544910: 'Cannot set the transaction in read only mode after a table reservation isc_tpb_lock_write in TPB\n', 335544911: 'Cannot take a table reservation isc_tpb_lock_write in TPB because the transaction is in read only mode\n', 335544912: 'value exceeds the range for a valid time\n', 335544913: 'value exceeds the range for valid timestamps\n', 335544914: 'string right truncation\n', 335544915: 'blob truncation when converting to a string: length limit exceeded\n', 335544916: 'numeric value is out of range\n', 335544917: 'Firebird shutdown is still in progress after the specified timeout\n', 335544918: 'Attachment handle is busy\n', 335544919: 'Bad written UDF detected: pointer returned in FREE_IT function was not allocated by ib_util_malloc\n', 335544920: "External Data Source provider '@1' not found\n", 335544921: 'Execute statement error at @1 :@2Data source : @3\n', 335544922: 'Execute statement preprocess SQL error\n', 335544923: 'Statement expected\n', 335544924: 'Parameter name expected\n', 335544925: "Unclosed comment found near '@1'\n", 335544926: 'Execute statement error at @1 :@2Statement : @3Data source : @4\n', 335544927: 'Input parameters mismatch\n', 335544928: 'Output parameters mismatch\n', 335544929: "Input parameter '@1' have no value set\n", 335544930: 'BLR stream length @1 exceeds implementation limit @2\n', 335544931: 'Monitoring table space exhausted\n', 335544932: 'module name or entrypoint could not be found\n', 335544933: 'nothing to cancel\n', 335544934: 'ib_util library has not been loaded to deallocate memory returned by FREE_IT function\n', 335544935: 'Cannot have circular dependencies with computed fields\n', 335544936: 'Security database error\n', 335544937: 'Invalid data type in DATE/TIME/TIMESTAMP addition or subtraction in add_datettime()\n', 335544938: 'Only a TIME value can be added to a DATE value\n', 335544939: 'Only a DATE value can be added to a TIME value\n', 335544940: 'TIMESTAMP values can be subtracted only from another TIMESTAMP value\n', 335544941: 'Only one operand can be of type TIMESTAMP\n', 335544942: 'Only HOUR, MINUTE, SECOND and MILLISECOND can be extracted from TIME values\n', 335544943: 'HOUR, MINUTE, SECOND and MILLISECOND cannot be extracted from DATE values\n', 335544944: 'Invalid argument for EXTRACT() not being of DATE/TIME/TIMESTAMP type\n', 335544945: 'Arguments for @1 must be integral types or NUMERIC/DECIMAL without scale\n', 335544946: 'First argument for @1 must be integral type or floating point type\n', 335544947: 'Human readable UUID argument for @1 must be of string type\n', 335544948: 'Human readable UUID argument for @2 must be of exact length @1\n', 335544949: 'Human readable UUID argument for @3 must have "-" at position @2 instead of "@1"\n', 335544950: 'Human readable UUID argument for @3 must have hex digit at position @2 instead of "@1"\n', 335544951: 'Only HOUR, MINUTE, SECOND and MILLISECOND can be added to TIME values in @1\n', 335544952: 'Invalid data type in addition of part to DATE/TIME/TIMESTAMP in @1\n', 335544953: 'Invalid part @1 to be added to a DATE/TIME/TIMESTAMP value in @2\n', 335544954: 'Expected DATE/TIME/TIMESTAMP type in evlDateAdd() result\n', 335544955: 'Expected DATE/TIME/TIMESTAMP type as first and second argument to @1\n', 335544956: 'The result of TIME-<value> in @1 cannot be expressed in YEAR, MONTH, DAY or WEEK\n', 335544957: 'The result of TIME-TIMESTAMP or TIMESTAMP-TIME in @1 cannot be expressed in HOUR, MINUTE, SECOND or MILLISECOND\n', 335544958: 'The result of DATE-TIME or TIME-DATE in @1 cannot be expressed in HOUR, MINUTE, SECOND and MILLISECOND\n', 335544959: 'Invalid part @1 to express the difference between two DATE/TIME/TIMESTAMP values in @2\n', 335544960: 'Argument for @1 must be positive\n', 335544961: 'Base for @1 must be positive\n', 335544962: 'Argument #@1 for @2 must be zero or positive\n', 335544963: 'Argument #@1 for @2 must be positive\n', 335544964: 'Base for @1 cannot be zero if exponent is negative\n', 335544965: 'Base for @1 cannot be negative if exponent is not an integral value\n', 335544966: 'The numeric scale must be between -128 and 127 in @1\n', 335544967: 'Argument for @1 must be zero or positive\n', 335544968: 'Binary UUID argument for @1 must be of string type\n', 335544969: 'Binary UUID argument for @2 must use @1 bytes\n', 335544970: 'Missing required item @1 in service parameter block\n', 335544971: '@1 server is shutdown\n', 335544972: 'Invalid connection string\n', 335544973: 'Unrecognized events block\n', 335544974: 'Could not start first worker thread - shutdown server\n', 335544975: 'Timeout occurred while waiting for a secondary connection for event processing\n', 335544976: 'Argument for @1 must be different than zero\n', 335544977: 'Argument for @1 must be in the range [-1, 1]\n', 335544978: 'Argument for @1 must be greater or equal than one\n', 335544979: 'Argument for @1 must be in the range ]-1, 1[\n', 335544980: 'Incorrect parameters provided to internal function @1\n', 335544981: 'Floating point overflow in built-in function @1\n', 335544982: 'Floating point overflow in result from UDF @1\n', 335544983: 'Invalid floating point value returned by UDF @1\n', 335544984: 'Database is probably already opened by another engine instance in another Windows session\n', 335544985: 'No free space found in temporary directories\n', 335544986: 'Explicit transaction control is not allowed\n', 335544987: 'Use of TRUSTED switches in spb_command_line is prohibited\n', 335544988: 'PACKAGE @1\n', 335544989: 'Cannot make field @1 of table @2 NOT NULL because there are NULLs present\n', 335544990: 'Feature @1 is not supported anymore\n', 335544991: 'VIEW @1\n', 335544992: 'Can not access lock files directory @1\n', 335544993: 'Fetch option @1 is invalid for a non-scrollable cursor\n', 335544994: "Error while parsing function @1's BLR\n", 335544995: 'Cannot execute function @1 of the unimplemented package @2\n', 335544996: 'Cannot execute procedure @1 of the unimplemented package @2\n', 335544997: 'External function @1 not returned by the external engine plugin @2\n', 335544998: 'External procedure @1 not returned by the external engine plugin @2\n', 335544999: 'External trigger @1 not returned by the external engine plugin @2\n', 335545000: 'Incompatible plugin version @1 for external engine @2\n', 335545001: 'External engine @1 not found\n', 335545002: 'Attachment is in use\n', 335545003: 'Transaction is in use\n', 335545004: 'Error loading plugin @1\n', 335545005: 'Loadable module @1 not found\n', 335545006: 'Standard plugin entrypoint does not exist in module @1\n', 335545007: 'Module @1 exists but can not be loaded\n', 335545008: 'Module @1 does not contain plugin @2 type @3\n', 335545009: 'Invalid usage of context namespace DDL_TRIGGER\n', 335545010: 'Value is NULL but isNull parameter was not informed\n', 335545011: 'Type @1 is incompatible with BLOB\n', 335545012: 'Invalid date\n', 335545013: 'Invalid time\n', 335545014: 'Invalid timestamp\n', 335545015: 'Invalid index @1 in function @2\n', 335545016: '@1\n', 335545017: 'Asynchronous call is already running for this attachment\n', 335545018: 'Function @1 is private to package @2\n', 335545019: 'Procedure @1 is private to package @2\n', 335545020: "Request can't access new records in relation @1 and should be recompiled\n", 335545021: 'invalid events id (handle)\n', 335545022: 'Cannot copy statement @1\n', 335545023: 'Invalid usage of boolean expression\n', 335545024: 'Arguments for @1 cannot both be zero\n', 335545025: 'missing service ID in spb\n', 335545026: 'External BLR message mismatch: invalid null descriptor at field @1\n', 335545027: 'External BLR message mismatch: length = @1, expected @2\n', 335545028: 'Subscript @1 out of bounds [@2, @3]\n', 335545029: 'Install incomplete, please read the Compatibility chapter in the release notes for this version\n', 335545030: '@1 operation is not allowed for system table @2\n', 335545031: 'Libtommath error code @1 in function @2\n', 335545032: 'unsupported BLR version (expected between @1 and @2, encountered @3)\n', 335545033: 'expected length @1, actual @2\n', 335545034: 'Wrong info requested in isc_svc_query() for anonymous service\n', 335545035: 'No isc_info_svc_stdin in user request, but service thread requested stdin data\n', 335545036: 'Start request for anonymous service is impossible\n', 335545037: 'All services except for getting server log require switches\n', 335545038: 'Size of stdin data is more than was requested from client\n', 335545039: 'Crypt plugin @1 failed to load\n', 335545040: 'Length of crypt plugin name should not exceed @1 bytes\n', 335545041: 'Crypt failed - already crypting database\n', 335545042: 'Crypt failed - database is already in requested state\n', 335545043: 'Missing crypt plugin, but page appears encrypted\n', 335545044: 'No providers loaded\n', 335545045: 'NULL data with non-zero SPB length\n', 335545046: 'Maximum (@1) number of arguments exceeded for function @2\n', 335545047: 'External BLR message mismatch: names count = @1, blr count = @2\n', 335545048: 'External BLR message mismatch: name @1 not found\n', 335545049: 'Invalid resultset interface\n', 335545050: 'Message length passed from user application does not match set of columns\n', 335545051: 'Resultset is missing output format information\n', 335545052: 'Message metadata not ready - item @1 is not finished\n', 335545053: 'Missing configuration file: @1\n', 335545054: '@1: illegal line <@2>\n', 335545055: 'Invalid include operator in @1 for <@2>\n', 335545056: 'Include depth too big\n', 335545057: 'File to include not found\n', 335545058: 'Only the owner can change the ownership\n', 335545059: 'undefined variable number\n', 335545060: 'Missing security context for @1\n', 335545061: 'Missing segment @1 in multisegment connect block parameter\n', 335545062: 'Different logins in connect and attach packets - client library error\n', 335545063: 'Exceeded exchange limit during authentication handshake\n', 335545064: 'Incompatible wire encryption levels requested on client and server\n', 335545065: 'Client attempted to attach unencrypted but wire encryption is required\n', 335545066: 'Client attempted to start wire encryption using unknown key @1\n', 335545067: 'Client attempted to start wire encryption using unsupported plugin @1\n', 335545068: 'Error getting security database name from configuration file\n', 335545069: 'Client authentication plugin is missing required data from server\n', 335545070: 'Client authentication plugin expected @2 bytes of @3 from server, got @1\n', 335545071: 'Attempt to get information about an unprepared dynamic SQL statement.\n', 335545072: 'Problematic key value is @1\n', 335545073: 'Cannot select virtual table @1 for update WITH LOCK\n', 335545074: 'Cannot select system table @1 for update WITH LOCK\n', 335545075: 'Cannot select temporary table @1 for update WITH LOCK\n', 335545076: 'System @1 @2 cannot be modified\n', 335545077: 'Server misconfigured - contact administrator please\n', 335545078: 'Deprecated backward compatibility ALTER ROLE ... SET/DROP AUTO ADMIN mapping may be used only for RDB$ADMIN role\n', 335545079: 'Mapping @1 already exists\n', 335545080: 'Mapping @1 does not exist\n', 335545081: '@1 failed when loading mapping cache\n', 335545082: 'Invalid name <*> in authentication block\n', 335545083: 'Multiple maps found for @1\n', 335545084: 'Undefined mapping result - more than one different results found\n', 335545085: 'Incompatible mode of attachment to damaged database\n', 335545086: 'Attempt to set in database number of buffers which is out of acceptable range [@1:@2]\n', 335545087: 'Attempt to temporarily set number of buffers less than @1\n', 335545088: 'Global mapping is not available when database @1 is not present\n', 335545089: 'Global mapping is not available when table RDB$MAP is not present in database @1\n', 335545090: 'Your attachment has no trusted role\n', 335545091: 'Role @1 is invalid or unavailable\n', 335545092: 'Cursor @1 is not positioned in a valid record\n', 335545093: 'Duplicated user attribute @1\n', 335545094: 'There is no privilege for this operation\n', 335545095: 'Using GRANT OPTION on @1 not allowed\n', 335545096: 'read conflicts with concurrent update\n', 335545097: '@1 failed when working with CREATE DATABASE grants\n', 335545098: 'CREATE DATABASE grants check is not possible when database @1 is not present\n', 335545099: 'CREATE DATABASE grants check is not possible when table RDB$DB_CREATORS is not present in database @1\n', 335545100: 'Interface @3 version too old: expected @1, found @2\n', 335545101: 'Input parameter mismatch for function @1\n', 335545102: 'Error during savepoint backout - transaction invalidated\n', 335545103: 'Domain used in the PRIMARY KEY constraint of table @1 must be NOT NULL\n', 335545104: 'CHARACTER SET @1 cannot be used as a attachment character set\n', 335545105: 'Some database(s) were shutdown when trying to read mapping data\n', 335545106: 'Error occurred during login, please check server firebird.log for details\n', 335545107: 'Database already opened with engine instance, incompatible with current\n', 335545108: 'Invalid crypt key @1\n', 335545109: 'Page requires encryption but crypt plugin is missing\n', 335545110: 'Maximum index depth (@1 levels) is reached\n', 335545111: 'System privilege @1 does not exist\n', 335545112: 'System privilege @1 is missing\n', 335545113: 'Invalid or missing checksum of encrypted database\n', 335545114: 'You must have SYSDBA rights at this server\n', 335545115: 'Cannot open cursor for non-SELECT statement\n', 335545116: 'If <window frame bound 1> specifies @1, then <window frame bound 2> shall not specify @2\n', 335545117: 'RANGE based window with <expr> {PRECEDING | FOLLOWING} cannot have ORDER BY with more than one value\n', 335545118: 'RANGE based window must have an ORDER BY key of numerical, date, time or timestamp types\n', 335545119: 'Window RANGE/ROWS PRECEDING/FOLLOWING value must be of a numerical type\n', 335545120: 'Invalid PRECEDING or FOLLOWING offset in window function: cannot be negative\n', 335545121: 'Window @1 not found\n', 335545122: 'Cannot use PARTITION BY clause while overriding the window @1\n', 335545123: 'Cannot use ORDER BY clause while overriding the window @1 which already has an ORDER BY clause\n', 335545124: 'Cannot override the window @1 because it has a frame clause. Tip: it can be used without parenthesis in OVER\n', 335545125: 'Duplicate window definition for @1\n', 335545126: 'SQL statement is too long. Maximum size is @1 bytes.\n', 335545127: 'Config level timeout expired.\n', 335545128: 'Attachment level timeout expired.\n', 335545129: 'Statement level timeout expired.\n', 335545130: 'Killed by database administrator.\n', 335545131: 'Idle timeout expired.\n', 335545132: 'Database is shutdown.\n', 335545133: 'Engine is shutdown.\n', 335545134: "OVERRIDING clause can be used only when an identity column is present in the INSERT's field list for table/view @1\n", 335545135: "OVERRIDING SYSTEM VALUE can be used only for identity column defined as 'GENERATED ALWAYS' in INSERT for table/view @1\n", 335545136: "OVERRIDING USER VALUE can be used only for identity column defined as 'GENERATED BY DEFAULT' in INSERT for table/view @1\n", 335545137: "OVERRIDING SYSTEM VALUE should be used to override the value of an identity column defined as 'GENERATED ALWAYS' in table/view @1\n", 335545138: 'DecFloat precision must be 16 or 34\n', 335545139: 'Decimal float divide by zero. The code attempted to divide a DECFLOAT value by zero.\n', 335545140: 'Decimal float inexact result. The result of an operation cannot be represented as a decimal fraction.\n', 335545141: 'Decimal float invalid operation. An indeterminant error occurred during an operation.\n', 335545142: 'Decimal float overflow. The exponent of a result is greater than the magnitude allowed.\n', 335545143: 'Decimal float underflow. The exponent of a result is less than the magnitude allowed.\n', 335545144: 'Sub-function @1 has not been defined\n', 335545145: 'Sub-procedure @1 has not been defined\n', 335545146: 'Sub-function @1 has a signature mismatch with its forward declaration\n', 335545147: 'Sub-procedure @1 has a signature mismatch with its forward declaration\n', 335545148: 'Default values for parameters are not allowed in definition of the previously declared sub-function @1\n', 335545149: 'Default values for parameters are not allowed in definition of the previously declared sub-procedure @1\n', 335545150: 'Sub-function @1 was declared but not implemented\n', 335545151: 'Sub-procedure @1 was declared but not implemented\n', 335545152: 'Invalid HASH algorithm @1\n', 335545153: 'Expression evaluation error for index "@1" on table "@2"\n', 335545154: 'Invalid decfloat trap state @1\n', 335545155: 'Invalid decfloat rounding mode @1\n', 335545156: 'Invalid part @1 to calculate the @1 of a DATE/TIMESTAMP\n', 335545157: 'Expected DATE/TIMESTAMP value in @1\n', 335545158: 'Precision must be from @1 to @2\n', 335545159: 'invalid batch handle\n', 335545160: 'Bad international character in tag @1\n', 335545161: 'Null data in parameters block with non-zero length\n', 335545162: 'Items working with running service and getting generic server information should not be mixed in single info block\n', 335545163: 'Unknown information item, code @1\n', 335545164: 'Wrong version of blob parameters block @1, should be @2\n', 335545165: 'User management plugin is missing or failed to load\n', 335545166: 'Missing entrypoint @1 in ICU library\n', 335545167: 'Could not find acceptable ICU library\n', 335545168: 'Name @1 not found in system MetadataBuilder\n', 335545169: 'Parse to tokens error\n', 335545170: 'Error opening international conversion descriptor from @1 to @2\n', 335545171: 'Message @1 is out of range, only @2 messages in batch\n', 335545172: 'Detailed error info for message @1 is missing in batch\n', 335545173: 'Compression stream init error @1\n', 335545174: 'Decompression stream init error @1\n', 335545175: 'Segment size (@1) should not exceed 65535 (64K - 1) when using segmented blob\n', 335545176: 'Invalid blob policy in the batch for @1() call\n', 335545177: "Can't change default BPB after adding any data to batch\n", 335545178: 'Unexpected info buffer structure querying for default blob alignment\n', 335545179: 'Duplicated segment @1 in multisegment connect block parameter\n', 335545180: 'Plugin not supported by network protocol\n', 335545181: 'Error parsing message format\n', 335545182: 'Wrong version of batch parameters block @1, should be @2\n', 335545183: 'Message size (@1) in batch exceeds internal buffer size (@2)\n', 335545184: 'Batch already opened for this statement\n', 335545185: 'Invalid type of statement used in batch\n', 335545186: 'Statement used in batch must have parameters\n', 335545187: 'There are no blobs in associated with batch statement\n', 335545188: 'appendBlobData() is used to append data to last blob but no such blob was added to the batch\n', 335545189: 'Portions of data, passed as blob stream, should have size multiple to the alignment required for blobs\n', 335545190: 'Repeated blob id @1 in registerBlob()\n', 335545191: 'Blob buffer format error\n', 335545192: 'Unusable (too small) data remained in @1 buffer\n', 335545193: 'Blob continuation should not contain BPB\n', 335545194: 'Size of BPB (@1) greater than remaining data (@2)\n', 335545195: 'Size of segment (@1) greater than current BLOB data (@2)\n', 335545196: 'Size of segment (@1) greater than available data (@2)\n', 335545197: 'Unknown blob ID @1 in the batch message\n', 335545198: 'Internal buffer overflow - batch too big\n', 335545199: 'Numeric literal too long\n', 335545200: 'Error using events in mapping shared memory: @1\n', 335545201: 'Global mapping memory overflow\n', 335545202: 'Header page overflow - too many clumplets on it\n', 335545203: 'No matching client/server authentication plugins configured for execute statement in embedded datasource\n', 335545204: 'Missing database encryption key for your attachment\n', 335545205: 'Key holder plugin @1 failed to load\n', 335545206: 'Cannot reset user session\n', 335545207: 'There are open transactions (@1 active)\n', 335545208: 'Session was reset with warning(s)\n', 335545209: 'Transaction is rolled back due to session reset, all changes are lost\n', 335545210: 'Plugin @1:\n', 335545211: 'PARAMETER @1\n', 335545212: 'Starting page number for file @1 must be @2 or greater\n', 335545213: 'Invalid time zone offset: @1 - must be between -14:00 and +14:00\n', 335545214: 'Invalid time zone region: @1\n', 335545215: 'Invalid time zone ID: @1\n', 335545216: 'Wrong base64 text length @1, should be multiple of 4\n', 335545217: 'Invalid first parameter datatype - need string or blob\n', 335545218: 'Error registering @1 - probably bad tomcrypt library\n', 335545219: 'Unknown crypt algorithm @1 in USING clause\n', 335545220: 'Should specify mode parameter for symmetric cipher\n', 335545221: 'Unknown symmetric crypt mode specified\n', 335545222: 'Mode parameter makes no sense for chosen cipher\n', 335545223: 'Should specify initialization vector (IV) for chosen cipher and/or mode\n', 335545224: 'Initialization vector (IV) makes no sense for chosen cipher and/or mode\n', 335545225: 'Invalid counter endianess @1\n', 335545226: 'Counter endianess parameter is not used in mode @1\n', 335545227: 'Too big counter value @1, maximum @2 can be used\n', 335545228: 'Counter length/value parameter is not used with @1 @2\n', 335545229: 'Invalid initialization vector (IV) length @1, need @2\n', 335545230: 'TomCrypt library error: @1\n', 335545231: 'Starting PRNG yarrow\n', 335545232: 'Setting up PRNG yarrow\n', 335545233: 'Initializing @1 mode\n', 335545234: 'Encrypting in @1 mode\n', 335545235: 'Decrypting in @1 mode\n', 335545236: 'Initializing cipher @1\n', 335545237: 'Encrypting using cipher @1\n', 335545238: 'Decrypting using cipher @1\n', 335545239: 'Setting initialization vector (IV) for @1\n', 335545240: 'Invalid initialization vector (IV) length @1, need 8 or 12\n', 335545241: 'Encoding @1\n', 335545242: 'Decoding @1\n', 335545243: 'Importing RSA key\n', 335545244: 'Invalid OAEP packet\n', 335545245: 'Unknown hash algorithm @1\n', 335545246: 'Making RSA key\n', 335545247: 'Exporting @1 RSA key\n', 335545248: 'RSA-signing data\n', 335545249: 'Verifying RSA-signed data\n', 335545250: 'Invalid key length @1, need 16 or 32\n', 335545251: 'invalid replicator handle\n', 335545252: "Transaction's base snapshot number does not exist\n", 335545253: "Input parameter '@1' is not used in SQL query text\n", 335545254: 'Effective user is @1\n', 335545255: 'Invalid time zone bind mode @1\n', 335545256: 'Invalid decfloat bind mode @1\n', 335545257: 'Invalid hex text length @1, should be multiple of 2\n', 335545258: 'Invalid hex digit @1 at position @2\n', 335545259: 'Error processing isc_dpb_set_bind clumplet "@1"\n', 335545260: 'The following statement failed: @1\n', 335545261: 'Can not convert @1 to @2\n', 335545262: 'cannot update old BLOB\n', 335545263: 'cannot read from new BLOB\n', 335545264: 'No permission for CREATE @1 operation\n', 335545265: 'SUSPEND could not be used without RETURNS clause in PROCEDURE or EXECUTE BLOCK\n', 335545266: 'String truncated warning due to the following reason\n', 335545267: 'Monitoring data does not fit into the field\n', 335545268: 'Engine data does not fit into return value of system function\n', 335740929: 'data base file name (@1) already given\n', 335740930: 'invalid switch @1\n', 335740932: 'incompatible switch combination\n', 335740933: 'replay log pathname required\n', 335740934: 'number of page buffers for cache required\n', 335740935: 'numeric value required\n', 335740936: 'positive numeric value required\n', 335740937: 'number of transactions per sweep required\n', 335740940: '"full" or "reserve" required\n', 335740941: 'user name required\n', 335740942: 'password required\n', 335740943: 'subsystem name\n', 335740944: '"wal" required\n', 335740945: 'number of seconds required\n', 335740946: 'numeric value between 0 and 32767 inclusive required\n', 335740947: 'must specify type of shutdown\n', 335740948: 'please retry, specifying an option\n', 335740951: 'please retry, giving a database name\n', 335740991: 'internal block exceeds maximum size\n', 335740992: 'corrupt pool\n', 335740993: 'virtual memory exhausted\n', 335740994: 'bad pool id\n', 335740995: 'Transaction state @1 not in valid range.\n', 335741012: 'unexpected end of input\n', 335741018: 'failed to reconnect to a transaction in database @1\n', 335741036: 'Transaction description item unknown\n', 335741038: '"read_only" or "read_write" required\n', 335741042: 'positive or zero numeric value required\n', 336003074: 'Cannot SELECT RDB$DB_KEY from a stored procedure.\n', 336003075: 'Precision 10 to 18 changed from DOUBLE PRECISION in SQL dialect 1 to 64-bit scaled integer in SQL dialect 3\n', 336003076: 'Use of @1 expression that returns different results in dialect 1 and dialect 3\n', 336003077: 'Database SQL dialect @1 does not support reference to @2 datatype\n', 336003079: 'DB dialect @1 and client dialect @2 conflict with respect to numeric precision @3.\n', 336003080: 'WARNING: Numeric literal @1 is interpreted as a floating-point\n', 336003081: 'value in SQL dialect 1, but as an exact numeric value in SQL dialect 3.\n', 336003082: 'WARNING: NUMERIC and DECIMAL fields with precision 10 or greater are stored\n', 336003083: 'as approximate floating-point values in SQL dialect 1, but as 64-bit\n', 336003084: 'integers in SQL dialect 3.\n', 336003085: 'Ambiguous field name between @1 and @2\n', 336003086: 'External function should have return position between 1 and @1\n', 336003087: 'Label @1 @2 in the current scope\n', 336003088: 'Datatypes @1are not comparable in expression @2\n', 336003089: 'Empty cursor name is not allowed\n', 336003090: 'Statement already has a cursor @1 assigned\n', 336003091: 'Cursor @1 is not found in the current context\n', 336003092: 'Cursor @1 already exists in the current context\n', 336003093: 'Relation @1 is ambiguous in cursor @2\n', 336003094: 'Relation @1 is not found in cursor @2\n', 336003095: 'Cursor is not open\n', 336003096: "Data type @1 is not supported for EXTERNAL TABLES. Relation '@2', field '@3'\n", 336003097: 'Feature not supported on ODS version older than @1.@2\n', 336003098: 'Primary key required on table @1\n', 336003099: 'UPDATE OR INSERT field list does not match primary key of table @1\n', 336003100: 'UPDATE OR INSERT field list does not match MATCHING clause\n', 336003101: 'UPDATE OR INSERT without MATCHING could not be used with views based on more than one table\n', 336003102: 'Incompatible trigger type\n', 336003103: "Database trigger type can't be changed\n", 336003104: 'To be used with RDB$RECORD_VERSION, @1 must be a table or a view of single table\n', 336003105: 'SQLDA version expected between @1 and @2, found @3\n', 336003106: 'at SQLVAR index @1\n', 336003107: 'empty pointer to NULL indicator variable\n', 336003108: 'empty pointer to data\n', 336003109: 'No SQLDA for input values provided\n', 336003110: 'No SQLDA for output values provided\n', 336003111: 'Wrong number of parameters (expected @1, got @2)\n', 336003112: 'Invalid DROP SQL SECURITY clause\n', 336003113: 'UPDATE OR INSERT value for field @1, part of the implicit or explicit MATCHING clause, cannot be DEFAULT\n', 336068645: 'BLOB Filter @1 not found\n', 336068649: 'Function @1 not found\n', 336068656: 'Index not found\n', 336068662: 'View @1 not found\n', 336068697: 'Domain not found\n', 336068717: 'Triggers created automatically cannot be modified\n', 336068740: 'Table @1 already exists\n', 336068748: 'Procedure @1 not found\n', 336068752: 'Exception not found\n', 336068754: 'Parameter @1 in procedure @2 not found\n', 336068755: 'Trigger @1 not found\n', 336068759: 'Character set @1 not found\n', 336068760: 'Collation @1 not found\n', 336068763: 'Role @1 not found\n', 336068767: 'Name longer than database column size\n', 336068784: 'column @1 does not exist in table/view @2\n', 336068796: 'SQL role @1 does not exist\n', 336068797: 'user @1 has no grant admin option on SQL role @2\n', 336068798: 'user @1 is not a member of SQL role @2\n', 336068799: '@1 is not the owner of SQL role @2\n', 336068800: '@1 is a SQL role and not a user\n', 336068801: 'user name @1 could not be used for SQL role\n', 336068802: 'SQL role @1 already exists\n', 336068803: 'keyword @1 can not be used as a SQL role name\n', 336068804: 'SQL roles are not supported in on older versions of the database. A backup and restore of the database is required.\n', 336068812: 'Cannot rename domain @1 to @2. A domain with that name already exists.\n', 336068813: 'Cannot rename column @1 to @2. A column with that name already exists in table @3.\n', 336068814: 'Column @1 from table @2 is referenced in @3\n', 336068815: 'Cannot change datatype for column @1. Changing datatype is not supported for BLOB or ARRAY columns.\n', 336068816: 'New size specified for column @1 must be at least @2 characters.\n', 336068817: 'Cannot change datatype for @1. Conversion from base type @2 to @3 is not supported.\n', 336068818: 'Cannot change datatype for column @1 from a character type to a non-character type.\n', 336068820: 'Zero length identifiers are not allowed\n', 336068822: 'Sequence @1 not found\n', 336068829: 'Maximum number of collations per character set exceeded\n', 336068830: 'Invalid collation attributes\n', 336068840: '@1 cannot reference @2\n', 336068843: 'Collation @1 is used in table @2 (field name @3) and cannot be dropped\n', 336068844: 'Collation @1 is used in domain @2 and cannot be dropped\n', 336068845: 'Cannot delete system collation\n', 336068846: 'Cannot delete default collation of CHARACTER SET @1\n', 336068849: 'Table @1 not found\n', 336068851: 'Collation @1 is used in procedure @2 (parameter name @3) and cannot be dropped\n', 336068852: 'New scale specified for column @1 must be at most @2.\n', 336068853: 'New precision specified for column @1 must be at least @2.\n', 336068855: 'Warning: @1 on @2 is not granted to @3.\n', 336068856: "Feature '@1' is not supported in ODS @2.@3\n", 336068857: 'Cannot add or remove COMPUTED from column @1\n', 336068858: 'Password should not be empty string\n', 336068859: 'Index @1 already exists\n', 336068864: 'Package @1 not found\n', 336068865: 'Schema @1 not found\n', 336068866: 'Cannot ALTER or DROP system procedure @1\n', 336068867: 'Cannot ALTER or DROP system trigger @1\n', 336068868: 'Cannot ALTER or DROP system function @1\n', 336068869: 'Invalid DDL statement for procedure @1\n', 336068870: 'Invalid DDL statement for trigger @1\n', 336068871: 'Function @1 has not been defined on the package body @2\n', 336068872: 'Procedure @1 has not been defined on the package body @2\n', 336068873: 'Function @1 has a signature mismatch on package body @2\n', 336068874: 'Procedure @1 has a signature mismatch on package body @2\n', 336068875: 'Default values for parameters are not allowed in the definition of a previously declared packaged procedure @1.@2\n', 336068877: 'Package body @1 already exists\n', 336068878: 'Invalid DDL statement for function @1\n', 336068879: 'Cannot alter new style function @1 with ALTER EXTERNAL FUNCTION. Use ALTER FUNCTION instead.\n', 336068886: 'Parameter @1 in function @2 not found\n', 336068887: 'Parameter @1 of routine @2 not found\n', 336068888: 'Parameter @1 of routine @2 is ambiguous (found in both procedures and functions). Use a specifier keyword.\n', 336068889: 'Collation @1 is used in function @2 (parameter name @3) and cannot be dropped\n', 336068890: 'Domain @1 is used in function @2 (parameter name @3) and cannot be dropped\n', 336068891: 'ALTER USER requires at least one clause to be specified\n', 336068894: 'Duplicate @1 @2\n', 336068895: 'System @1 @2 cannot be modified\n', 336068896: 'INCREMENT BY 0 is an illegal option for sequence @1\n', 336068897: "Can't use @1 in FOREIGN KEY constraint\n", 336068898: 'Default values for parameters are not allowed in the definition of a previously declared packaged function @1.@2\n', 336068900: 'role @1 can not be granted to role @2\n', 336068904: 'INCREMENT BY 0 is an illegal option for identity column @1 of table @2\n', 336068907: 'no @1 privilege with grant option on DDL @2\n', 336068908: 'no @1 privilege with grant option on object @2\n', 336068909: 'Function @1 does not exist\n', 336068910: 'Procedure @1 does not exist\n', 336068911: 'Package @1 does not exist\n', 336068912: 'Trigger @1 does not exist\n', 336068913: 'View @1 does not exist\n', 336068914: 'Table @1 does not exist\n', 336068915: 'Exception @1 does not exist\n', 336068916: 'Generator/Sequence @1 does not exist\n', 336068917: 'Field @1 of table @2 does not exist\n', 336330753: 'found unknown switch\n', 336330754: 'page size parameter missing\n', 336330755: 'Page size specified (@1) greater than limit (32768 bytes)\n', 336330756: 'redirect location for output is not specified\n', 336330757: 'conflicting switches for backup/restore\n', 336330758: 'device type @1 not known\n', 336330759: 'protection is not there yet\n', 336330760: 'page size is allowed only on restore or create\n', 336330761: 'multiple sources or destinations specified\n', 336330762: 'requires both input and output filenames\n', 336330763: 'input and output have the same name. Disallowed.\n', 336330764: 'expected page size, encountered "@1"\n', 336330765: 'REPLACE specified, but the first file @1 is a database\n', 336330766: 'database @1 already exists. To replace it, use the -REP switch\n', 336330767: 'device type not specified\n', 336330772: 'gds_$blob_info failed\n', 336330773: 'do not understand BLOB INFO item @1\n', 336330774: 'gds_$get_segment failed\n', 336330775: 'gds_$close_blob failed\n', 336330776: 'gds_$open_blob failed\n', 336330777: 'Failed in put_blr_gen_id\n', 336330778: 'data type @1 not understood\n', 336330779: 'gds_$compile_request failed\n', 336330780: 'gds_$start_request failed\n', 336330781: 'gds_$receive failed\n', 336330782: 'gds_$release_request failed\n', 336330783: 'gds_$database_info failed\n', 336330784: 'Expected database description record\n', 336330785: 'failed to create database @1\n', 336330786: 'RESTORE: decompression length error\n', 336330787: 'cannot find table @1\n', 336330788: 'Cannot find column for BLOB\n', 336330789: 'gds_$create_blob failed\n', 336330790: 'gds_$put_segment failed\n', 336330791: 'expected record length\n', 336330792: 'wrong length record, expected @1 encountered @2\n', 336330793: 'expected data attribute\n', 336330794: 'Failed in store_blr_gen_id\n', 336330795: 'do not recognize record type @1\n', 336330796: 'Expected backup version 1..10. Found @1\n', 336330797: 'expected backup description record\n', 336330798: 'string truncated\n', 336330799: 'warning -- record could not be restored\n', 336330800: 'gds_$send failed\n', 336330801: 'no table name for data\n', 336330802: 'unexpected end of file on backup file\n', 336330803: 'database format @1 is too old to restore to\n', 336330804: 'array dimension for column @1 is invalid\n', 336330807: 'Expected XDR record length\n', 336330817: 'cannot open backup file @1\n', 336330818: 'cannot open status and error output file @1\n', 336330934: 'blocking factor parameter missing\n', 336330935: 'expected blocking factor, encountered "@1"\n', 336330936: 'a blocking factor may not be used in conjunction with device CT\n', 336330940: 'user name parameter missing\n', 336330941: 'password parameter missing\n', 336330952: ' missing parameter for the number of bytes to be skipped\n', 336330953: 'expected number of bytes to be skipped, encountered "@1"\n', 336330965: 'character set\n', 336330967: 'collation\n', 336330972: 'Unexpected I/O error while reading from backup file\n', 336330973: 'Unexpected I/O error while writing to backup file\n', 336330985: 'could not drop database @1 (no privilege or database might be in use)\n', 336330990: 'System memory exhausted\n', 336331002: 'SQL role\n', 336331005: 'SQL role parameter missing\n', 336331010: 'page buffers parameter missing\n', 336331011: 'expected page buffers, encountered "@1"\n', 336331012: 'page buffers is allowed only on restore or create\n', 336331014: 'size specification either missing or incorrect for file @1\n', 336331015: 'file @1 out of sequence\n', 336331016: "can't join -- one of the files missing\n", 336331017: ' standard input is not supported when using join operation\n', 336331018: 'standard output is not supported when using split operation or in verbose mode\n', 336331019: 'backup file @1 might be corrupt\n', 336331020: 'database file specification missing\n', 336331021: "can't write a header record to file @1\n", 336331022: 'free disk space exhausted\n', 336331023: 'file size given (@1) is less than minimum allowed (@2)\n', 336331025: 'service name parameter missing\n', 336331026: 'Cannot restore over current database, must be SYSDBA or owner of the existing database.\n', 336331031: '"read_only" or "read_write" required\n', 336331033: 'just data ignore all constraints etc.\n', 336331034: 'restoring data only ignoring foreign key, unique, not null & other constraints\n', 336331078: 'verbose interval value parameter missing\n', 336331079: 'verbose interval value cannot be smaller than @1\n', 336331081: 'verify (verbose) and verbint options are mutually exclusive\n', 336331082: 'option -@1 is allowed only on restore or create\n', 336331083: 'option -@1 is allowed only on backup\n', 336331084: 'options -@1 and -@2 are mutually exclusive\n', 336331085: 'parameter for option -@1 was already specified with value "@2"\n', 336331086: 'option -@1 was already specified\n', 336331091: 'dependency depth greater than @1 for view @2\n', 336331092: 'value greater than @1 when calculating length of rdb$db_key for view @2\n', 336331093: 'Invalid metadata detected. Use -FIX_FSS_METADATA option.\n', 336331094: 'Invalid data detected. Use -FIX_FSS_DATA option.\n', 336331096: 'Expected backup version @2..@3. Found @1\n', 336331100: 'database format @1 is too old to backup\n', 336397205: 'ODS versions before ODS@1 are not supported\n', 336397206: 'Table @1 does not exist\n', 336397207: 'View @1 does not exist\n', 336397208: 'At line @1, column @2\n', 336397209: 'At unknown line and column\n', 336397210: 'Column @1 cannot be repeated in @2 statement\n', 336397211: 'Too many values (more than @1) in member list to match against\n', 336397212: 'Array and BLOB data types not allowed in computed field\n', 336397213: 'Implicit domain name @1 not allowed in user created domain\n', 336397214: 'scalar operator used on field @1 which is not an array\n', 336397215: 'cannot sort on more than 255 items\n', 336397216: 'cannot group on more than 255 items\n', 336397217: 'Cannot include the same field (@1.@2) twice in the ORDER BY clause with conflicting sorting options\n', 336397218: 'column list from derived table @1 has more columns than the number of items in its SELECT statement\n', 336397219: 'column list from derived table @1 has less columns than the number of items in its SELECT statement\n', 336397220: 'no column name specified for column number @1 in derived table @2\n', 336397221: 'column @1 was specified multiple times for derived table @2\n', 336397222: 'Internal dsql error: alias type expected by pass1_expand_select_node\n', 336397223: 'Internal dsql error: alias type expected by pass1_field\n', 336397224: 'Internal dsql error: column position out of range in pass1_union_auto_cast\n', 336397225: 'Recursive CTE member (@1) can refer itself only in FROM clause\n', 336397226: "CTE '@1' has cyclic dependencies\n", 336397227: "Recursive member of CTE can't be member of an outer join\n", 336397228: "Recursive member of CTE can't reference itself more than once\n", 336397229: 'Recursive CTE (@1) must be an UNION\n', 336397230: "CTE '@1' defined non-recursive member after recursive\n", 336397231: "Recursive member of CTE '@1' has @2 clause\n", 336397232: 'Recursive members of CTE (@1) must be linked with another members via UNION ALL\n', 336397233: "Non-recursive member is missing in CTE '@1'\n", 336397234: "WITH clause can't be nested\n", 336397235: 'column @1 appears more than once in USING clause\n', 336397236: 'feature is not supported in dialect @1\n', 336397237: 'CTE "@1" is not used in query\n', 336397238: 'column @1 appears more than once in ALTER VIEW\n', 336397239: '@1 is not supported inside IN AUTONOMOUS TRANSACTION block\n', 336397240: 'Unknown node type @1 in dsql/GEN_expr\n', 336397241: 'Argument for @1 in dialect 1 must be string or numeric\n', 336397242: 'Argument for @1 in dialect 3 must be numeric\n', 336397243: 'Strings cannot be added to or subtracted from DATE or TIME types\n', 336397244: 'Invalid data type for subtraction involving DATE, TIME or TIMESTAMP types\n', 336397245: 'Adding two DATE values or two TIME values is not allowed\n', 336397246: 'DATE value cannot be subtracted from the provided data type\n', 336397247: 'Strings cannot be added or subtracted in dialect 3\n', 336397248: 'Invalid data type for addition or subtraction in dialect 3\n', 336397249: 'Invalid data type for multiplication in dialect 1\n', 336397250: 'Strings cannot be multiplied in dialect 3\n', 336397251: 'Invalid data type for multiplication in dialect 3\n', 336397252: 'Division in dialect 1 must be between numeric data types\n', 336397253: 'Strings cannot be divided in dialect 3\n', 336397254: 'Invalid data type for division in dialect 3\n', 336397255: 'Strings cannot be negated (applied the minus operator) in dialect 3\n', 336397256: 'Invalid data type for negation (minus operator)\n', 336397257: 'Cannot have more than 255 items in DISTINCT / UNION DISTINCT list\n', 336397258: 'ALTER CHARACTER SET @1 failed\n', 336397259: 'COMMENT ON @1 failed\n', 336397260: 'CREATE FUNCTION @1 failed\n', 336397261: 'ALTER FUNCTION @1 failed\n', 336397262: 'CREATE OR ALTER FUNCTION @1 failed\n', 336397263: 'DROP FUNCTION @1 failed\n', 336397264: 'RECREATE FUNCTION @1 failed\n', 336397265: 'CREATE PROCEDURE @1 failed\n', 336397266: 'ALTER PROCEDURE @1 failed\n', 336397267: 'CREATE OR ALTER PROCEDURE @1 failed\n', 336397268: 'DROP PROCEDURE @1 failed\n', 336397269: 'RECREATE PROCEDURE @1 failed\n', 336397270: 'CREATE TRIGGER @1 failed\n', 336397271: 'ALTER TRIGGER @1 failed\n', 336397272: 'CREATE OR ALTER TRIGGER @1 failed\n', 336397273: 'DROP TRIGGER @1 failed\n', 336397274: 'RECREATE TRIGGER @1 failed\n', 336397275: 'CREATE COLLATION @1 failed\n', 336397276: 'DROP COLLATION @1 failed\n', 336397277: 'CREATE DOMAIN @1 failed\n', 336397278: 'ALTER DOMAIN @1 failed\n', 336397279: 'DROP DOMAIN @1 failed\n', 336397280: 'CREATE EXCEPTION @1 failed\n', 336397281: 'ALTER EXCEPTION @1 failed\n', 336397282: 'CREATE OR ALTER EXCEPTION @1 failed\n', 336397283: 'RECREATE EXCEPTION @1 failed\n', 336397284: 'DROP EXCEPTION @1 failed\n', 336397285: 'CREATE SEQUENCE @1 failed\n', 336397286: 'CREATE TABLE @1 failed\n', 336397287: 'ALTER TABLE @1 failed\n', 336397288: 'DROP TABLE @1 failed\n', 336397289: 'RECREATE TABLE @1 failed\n', 336397290: 'CREATE PACKAGE @1 failed\n', 336397291: 'ALTER PACKAGE @1 failed\n', 336397292: 'CREATE OR ALTER PACKAGE @1 failed\n', 336397293: 'DROP PACKAGE @1 failed\n', 336397294: 'RECREATE PACKAGE @1 failed\n', 336397295: 'CREATE PACKAGE BODY @1 failed\n', 336397296: 'DROP PACKAGE BODY @1 failed\n', 336397297: 'RECREATE PACKAGE BODY @1 failed\n', 336397298: 'CREATE VIEW @1 failed\n', 336397299: 'ALTER VIEW @1 failed\n', 336397300: 'CREATE OR ALTER VIEW @1 failed\n', 336397301: 'RECREATE VIEW @1 failed\n', 336397302: 'DROP VIEW @1 failed\n', 336397303: 'DROP SEQUENCE @1 failed\n', 336397304: 'RECREATE SEQUENCE @1 failed\n', 336397305: 'DROP INDEX @1 failed\n', 336397306: 'DROP FILTER @1 failed\n', 336397307: 'DROP SHADOW @1 failed\n', 336397308: 'DROP ROLE @1 failed\n', 336397309: 'DROP USER @1 failed\n', 336397310: 'CREATE ROLE @1 failed\n', 336397311: 'ALTER ROLE @1 failed\n', 336397312: 'ALTER INDEX @1 failed\n', 336397313: 'ALTER DATABASE failed\n', 336397314: 'CREATE SHADOW @1 failed\n', 336397315: 'DECLARE FILTER @1 failed\n', 336397316: 'CREATE INDEX @1 failed\n', 336397317: 'CREATE USER @1 failed\n', 336397318: 'ALTER USER @1 failed\n', 336397319: 'GRANT failed\n', 336397320: 'REVOKE failed\n', 336397321: 'Recursive member of CTE cannot use aggregate or window function\n', 336397322: '@2 MAPPING @1 failed\n', 336397323: 'ALTER SEQUENCE @1 failed\n', 336397324: 'CREATE GENERATOR @1 failed\n', 336397325: 'SET GENERATOR @1 failed\n', 336397326: 'WITH LOCK can be used only with a single physical table\n', 336397327: 'FIRST/SKIP cannot be used with OFFSET/FETCH or ROWS\n', 336397328: 'WITH LOCK cannot be used with aggregates\n', 336397329: 'WITH LOCK cannot be used with @1\n', 336397330: 'Number of arguments (@1) exceeds the maximum (@2) number of EXCEPTION USING arguments\n', 336397331: 'String literal with @1 bytes exceeds the maximum length of @2 bytes\n', 336397332: 'String literal with @1 characters exceeds the maximum length of @2 characters for the @3 character set\n', 336397333: 'Too many BEGIN...END nesting. Maximum level is @1\n', 336397334: 'RECREATE USER @1 failed\n', 336723983: 'unable to open database\n', 336723984: 'error in switch specifications\n', 336723985: 'no operation specified\n', 336723986: 'no user name specified\n', 336723987: 'add record error\n', 336723988: 'modify record error\n', 336723989: 'find/modify record error\n', 336723990: 'record not found for user: @1\n', 336723991: 'delete record error\n', 336723992: 'find/delete record error\n', 336723996: 'find/display record error\n', 336723997: 'invalid parameter, no switch defined\n', 336723998: 'operation already specified\n', 336723999: 'password already specified\n', 336724000: 'uid already specified\n', 336724001: 'gid already specified\n', 336724002: 'project already specified\n', 336724003: 'organization already specified\n', 336724004: 'first name already specified\n', 336724005: 'middle name already specified\n', 336724006: 'last name already specified\n', 336724008: 'invalid switch specified\n', 336724009: 'ambiguous switch specified\n', 336724010: 'no operation specified for parameters\n', 336724011: 'no parameters allowed for this operation\n', 336724012: 'incompatible switches specified\n', 336724044: 'Invalid user name (maximum 31 bytes allowed)\n', 336724045: 'Warning - maximum 8 significant bytes of password used\n', 336724046: 'database already specified\n', 336724047: 'database administrator name already specified\n', 336724048: 'database administrator password already specified\n', 336724049: 'SQL role name already specified\n', 336920577: 'found unknown switch\n', 336920578: 'please retry, giving a database name\n', 336920579: 'Wrong ODS version, expected @1, encountered @2\n', 336920580: 'Unexpected end of database file.\n', 336920605: "Can't open database file @1\n", 336920606: "Can't read a database page\n", 336920607: 'System memory exhausted\n', 336986113: 'Wrong value for access mode\n', 336986114: 'Wrong value for write mode\n', 336986115: 'Wrong value for reserve space\n', 336986116: 'Unknown tag (@1) in info_svr_db_info block after isc_svc_query()\n', 336986117: 'Unknown tag (@1) in isc_svc_query() results\n', 336986118: 'Unknown switch "@1"\n', 336986159: 'Wrong value for shutdown mode\n', 336986160: 'could not open file @1\n', 336986161: 'could not read file @1\n', 336986162: 'empty file @1\n', 336986164: 'Invalid or missing parameter for switch @1\n', 336986170: 'Unknown tag (@1) in isc_info_svc_limbo_trans block after isc_svc_query()\n', 336986171: 'Unknown tag (@1) in isc_spb_tra_state block after isc_svc_query()\n', 336986172: 'Unknown tag (@1) in isc_spb_tra_advise block after isc_svc_query()\n', 337051649: 'Switches trusted_user and trusted_role are not supported from command line\n', 337117213: 'Missing parameter for switch @1\n', 337117214: 'Only one of -LOCK, -UNLOCK, -FIXUP, -BACKUP or -RESTORE should be specified\n', 337117215: 'Unrecognized parameter @1\n', 337117216: 'Unknown switch @1\n', 337117217: "Fetch password can't be used in service mode\n", 337117218: 'Error working with password file "@1"\n', 337117219: 'Switch -SIZE can be used only with -LOCK\n', 337117220: 'None of -LOCK, -UNLOCK, -FIXUP, -BACKUP or -RESTORE specified\n', 337117223: 'IO error reading file: @1\n', 337117224: 'IO error writing file: @1\n', 337117225: 'IO error seeking file: @1\n', 337117226: 'Error opening database file: @1\n', 337117227: 'Error in posix_fadvise(@1) for database @2\n', 337117228: 'Error creating database file: @1\n', 337117229: 'Error opening backup file: @1\n', 337117230: 'Error creating backup file: @1\n', 337117231: 'Unexpected end of database file @1\n', 337117232: 'Database @1 is not in state (@2) to be safely fixed up\n', 337117233: 'Database error\n', 337117234: 'Username or password is too long\n', 337117235: 'Cannot find record for database "@1" backup level @2 in the backup history\n', 337117236: 'Internal error. History query returned null SCN or GUID\n', 337117237: 'Unexpected end of file when reading header of database file "@1" (stage @2)\n', 337117238: 'Internal error. Database file is not locked. Flags are @1\n', 337117239: 'Internal error. Cannot get backup guid clumplet\n', 337117240: 'Internal error. Database page @1 had been changed during backup (page SCN=@2, backup SCN=@3)\n', 337117241: 'Database file size is not a multiple of page size\n', 337117242: 'Level 0 backup is not restored\n', 337117243: 'Unexpected end of file when reading header of backup file: @1\n', 337117244: 'Invalid incremental backup file: @1\n', 337117245: 'Unsupported version @1 of incremental backup file: @2\n', 337117246: 'Invalid level @1 of incremental backup file: @2, expected @3\n', 337117247: 'Wrong order of backup files or invalid incremental backup file detected, file: @1\n', 337117248: 'Unexpected end of backup file: @1\n', 337117249: 'Error creating database file: @1 via copying from: @2\n', 337117250: 'Unexpected end of file when reading header of restored database file (stage @1)\n', 337117251: 'Cannot get backup guid clumplet from L0 backup\n', 337117255: 'Wrong parameter @1 for switch -D, need ON or OFF\n', 337117257: 'Terminated due to user request\n', 337117259: 'Too complex decompress command (> @1 arguments)\n', 337117261: 'Cannot find record for database "@1" backup GUID @2 in the backup history\n', 337182750: 'conflicting actions "@1" and "@2" found\n', 337182751: 'action switch not found\n', 337182752: 'switch "@1" must be set only once\n', 337182753: 'value for switch "@1" is missing\n', 337182754: 'invalid value ("@1") for switch "@2"\n', 337182755: 'unknown switch "@1" encountered\n', 337182756: 'switch "@1" can be used by service only\n', 337182757: 'switch "@1" can be used by interactive user only\n', 337182758: 'mandatory parameter "@1" for switch "@2" is missing\n', 337182759: 'parameter "@1" is incompatible with action "@2"\n', 337182760: 'mandatory switch "@1" is missing\n'} |
'''Constant values needed for unpacking'''
EVB_PACK_HEADER = [
('4s', 'signature'), # Would always be ('EVB\x00') if valaid
64
]
EVB_NODE_MAIN = [
('I', 'size'),
('8s', ''), # don't know what this is for
('I', 'objects_count'),
16
]
EVB_NODE_NAMED = [
('H','objects_count'), # for non-folders,this value will remain 0
('c',''),
('%ds', 'name'),
('3s', ''),
('B', 'type'),
4 # the length of the `pad` & `type`
]
# there's a certain amount of pad bytes that's decided by `EVB_NODE_NAMED['type']`
# ...where when `type` is 3 (folder),the total bytes of the node is (40)
EVB_NODE_OPTIONAL_FOLDER = [
('37s', 'reserved'),
37
] # the optional node for folders are barely useful,so we'd drop them here
EVB_NODE_OPTIONAL_FILE = [
('2s', ''),
('I', 'original_size'),
('4s',''),
('Q','time1'),
('Q','time2'),
('Q','time3'),
('15s','reserved'),
('I', 'stored_size'),
53
]
# ...where when `type` is 2 (file),the total bytes of the node is (53) with
# additional 13 bytes of pad (unless the file is the last one on the list)
NODE_TYPE_FILE = 2
NODE_TYPE_FOLDER = 3
| """Constant values needed for unpacking"""
evb_pack_header = [('4s', 'signature'), 64]
evb_node_main = [('I', 'size'), ('8s', ''), ('I', 'objects_count'), 16]
evb_node_named = [('H', 'objects_count'), ('c', ''), ('%ds', 'name'), ('3s', ''), ('B', 'type'), 4]
evb_node_optional_folder = [('37s', 'reserved'), 37]
evb_node_optional_file = [('2s', ''), ('I', 'original_size'), ('4s', ''), ('Q', 'time1'), ('Q', 'time2'), ('Q', 'time3'), ('15s', 'reserved'), ('I', 'stored_size'), 53]
node_type_file = 2
node_type_folder = 3 |
PARTICLE_IDS = {
1: 'gamma',
2: 'electron',
3: 'positron',
5: 'mu_plus',
6: 'mu_minus',
13: 'neutron',
14: 'proton',
302: 'helium3',
402: 'helium4',
5626: 'iron',
}
def primary_id_to_name(primary_id):
''' if unknown just return the primary_id as string'''
return PARTICLE_IDS.get(primary_id, str(primary_id))
| particle_ids = {1: 'gamma', 2: 'electron', 3: 'positron', 5: 'mu_plus', 6: 'mu_minus', 13: 'neutron', 14: 'proton', 302: 'helium3', 402: 'helium4', 5626: 'iron'}
def primary_id_to_name(primary_id):
""" if unknown just return the primary_id as string"""
return PARTICLE_IDS.get(primary_id, str(primary_id)) |
mag45 = """* alf CMa,SB*,-1.46,101.28715533333335,-16.71611586111111
* alf Car,*,-0.74,95.98795782918306,-52.69566138386201
* alf Cen,**,-0.1,219.87383306,-60.83222194
NAME CMa Dwarf Galaxy,G,-0.1,108.15,-27.666666666666668
* alf Boo,RG*,-0.05,213.915300294925,19.1824091615312
* alf Cen A,SB*,0.01,219.90205833170774,-60.83399268831004
* alf Lyr,dS*,0.03,279.234734787025,38.783688956244
* alf Aur,SB*,0.08,79.17232794433404,45.99799146983673
2MASS J22472789+5807236,V*,0.128,341.866227,58.123245
* bet Ori,s*b,0.13,78.63446706693006,-8.201638364722209
* alf CMi,SB*,0.37,114.82549790798149,5.224987557059477
NAME LMC,G,0.4,80.89416666666666,-69.75611111111111
* alf Ori,s*r,0.42,88.79293899077537,7.407063995272694
* alf Eri,Be*,0.46,24.428522833333336,-57.236752805555554
* bet Cen,bC*,0.58,210.95585562281522,-60.373035161541594
* alf Aql,dS*,0.76,297.69582729638694,8.868321196436963
* alf Tau,LP?,0.86,68.9801627900154,16.5093023507718
* alf Sco,**,0.91,247.3519154198264,-26.432002611950832
* alf Vir,bC*,0.97,201.2982473615632,-11.161319485111932
SN 2009jb,SN*,1.07,260.92379166666666,30.49738888888889
* bet Gem,PM*,1.14,116.32895777437875,28.02619889009357
* alf PsA,**,1.16,344.4126927211701,-29.622237033389442
* bet Cru,bC*,1.25,191.9302865619529,-59.68877199622606
* alf Cyg,sg*,1.25,310.35797975307673,45.280338806527574
* alf01 Cru,*,1.28,186.6495666666667,-63.09909166666667
* alf Cen B,PM*,1.33,219.89609628987276,-60.83752756558407
* alf Leo,PM*,1.4,152.09296243828146,11.967208776100023
* eps CMa,*,1.5,104.65645315148348,-28.972086157360806
* alf Gem,**,1.58,113.64947163976585,31.88828221646326
* alf02 Cru,*,1.58,186.65184166666666,-63.09952222222222
* lam Sco,bC*,1.62,263.40216718438023,-37.10382355111976
* gam Cru,PM*,1.64,187.79149837560794,-57.11321345705891
* gam Ori,V*,1.64,81.28276355652378,6.3497032644440665
* bet Tau,PM*,1.65,81.57297133176498,28.607451724998228
* eps Ori,s*b,1.69,84.05338894077023,-1.2019191358333312
* bet Car,PM*,1.69,138.29990608310192,-69.71720759721548
* alf Gru,PM*,1.71,332.05826969609114,-46.96097438191952
* zet Ori,**,1.77,85.18969442793068,-1.9425735859722049
* eps UMa,a2*,1.77,193.5072899675,55.95982295694445
* alf Per,V*,1.79,51.08070871833333,49.86117929305556
* alf UMa,SB*,1.79,165.9319646738126,61.751034687818226
* gam02 Vel,WR*,1.83,122.38312555977059,-47.336586329303486
* del CMa,s*y,1.84,107.09785021416667,-26.39319957888889
* tet Sco,*,1.85,264.3297077207907,-42.99782799333082
* eps Sgr,**,1.85,276.0429933505963,-34.38461648586744
* eta UMa,PM*,1.86,206.88515734206297,49.31326672942533
* eps Car,**,1.86,125.62848024272952,-59.509484191917416
* alf UMa A,PM*,1.87,165.93195263333334,61.75103334166666
* bet Aur,Al*,1.9,89.88217886833333,44.94743257194444
* zet Ori A,**,1.9,85.18969642916667,-1.9425723222222224
* alf Gem A,SB*,1.9,113.64942845,31.88827619166667
* alf Pav,SB*,1.918,306.4119043651986,-56.73508972631689
* gam Gem,SB*,1.92,99.42796042942895,16.399280426663772
* alf TrA,*,1.92,252.1662295073803,-69.02771184691984
* del Vel,Al*,1.95,131.17594410269234,-54.70881924765521
* bet CMa,bC*,1.97,95.67493896958332,-17.955918708888888
* alf Hya,*,1.97,141.89684459585948,-8.658599531745583
* gam01 Leo,PM*,1.98,154.9931435916667,19.841488666666663
* bet Cet,PM*,2.01,10.897378736003901,-17.98660631592891
* alf Ari,PM*,2.01,31.79335709957655,23.46241755020095
* eps Car A,*,2.01,125.6284741,-59.509480700000005
* alf UMi,cC*,2.02,37.954560670189856,89.26410896994187
* bet And,PM*,2.05,17.43301617293042,35.62055765052624
* tet Cen,PM*,2.05,211.670614682339,-36.369954742511496
* kap Ori,s*b,2.06,86.93912016833333,-9.66960491861111
* alf And,a2*,2.06,2.0969161856756404,29.090431118059698
* sig Sgr,**,2.067,283.81636040649323,-26.29672411476388
* alf Oph,**,2.07,263.73362272030505,12.560037391671425
* bet UMi,V*,2.08,222.67635749796767,74.15550393675127
* gam01 And,SB*,2.1,30.97480120653972,42.32972842352701
Cl Collinder 135,OpC,2.1,109.32083333333334,-36.81666666666667
* bet Gru,LP?,2.11,340.66687612556166,-46.884576444824646
* bet Per,EB*,2.12,47.04221855625,40.95564667027778
* bet Leo,dS*,2.13,177.26490975591017,14.572058064829658
* gam Cen,**,2.17,190.37933367081536,-48.959871515023295
NAME SMC,G,2.2,13.158333333333333,-72.80027777777778
* lam Vel,LP*,2.21,136.99899113791412,-43.432590908860746
* zet01 UMa,SB*,2.22,200.9814286375,54.92536182777777
* gam Cyg,V*,2.23,305.55709098208337,40.25667915638889
* alf Cas,PM*,2.23,10.126837782916667,56.53733115833333
* gam Dra,*,2.23,269.1515411786243,51.48889561763423
* alf CrB,Al*,2.24,233.6719500152086,26.714692780601993
* zet Pup,BY*,2.25,120.89603140977576,-40.003147798268934
* iot Car,V*,2.26,139.27252857166667,-59.275232029166666
* bet Cas,dS*,2.27,2.2945215777878776,59.14978109800713
* alf Lup,bC*,2.286,220.4823157775,-47.38819874611111
* eps Sco,PM*,2.29,252.54087838625,-34.29323159305555
* eps Cen,bC*,2.3,204.97190723090242,-53.466391146088995
* eta Cen,Be*,2.31,218.8767673375,-42.15782521722222
* del Sco,SB*,2.32,240.08335534565887,-22.621706426005783
* gam Leo,**,2.37,154.99312733272745,19.84148521911754
* alf Phe,SB*,2.37,6.5710475153919266,-42.305987194396046
* bet UMa,PM*,2.37,165.46031890416668,56.38242608666667
* kap Sco,bC*,2.386,265.62198000035505,-39.02998307638737
* eps Peg,LP*,2.39,326.04648391416663,9.875008653333333
* eps Boo,**,2.39,221.24673940278586,27.074224971737152
* gam Cas,Be*,2.39,14.177215416666668,60.71674027777778
* del Ori,Al*,2.41,83.00166705557675,-0.29909510708333326
* eta Oph,**,2.42,257.5945287106208,-15.724906641710527
* bet Peg,LP*,2.42,345.9435727452067,28.082787124606668
* gam UMa,Em*,2.44,178.45769715249997,53.69475972916666
* eps Boo A,*,2.45,221.2467631083333,27.074207219444446
* eta CMa,s*b,2.45,111.02375950100142,-29.303105508471724
* alf Cep,PM*,2.46,319.6448846972256,62.5855744637194
* eta Oph A,PM*,2.463,257.5944336,-15.7251428
* kap Vel,SB*,2.473,140.52840670833334,-55.01066713416667
* alf Peg,PM*,2.48,346.19022269142596,15.205267147927536
* eps Cyg,**,2.48,311.5528431704166,33.97025692388889
* bet Sco,**,2.5,241.35929166666665,-19.80538888888889
NGC 1980,OpC,2.5,83.85,-5.915000000000001
[SC96] Mis 162,*,2.51,253.0,-38.03333333333333
* del Cen,Be*,2.52,182.08957348875,-50.722427392777774
* del Leo,PM*,2.53,168.52708926588556,20.523718139047475
* alf Cet,LP?,2.53,45.56988780332224,4.089738771805157
* zet Cen,SB*,2.55,208.88494019857197,-47.28837451101241
* zet Oph,Be*,2.56,249.28974606041666,-10.56709151972222
* alf Lep,V*,2.57,83.18256716166667,-17.82228927222222
* gam Crv,PM*,2.58,183.9515450373768,-17.541930457603193
* zet Sgr,**,2.585,285.6530426563352,-29.88006330096877
Cl Collinder 121,OpC,2.6,104.08333333333336,-24.729999999999997
NGC 6231,OpC,2.6,253.53545833333334,-41.82666666666667
* bet Lib,PM*,2.62,229.25172424914246,-9.382914410334685
* tet Aur,a2*,2.62,89.93029217610834,37.21258462923103
* bet01 Sco,SB*,2.62,241.3592999275,-19.805452782777778
* alf Ser,PM*,2.63,236.06697631625,6.425628686666666
* bet Crv,PM*,2.64,188.59681183041667,-23.396760403611108
* alf Mus,**,2.649,189.29590786916668,-69.1355647886111
* alf Col,Be*,2.65,84.91225429958334,-34.07410971972223
* bet Ari,SB*,2.65,28.66004578884514,20.808031471916408
* del Sgr,*,2.668,275.24851476000003,-29.828101644166665
* bet Lup,PM*,2.68,224.63302234983436,-43.13396384896446
* del Cas,Al*,2.68,21.453964462083334,60.23528402972222
* eta Boo,SB*,2.68,208.67116216800866,18.397720717229475
* mu. Vel,**,2.69,161.6924115354181,-49.420256789972576
* iot Aur,V*,2.69,74.24842120291667,33.1660995775
* pi. Pup,LP*,2.7,109.28565325467379,-37.09747115430162
* mu. Vel A,PM*,2.7,161.69244928333333,-49.42026028888888
* ups Sco,*,2.7,262.6909880116666,-37.295813475277775
* gam Aql,*,2.72,296.5649178783333,10.613261329999998
* iot Cen,PM*,2.73,200.14922006503957,-36.712304581225
* gam Vir,**,2.74,190.41518098346438,-1.4493728192292532
* eta Dra,PM*,2.74,245.99787756251087,61.514235454450834
* alf02 Lib,SB*,2.75,222.7196378915803,-16.041776519834446
* del Oph,PM*,2.75,243.5864105303868,-3.6943225643644135
* bet Oph,PM*,2.75,265.86813603416664,4.567304301111111
* del Cru,Pu*,2.752,183.78631968541666,-58.74892692666667
* tet Car,SB*,2.76,160.73917486416664,-64.39445022111111
* gam Lup,El*,2.765,233.78520144771352,-41.16675686900692
* bet Her,SB*,2.77,247.55499811083337,21.48961132722222
* iot Ori,SB*,2.77,83.85825794708333,-5.9099009825
* eps Vir,PM*,2.79,195.54415770666668,10.959150400833332
* bet Hyi,PM*,2.79,6.4377931550222804,-77.25424611998604
* bet Eri,PM*,2.79,76.96243955494712,-5.086445970102491
* zet Her,SB*,2.8,250.32150433146228,31.602718703799262
Cl Collinder 69,OpC,2.8,83.775,9.933333333333332
* lam Sgr,PM*,2.81,276.99266966041665,-25.421698496944444
* bet Dra,*,2.81,262.60817373291667,52.30138870861111
* rho Pup,dS*,2.81,121.88603676458334,-24.304324429444446
* tau Sco,*,2.81,248.97063688749995,-28.2160170875
* gam Cen A,PM*,2.82,190.37930732083333,-48.95991231666667
* alf Tuc,SB*,2.82,334.6253949308333,-60.25959064083334
* del Cap,Al*,2.83,326.76018433125,-16.12728708527778
* alf Hyi,PM*,2.84,29.692477791250003,-61.56985966055556
* bet Lep,**,2.84,82.061346495,-20.759441053055554
* gam Peg,bC*,2.84,3.3089634616666666,15.183593544166667
* bet Ara,*,2.85,261.32495146958337,-55.5298852125
* bet TrA,PM*,2.85,238.785675265,-63.43072653638888
* zet Per,V*,2.85,58.53301031291666,31.88363368388889
* mu. Gem,LP*,2.87,95.74011192619564,22.513582745904277
* eta Tau,Be*,2.87,56.871152303749994,24.105135651944444
* del Cyg,PM*,2.87,296.24366058875,45.13081001833333
* gam Cen B,PM*,2.88,190.37923070833335,-48.959576850000005
* alf02 CVn,a2*,2.88,194.00694257125,38.31837614166667
* zet Her A,*,2.88,250.3227706,31.6019369
* pi. Sgr,**,2.88,287.440970525,-21.023613981944443
* eps Per,bC*,2.89,59.46346686333334,40.0102153175
* bet CMi,Be*,2.89,111.78767390541668,8.2893157625
* bet Aqr,*,2.89,322.8897154783333,-5.5711755572222215
* sig Sco,bC*,2.89,245.29714880583333,-25.592792076666665
* gam TrA,PM*,2.89,229.72742493083337,-68.67954593388889
* pi. Sco,bL*,2.91,239.71297182416666,-26.114107945
* tau Pup,SB*,2.93,102.48403524791667,-50.61456768777778
* gam Per,Al*,2.93,46.1991280875,53.50643575694444
* del Crv,PM*,2.94,187.46606318416664,-16.515431261666667
* gam Eri,LP?,2.94,59.50736228708333,-13.508519380555555
* alf Aqr,*,2.94,331.4459830479167,-0.31984910166666664
* alf Ara,Be*,2.95,262.9603813675,-49.87614501138889
* eta Peg,SB*,2.95,340.750515505636,30.2211186300423
* eps Leo,V*,2.98,146.46280541833335,23.77425578722222
* eps Crv,PM*,2.98,182.53116909374998,-22.6197672175
* mu.01 Sco,bL*,2.98,252.9675653854426,-38.0473987266926
* eps Gem,V*,2.98,100.98302607916666,25.13112541222222
* gam02 Sgr,PM*,2.99,271.45203374499994,-30.424089849444446
* ups Car,*,2.99,146.77550706492468,-65.07200742206864
* eps Aur,EB*,2.99,75.4922044211734,43.823297597089
* zet Aql,PM*,2.99,286.35253339791666,13.86347728111111
* iot01 Sco,s*y,2.992,266.89617137458333,-40.12699704138889
* zet CMa,Ce*,3.0,95.07830016583333,-30.063366733888888
* gam Hya,SB*,3.0,199.73040494,-23.171514278055557
Cl Melotte 186,OpC,3.0,270.275,2.8999999999999995
* alf Gem B,SB*,3.0,113.65041855,31.888491991666665
* bet Tri,SB*,3.0,32.38594634196055,34.98729706469149
* gam UMi,dS*,3.002,230.18215016291666,71.83401654472222
* gam Gru,PM*,3.01,328.4821924841667,-37.36485527055556
* psi UMa,PM*,3.01,167.41586948500003,44.49848668055556
* del Per,Be*,3.01,55.73126773375001,47.78754850916667
* omi02 CMa,s*b,3.02,105.7561338125,-23.83329230777778
* gam Boo,dS*,3.02,218.01946581833334,38.30825118611111
* zet Tau,Be*,3.03,84.41118926291666,21.14254411222222
* mu. UMa,SB*,3.05,155.58224902458335,41.49951919583333
* alf Her,**,3.06,258.66190909203993,14.39034061013818
* del Dra,PM*,3.07,288.13875818541663,67.66154043916667
* zet Ara,*,3.076,254.65505070374996,-55.99014452833334
* bet01 Cap,SB*,3.08,305.2527011844837,-14.7814940556269
* bet01 Cyg,**,3.08,292.68033547998493,27.959680072081934
* zet Hya,PM*,3.1,133.84844223,5.945565383333333
* alf Ind,PM*,3.11,309.3918000320833,-47.2915007225
* kap Cen,**,3.11,224.79035390916664,-42.10419636638889
* eta Sgr,LP?,3.11,274.4068127158333,-36.76168520083333
* nu. Hya,PM*,3.11,162.40620310375002,-16.193648885833333
* bet Col,PM*,3.12,87.73996749625,-35.768309780833334
* iot UMa A,SB*,3.13,134.80191551115124,48.04183153024583
* del Her,SB*,3.13,258.7579607430354,24.839206966655976
* N Vel,V*,3.139,142.80549547374997,-57.03437716111111
* alf Lyn,PM*,3.14,140.26375309624999,34.392562373888886
* phi Sgr,PM*,3.14,281.4141087679167,-26.99077623361111
* iot UMa,**,3.14,134.8018900723819,48.04182614451662
* lam Cen,*,3.14,173.9453295159701,-63.019832356534
* zet Dra,**,3.17,257.1966498433333,65.71468427333335
* nu. Pup,Ce*,3.17,99.44029730291668,-43.19593338083333
* pi. Her,V*,3.18,258.7618098475,36.809162316666665
* eta Aur,PM*,3.18,76.62872238916667,41.23447575583333
* eps Lep,PM*,3.18,76.36527237416666,-22.37103441472222
* tet01 Eri,PM*,3.18,44.56533007924458,-40.30467935154805
* tet UMa,PM*,3.18,143.21430789125,51.67730030611111
* alf Cir,a2*,3.19,220.62674825166664,-64.97513706972224
* del Lup,bC*,3.19,230.3430218199073,-40.6475061746641
* pi.03 Ori,PM*,3.19,72.46004544041666,6.9612745261111115
* bet01 Cyg A,*,3.2,292.68035833333334,27.959677777777777
* kap Oph,LP?,3.2,254.41707437458334,9.375031276666666
* sig Lib,LP*,3.21,226.01756698541666,-25.28196128777778
* G Sco,*,3.21,267.4645033891667,-37.043304866666666
* zet Cyg,SB*,3.21,318.23410806124997,30.226915463055555
* tet Aql,SB*,3.22,302.8261886683333,-0.821461845
* eps Oph,PM*,3.23,244.58037392958335,-4.692509573888889
* bet Cep,bC*,3.23,322.1649868804167,70.56071518916666
* eta Ser,PM*,3.25,275.3275023166667,-2.8988268319444446
* gam Lyr,*,3.25,284.73592672374997,32.68955563749999
* sig Pup,SB*,3.25,112.30762704874999,-43.30143323944444
* gam Hyi,PM*,3.26,56.80975258791666,-74.23896350222223
* eta Oph B,*,3.26,257.59432,-15.725182199999999
* tet Oph,bC*,3.26,260.502413945,-24.99954638166667
* p Car,Be*,3.27,158.0060956995833,-61.68533230777778
ASAS J091626-6728.7,Mi*,3.27,139.1069400731429,-67.4765652941471
* pi. Hya,PM*,3.28,211.59290619374997,-26.682361771666667
* alf Dor,a2*,3.28,68.49907161292998,-55.04497896378182
* del And,SB*,3.28,9.831979920416668,30.86102175555556
* eta Gem,RG*,3.28,93.71935536055373,22.506787327170834
* del Aqr,PM*,3.28,343.6625475842515,-15.8207911338047
* iot Dra,V*,3.29,231.23239427708333,58.966065123611116
* mu. Lep,a2*,3.29,78.2329382957827,-16.2054593837172
* ksi Pup,*,3.3,117.32356527416665,-24.859786241388893
* bet Phe,**,3.3,16.520997989851963,-46.71841069311463
* alf Pic,PM*,3.3,102.04772968012593,-61.941389121171916
* tau Sgr,PM*,3.31,286.7350220570564,-27.6704470646932
* del UMa,PM*,3.32,183.85650263625,57.03261544611111
* eta Sco,PM*,3.33,258.03831522125006,-43.23919181277778
* alf Her A,LP*,3.33,258.66188642083335,14.390371047222223
* ome Car,Be*,3.33,153.43423914083334,-70.03790452916667
* nu. Oph,PM*,3.34,269.7566329704167,-9.773633292222222
* gam Ara,Be*,3.34,261.3485804629167,-56.37772632638889
* zet Cep,EB*,3.35,332.71365381625003,58.20126266305555
* q Car,LP*,3.35,154.2707304375,-61.33230230583334
* tet Leo,PM*,3.35,168.56001859583333,15.429570579444444
* eta Ori,Al*,3.35,81.11923634279408,-2.3971475397222215
* ksi Gem,PM*,3.36,101.32235133541666,12.895591979722221
* del Aql,**,3.36,291.3745891389376,3.114779474957126
* alf Ret,PM*,3.36,63.606183908750005,-62.4738587975
* eps Lup,SB*,3.366,230.67028440250002,-44.68961517694444
* eps Cas,Be*,3.37,28.5988590707424,63.6701033935922
* zet Vir,PM*,3.38,203.6733057474454,-0.59583601793
* del Vir,RG*,3.38,193.90086919083333,3.3974703402777777
* eps Hya,Ro*,3.38,131.6938009684597,6.4188015227537685
* nu. Cen,SB*,3.386,207.37615182833332,-41.687708908055555
* rho Per,LP*,3.39,46.29414106098047,38.84027619029382
C 1652-407,OpC,3.4,253.87498,-40.83333
[SC96] Mis 190,UV,3.4,253.725,-40.733333333333334
* l Car,cC*,3.4,146.31171343583335,-62.50790330388889
* a Car,SB*,3.4,137.74202661833334,-58.966893668055555
* bet Pav,*,3.408,311.2395582895834,-66.20321409888889
* zet Leo,V*,3.41,154.17256653291665,23.417311688888887
* eta Leo,*,3.41,151.8331327525,16.76266118611111
* eta Lup,*,3.41,240.0305327325,-38.39670867916667
* eta Cep,PM*,3.41,311.32239814166667,61.83878242694445
* gam Phe,SB*,3.41,22.091363612083335,-43.31823615916667
* tet02 Tau,dS*,3.41,67.1656022796287,15.870867390805
* lam Tau,Al*,3.41,60.17006548958334,12.490340538055555
* 42 Peg,PM*,3.41,340.36550299,10.831363310277778
* zet Lup,PM*,3.41,228.0712331483333,-52.09924775444445
* bet Lyr,EB*,3.42,282.5199801966666,33.362669438333334
* mu.01 Her,**,3.42,266.6146944908333,27.720677217777776
* alf Tri,SB*,3.42,28.27044623333333,29.57882780388889
* omi UMa,PM*,3.42,127.56612766708334,60.71816986416667
* lam Aql,PM*,3.43,286.5622487916562,-4.8825643047012
* mu. Cen,Be*,3.43,207.40411928916666,-42.47373044277778
* chi Car,bC*,3.431,119.194680088393,-52.9823317564599
* eta Cas,PM*,3.44,12.276211317083334,57.81518770555555
M 31,G,3.44,10.684708333333333,41.268750000000004
* gam Vir A,PM*,3.44,190.4150990226471,-1.4493949534586112
* phi Vel,*,3.45,149.21559030916666,-54.567788623055556
* lam UMa,PM*,3.45,154.274056885426,42.9143794919523
* eta Cet,HB*,3.45,17.147464511249996,-10.182265820833333
* alf Tel,PM*,3.463,276.7434001679167,-45.96845826805556
* eps Gru,SB*,3.466,342.1387429481209,-51.3168700513092
* gam Cet,**,3.47,40.825162898112545,3.2358163764959436
* gam Sge,PM*,3.47,299.68928594374995,19.49214668861111
* lam Ori A,Em*,3.47,83.7844968919525,9.93415426540139
* sig CMa,LP*,3.47,105.42978243583333,-27.934830492777778
* mu. Peg,PM*,3.48,342.50080479416664,24.601582883333336
* gam Lup A,SB*,3.48,233.78516162916668,-41.16679195
* del Boo,PM*,3.49,228.87567896583334,33.31483126611111
* gam Vir B,Pe*,3.49,190.4147607686542,-1.4494021269330557
* nu. UMa,*,3.49,169.61973601,33.094308526944445
* eta Her,PM*,3.5,250.72402122791667,38.92225357444444
* tau Cet,PM*,3.5,26.017014260833335,-15.937479597777779
* ksi02 Sgr,*,3.51,284.4324961775,-21.10665590777778
* gam Lup B,PM*,3.51,233.7849104291667,-41.16676775
* ksi Ser,SB*,3.519,264.3966659641667,-15.398553872777779
* bet Boo,Er*,3.52,225.48650991083335,40.39056683527778
* omi Leo,SB*,3.52,145.28763769958334,9.892308384166666
* bet Cnc,PM*,3.52,124.12883753375,9.185543867777778
* zet Lep,*,3.525,86.73892066124999,-14.821949984166666
* iot Lup,V*,3.529,214.85092581249998,-46.05809546277778
* eps Tau,**,3.53,67.15416173916667,19.18042905638889
* mu. Ser,**,3.53,237.40502901603867,-3.4302043802099975
* del Gem,SB*,3.53,110.03074909541667,21.982316039166665
* ksi Hya,**,3.54,173.25047939958336,-31.85762318027778
* del Eri,RS*,3.54,55.81208699458334,-9.763391234444445
* gam Cet A,PM*,3.54,40.825171593327084,3.2358241460283335
* iot Cep,PM*,3.54,342.42007059791666,66.20040656
* mu.02 Sco,V*,3.542,253.0839388325,-38.017534955277775
* phi01 Lup,PM*,3.546,230.45154027458335,-36.261375685833336
* tet Peg,PM*,3.55,332.5499386466667,6.197863263888888
* bet Mus A,**,3.55,191.5702761,-68.10809689999999
* kap UMa,**,3.55,135.90636507404153,47.15652472719766
* iot Cet,*,3.55,4.856975680833332,-8.823919737499999
* lam Gem,PM*,3.559,109.52325051154209,16.54038789957611
* del Pav,PM*,3.56,302.18170612375,-66.1820675763889
* del Crt,PM*,3.56,169.83519817375003,-14.778539251944444
* ups04 Eri,SB*,3.56,64.47359336125,-33.79834913972222
* ups Per,PM*,3.57,24.49815413583333,48.62821375916667
* kap Gem,**,3.57,116.11188987166668,24.397996451944444
* phi Eri,PM*,3.57,34.1274401325,-51.51216542027778
* chi Dra,SB*,3.58,275.2640939542736,72.73284772361531
* alf02 Cap,PM*,3.58,304.51356644875,-12.544852319999999
* eta Pav,PM*,3.581,266.43327519666667,-64.72387205305556
* ups Lib,**,3.589,234.25604249833333,-28.13508129111111
* tau Ori,*,3.59,79.40161901916666,-6.844408385277777
* rho Boo,PM*,3.59,217.95745673874998,30.3714383575
* eps Cru,PM*,3.59,185.34003901041666,-60.401146963888884
* tet Cet,HB*,3.59,21.005855345833332,-8.18325590361111
* eta Ori B,*,3.59,81.11923860000002,-2.3971369
* 41 Ari,**,3.594,42.49597183583333,27.26050722722222
* eta Ori A,SB*,3.594,81.11971258399294,-2.3970309594666666
* bet Vir,PM*,3.6,177.67382599583334,1.7647197275
* psi Vel,**,3.6,142.67499823420744,-40.46673934507773
* gam Lep,PM*,3.6,86.11579539166667,-22.44838354527778
Cl Collinder 399,Cl*,3.6,291.35,20.183333333333334
NAME SDG,G,3.6,283.7629166666667,-30.47833333333333
* omi Tau,SB*,3.6,51.2032977461575,9.0288872589578
Cl Collinder 132,OpC,3.6,108.83333333333334,-30.68333333333333
* tet Gem,PM*,3.6,103.19724529583334,33.96125485055556
* lam Hya,SB*,3.61,152.6470357548103,-12.3541274788236
* c Pup,*,3.61,116.31373506708333,-37.968583279722225
* zet02 Sco,PM*,3.62,253.64585144458331,-42.36131685527778
* del Ara,PM*,3.62,262.77463633625,-60.683847817777774
* del Mus,SB*,3.62,195.5677697341667,-71.54885423305556
* omi And,Be*,3.62,345.48026913750004,42.32598149527778
* eta Psc,**,3.62,22.870876077916662,15.345824594444446
* omi Vel,Pu*,3.63,130.07327304999998,-52.92188895361111
* 27 Tau,SB*,3.63,57.290594105,24.053416743611113
* bet Del,SB*,3.63,309.3872554152033,14.5950887473128
* c02 Aqr,PM*,3.64,347.36165338583334,-21.17241144916667
* tau Lib,SB*,3.642,234.6640395654167,-29.77774877888889
* gam Tau,**,3.65,64.94834937125,15.627643172777779
* bet Ind,*,3.65,313.7025115787499,-58.45415605944444
* lam Mus,PM*,3.65,176.40174649291666,-66.72876220694444
* zet Aqr,**,3.65,337.20794519724916,-0.019942847221622
* zet Cas,Pu*,3.66,9.2428507775,53.89690758638889
* tet Ara,*,3.66,271.6577970408333,-50.091475700833335
* lam Ori,**,3.66,83.78449002103218,9.934155874166667
* h UMa,PM*,3.67,142.8821197175,63.06186148305555
* gam Cap,a2*,3.67,325.02273532416666,-16.66230755111111
* bet Ser,PM*,3.67,236.54689310749998,15.421832185
* pi.04 Ori,SB*,3.68,72.80151966999999,5.605103418055555
* alf Pyx,V*,3.68,130.89807314333336,-33.18638605222222
* bet CrB,a2*,3.68,231.95721471041665,29.105700659722224
* alf Dra,SB*,3.68,211.09729147208333,64.37585052666667
* eps Ser,PM*,3.693,237.7040259241667,4.477730875833333
* a Pup,SB*,3.696,118.0542968645767,-40.5757818593085
* gam Psc,PM*,3.7,349.2914062129167,3.282288326388889
* 17 Tau,Be*,3.7,56.21890367416667,24.113336449166667
* chi Eri,PM*,3.7,28.989400261688,-51.6088815425622
* ksi Her,LP*,3.7,269.44119046416665,29.24787986361111
V* HR Del,No*,3.7,310.5847781402205,19.1609179459986
* kap Lup,Be*,3.7,227.9836502145718,-48.7378131971233
* tau04 Eri,LP*,3.7,49.87917598874999,-21.757862486944447
* bet Aql,PM*,3.71,298.8283023458333,6.406761805833334
* zet Cet,SB*,3.72,27.8651655379851,-10.3350259813363
* chi UMa,PM*,3.72,176.5125586420833,47.7794062925
* del Aur,SB*,3.72,89.881743414146,54.2847379628627
* eta Lep,PM*,3.72,89.10122085083334,-14.16769969
* nu. Oct,SB*,3.728,325.3689251479717,-77.39000876162
* tau Cyg,dS*,3.73,318.69788551128704,38.04531781602413
* ksi Cyg,SB*,3.73,316.23275954583335,43.92785123888889
* eps Eri,BY*,3.73,53.232687347500004,-9.458258656944444
* pi.05 Ori,SB*,3.73,73.5629104412289,2.4406705542346
* zet Ori B,*,3.73,85.18988002916667,-1.9432186222222223
* 109 Vir,PM*,3.73,221.56218899958333,1.8928845822222222
* 72 Oph,PM*,3.73,271.8374330391667,9.56384725
* bet Mon,**,3.74,97.20445710998001,-7.033058368333033
* zet Cap,SB*,3.74,321.66677641250004,-22.411334499166667
* eta Ara,*,3.744,252.44648553125003,-59.04137708305555
* gam02 Vol,PM*,3.746,107.186931811927,-70.4989231784051
* ksi Dra,PM*,3.75,268.38220676416665,56.87264285055556
* c Vel,PM*,3.75,136.0386661725,-47.09773743055556
* gam Oph,PM*,3.75,266.97316555291667,2.707277773611111
* del Cep,cC*,3.75,337.29277091,58.41519829333333
* ksi Tau,EB*,3.75,51.7922437054708,9.7327394850426
* zet Aur,Al*,3.75,75.61953078333333,41.075838884722224
* iot Cyg,PM*,3.755,292.4264946683333,51.729779397222224
* bet Vol,PM*,3.759,126.43414466916667,-66.136890265
* del Tau,SB*,3.76,65.7337543173897,17.5425155464277
* kap Cyg,PM*,3.76,289.275702715,53.368459270833334
* bet Dor,cC*,3.76,83.4063022163338,-62.4898119723424
* gam Her,**,3.76,245.48006002083335,19.153128275833332
* alf Lac,PM*,3.77,337.8229221208333,50.28249116666667
* omi Sgr,PM*,3.77,286.17075738541666,-21.7414957025
* eps Aqr,*,3.77,311.91896917875005,-9.495774364444443
* iot Peg,SB*,3.77,331.7527585719764,25.3451044829153
* zet Boo,**,3.78,220.28729823076685,13.728304629385853
* ksi UMa,RS*,3.79,169.54554950000002,31.529288899999997
* u Car,PM*,3.79,163.37356348666665,-58.853171198055556
* zet Gem,cC*,3.79,106.02721162625001,20.570298297500003
* iot Gem,**,3.79,111.43164715,27.798081346944446
* sig Ori,Y*O,3.79,84.68652719172471,-2.6000790859138
* eta Per,*,3.79,42.67420662666667,55.895496548888886
* lam Aqr,LP*,3.79,343.1536551352925,-7.5796063836928
* alf Aps,*,3.798,221.96546676958332,-79.04475090138888
* 31 Cyg,Al*,3.8,303.4079616797087,46.741316343510555
* nu. Per,*,3.8,56.29846680875,42.578550802222225
* eta Aql,cC*,3.8,298.11819894916664,1.0056582275
* c Car,PM*,3.8,133.76178425375,-60.64461105888889
* alf Del,**,3.8,309.90953000375,15.91207326
* iot Her,bC*,3.8,264.86619202541664,46.006333363888885
NAME del Lyr Cluster,OpC,3.8,283.375,36.916666666666664
* phi Cen,V*,3.802,209.56777833583334,-42.10075397527778
* b Vel,V*,3.81,130.15654237958333,-46.648743610277776
* s Car,V*,3.81,156.96970318833334,-58.739402964444444
* kap Per,PM*,3.81,47.374048155833336,44.857540649166666
* mu. Hya,PM*,3.81,156.5226095751909,-16.836289680850822
* ups UMa,dS*,3.81,147.74732083125,59.03873571277778
* ups02 Eri,PM*,3.82,68.88765973083332,-30.562341591944442
* ome CMa,Be*,3.82,108.70272444333334,-26.772669365
* del Sge,SB*,3.82,296.8469438699094,18.5343111841978
* lam And,RS*,3.82,354.3910108808333,46.45814944000001
* omi Her,Be*,3.827,271.88562802750005,28.762491067499997
* omi Per,**,3.83,56.07971684859081,32.28824801930338
* tau Cyg A,PM*,3.83,318.69792981584294,38.04544749289222
* 46 LMi,PM*,3.83,163.32793697291666,34.21487152555556
* alf Sct,PM*,3.83,278.80178234833335,-8.244070248055555
* x Car,cC*,3.83,167.1474583325,-58.97503770583334
* bet Ret,SB*,3.833,56.0499418213768,-64.8068828761338
* gam Aqr,PM*,3.834,335.4140599894978,-1.3873380586389
* del TrA,*,3.839,243.85945743374998,-63.68568033277778
* 109 Her,**,3.84,275.9245402806494,21.7697459448934
* tet01 Tau,SB*,3.84,67.14373347541667,15.962180397777777
* gam Ser,PM*,3.84,239.11326122833333,15.661616805555555
* p Vel,SB*,3.84,159.3255831079699,-48.225620792583946
* alf For,**,3.85,48.018863987500005,-28.987620467777777
* del Lep,PM*,3.85,87.83040052666666,-20.879089764444444
* eps Car B,*,3.85,125.6286496,-59.5095554
* lam Dra,V*,3.85,172.85091980166663,69.33107489333334
* del Col,SB*,3.85,95.5284038445245,-33.4363779377324
* mu. Sgr,s*b,3.85,273.4408701670833,-21.058831686944444
* q Vel,PM*,3.85,153.68398220708335,-42.121942581111114
* gam Aps,PM*,3.854,248.3628491125,-78.89714922333334
* tau Cen,PM*,3.86,189.4256811338191,-48.5413083207249
* alf Hor,PM*,3.86,63.5004768675,-42.294367557777775
* bet Pic,PM*,3.86,86.82119870875,-51.066511426388885
* rho Sco,SB*,3.86,239.22115099625,-29.214072551388888
* 20 Tau,PM*,3.87,56.45669400833333,24.36774621111111
* tau Her,Pu*,3.87,244.93515274999996,46.31336452777778
* eps Col,*,3.87,82.8031208045805,-35.4705167967303
* omi01 CMa,s*r,3.87,103.5331380463264,-24.1842129917749
* eps Phe,PM*,3.87,2.352663311602,-45.7474204006795
* l Eri,**,3.87,69.54510040170459,-14.304023184842224
* eta Eri,PM*,3.87,44.10687284958334,-8.8981450275
* rho Leo,s*b,3.87,158.20279865416666,9.306585956944446
* ups01 Cen,V*,3.87,209.66978618791669,-44.80358582416666
* mu. And,PM*,3.87,14.188383797083333,38.49934390111111
* iot Gru,SB*,3.877,347.58973980083334,-45.24671240277778
* d Cen,**,3.88,202.76106914624998,-39.40730527555556
* zet02 UMa,SB*,3.88,200.9846792480303,54.921807234712404
* tet Her,V*,3.88,269.06325226750005,37.25053731972222
* mu. Leo,PM*,3.88,148.19090226458334,26.006953300555555
* eta Cyg,*,3.88,299.07655092625,35.08342298861111
* mu. Vir,PM*,3.88,220.76509509083334,-5.658203531111112
* gam Mus,Pu*,3.88,188.11672263999998,-72.13298880583334
* nu. Tau,*,3.883,60.78908192916666,5.989299768333334
* l Eri A,PM*,3.89,69.54510425416667,-14.303983152777779
* kap Dra,Be*,3.89,188.3705919073186,69.7882314151456
* pi. Lup,**,3.89,226.28014567631791,-47.0510636022725
* kap CMa,Be*,3.89,102.46024719291667,-32.50847846722222
* eta Vir,SB*,3.9,184.9764536747692,-0.6668332137779
* 30 Mon,PM*,3.9,126.41513337833334,-3.9064216166666665
* lam Oph,**,3.9,247.72842974605487,1.9839224782032374
Cl Collinder 240,OpC,3.9,167.91667,-60.30972
* a Vel,*,3.91,131.5068496445833,-46.04152895166667
* psi Vel A,PM*,3.91,142.67469066037916,-40.46683082992695
* nu.02 CMa,PM*,3.91,99.17098989833333,-19.255879418055553
* gam Lib,**,3.91,233.88157836750003,-14.789535514166666
* eps Dra,PM*,3.91,297.04312388509123,70.26792579621083
* iot Hya,PM*,3.91,144.96400602375,-1.1428093030555555
* sig Cen,**,3.91,187.00992532708335,-50.23063534222222
* omi Per A,SB*,3.91,56.07971647641625,32.28824743534749
V* R Hor,Mi*,3.92,43.4698943768787,-49.8896480553542
* eps Her,SB*,3.92,255.0723907454167,30.92640458027778
* 38 Lyn,PM*,3.92,139.71101600165983,36.8025925152453
* nu. Eri,bC*,3.928,69.07975600791666,-3.352460188333333
* 67 Oph,*,3.93,270.1613061120053,2.9315542721127
* rho01 Sgr,dS*,3.93,290.41816424541673,-17.84719912222222
* lam Peg,PM*,3.93,341.6328244225,23.565654483333333
* alf Mon,PM*,3.93,115.31180237000001,-9.55113085638889
* l Pup,sg*,3.93,115.95195300916667,-28.954825559722224
* alf Equ,SB*,3.933,318.95596633208334,5.247845281111111
* del Phe,PM*,3.935,22.812936457083335,-49.072703010277785
* 50 Cas,*,3.938,30.858775754166665,72.42129381861112
* eps Pav,PM*,3.94,300.148148245,-72.91050549416667
* del Cnc,**,3.94,131.1712467108333,18.15430649861111
* kap Phe,PM*,3.94,6.5508409441666675,-43.67983136583333
* nu. Cyg,**,3.94,314.293412785,41.16713864138888
* alf Sgr,PM*,3.943,290.9715617845833,-40.61593623777778
* i Car,*,3.943,137.81967038708333,-62.31698041666667
* zet Vol,*,3.944,115.45525418416668,-72.60609907249999
* chi Lup,SB*,3.946,237.73974286708335,-33.627165366944446
* bet Cen B,*,3.95,210.95545783333336,-60.37318300555555
* nu. Aur,*,3.95,87.8723822515371,39.1484991610019
* bet Pyx,*,3.954,130.02559846083335,-35.3083514275
* rho Cen,*,3.96,182.9130335453453,-52.3684463090256
* 43 Eri,PM*,3.96,66.0092040482227,-34.0168473531961
* tau Per,Al*,3.96,43.5644517093782,52.7624681162437
* 10 UMa,SB*,3.96,135.15991945021585,41.782945873183664
* eta Col,*,3.96,89.78668830541667,-42.815133938888884
* gam Mon,*,3.96,93.71389026875,-6.2747744475000005
* ome Sco,bC*,3.97,241.70177883791663,-20.669191731944448
* del01 Gru,*,3.97,337.31739504250004,-43.49556236861111
* tau Aqr,*,3.98,342.39792320083336,-13.592632400277779
* b01 Aqr,PM*,3.98,350.74260858625,-20.10058231
* alf For A,PM*,3.98,48.01887218948417,-28.987619062475
* gam Tuc,PM*,3.98,349.3572949192763,-58.2357520110929
* omi02 Cyg,Al*,3.98,303.8680067864137,47.7142282943654
* del Vol,*,3.99,109.20759946500002,-67.95715232277777
* alf Vol,**,3.99,135.61164967041665,-66.39607576194446
* bet Mus B,*,4.0,191.57000806208,-68.10812212031306
* tet Dra,SB*,4.0,240.47227649166663,58.565251565555556
* mu. Eri,Al*,4.0,71.37562659083335,-3.254660156111111
* 13 Lyr,LP*,4.0,283.8337592854167,43.94609208027778
* nu. Sco,**,4.0,242.99889864963222,-19.46070447846264
* bet Phe A,*,4.0,16.521230312500002,-46.71849868611111
* alf Crv,PM*,4.0,182.10340218374998,-24.728875098333333
* b Cen,*,4.0,220.48996116499998,-37.79349834
* gam Tri,PM*,4.0,34.328612639583326,33.84719306916667
* zet Pav,PM*,4.003,280.75889700374995,-71.42811290694445
* bet01 Sgr,*,4.01,290.6595784089946,-44.4589854042831
* 41 Cyg,V*,4.01,307.34889838333334,30.368554660277777
* gam Pyx,PM*,4.01,132.63301175875003,-27.70984503
* g UMa,**,4.01,201.30640763875,54.98795966138889
* I Car,V*,4.01,156.09877488083333,-74.031612105
* zet Phe,Al*,4.014,17.09617290916667,-55.24575803166667
* iot Cnc,PM*,4.018,131.6742581911293,28.7598938708347
* ups Cet,PM*,4.02,30.00128817375,-21.07783182527778
* i Aql,V*,4.02,285.42011280625,-5.7391148408333335
* bet Cam,*,4.02,75.85454012875,60.442247090833334
* rho Cyg,PM*,4.02,323.49522077000006,45.59183829194445
* eps Mus,LP*,4.02,184.39282150291666,-67.96073573055556
* eps Aql,SB*,4.02,284.9056733698438,15.0683001960026
* gam02 Nor,PM*,4.02,244.96009277375,-50.155506187777775
* omi01 Eri,dS*,4.026,62.966414833333346,-6.837579552222222
* c Per,Be*,4.03,62.16538399083334,47.71251192694445
* eps Del,V*,4.03,308.3032163325,11.303261440833333
TYC 5233-2298-1,*,4.03,338.8388833333333,-0.11736944444444446
* 70 Oph,Ro*,4.03,271.363688269495,2.5000988299620857
* eta Aqr,PM*,4.03,338.8390885888176,-0.11749689949339108
* psi Cen,PM*,4.034,215.13930119583335,-37.88529309444445
* sig Leo,PM*,4.04,170.284139555,6.0293252625000004
* nu. Vir,LP*,4.04,176.46483155666667,6.529372579722223
* mu.01 Cru,V*,4.04,193.64843561958335,-57.17792292361111
* d Vel,*,4.046,131.0997724688164,-42.6492759178152
* alf Cha,PM*,4.047,124.63147162083337,-76.91972123111111
* rho Lup,V*,4.05,219.47177428,-49.42582771083333
* zet Cru,*,4.05,184.6093174623165,-64.0030872831313
* eps01 Ara,*,4.05,254.89603666125004,-53.16043647222222
* tet Boo,PM*,4.05,216.29915428624997,51.85074358166667
* c01 Cen,PM*,4.05,220.91433174583335,-35.17365518055555
* lam Lup,SB*,4.05,227.2108868772291,-45.2798613832426
* gam CrB A,PM*,4.05,235.68570560833334,26.295634380555555
* bet Cir,PM*,4.057,229.37854231958335,-58.801204810833326
* ups Gem,PM*,4.06,113.9806275723951,26.8957531812168
* ksi Per,**,4.06,59.74125954875,35.79103144583333
* phi Per,Be*,4.06,25.91515800375,50.68873134222222
* omi02 Ori,PM*,4.06,74.09281714958334,13.5144703325
* zet And,RS*,4.06,11.834689456666666,24.267178014166667
* gam Crt,PM*,4.06,171.22051508291668,-17.68400832722222
* iot Leo A,PM*,4.06,170.98105513292123,10.52950625196611
* tet Cap,PM*,4.07,316.4867826304166,-17.232861690277776
* ups Boo,PM*,4.07,207.36933660749997,15.797905634166668
* alf Crt,PM*,4.07,164.94360358416665,-18.29878256777778
* del Cet,bC*,4.07,39.870649123152255,0.32850959416661785
* mu. Cep,s*r,4.08,325.87692107249995,58.780044494722226
* iot Vir,PM*,4.08,214.00362293708332,-6.000545374444444
* pi. Cen A,*,4.08,170.25168580416667,-54.49102356111111
* tet CMa,PM*,4.08,103.5474990384733,-12.0386280706781
* alf CrA,PM*,4.087,287.3680873945833,-37.904472835
* kap Ser,PM*,4.09,237.18490318291668,18.141565061666665
* bet Phe B,*,4.09,16.521032120833336,-46.71840400277778
NGC 104,GlC,4.09,6.022329166666666,-72.08144444444444
* 1 Peg,PM*,4.09,320.52166365333335,19.804510127222223
* del Hyi,PM*,4.09,35.4372525533441,-68.6594136153268
* h Car,*,4.09,143.61104506125,-59.229751953055555
* tau03 Eri,PM*,4.09,45.59791412833333,-23.624470441111114
* phi02 Ori,PM*,4.09,84.22661744124999,9.290669320277777
* bet CrA,*,4.095,287.5073158466667,-39.34079565527778
* eps Hyi,PM*,4.096,39.89733837166667,-68.26694731111111
* ups And,PM*,4.1,24.199342348418114,41.405456742523214
HD 102350,Ce*,4.1,176.62842738208332,-61.178398987499996
* f Tau,SB*,4.1,52.7182623355639,12.9366802424624
V* T Aur,No*,4.1,82.9963248117502,30.4458427040077
* eps TrA,PM*,4.104,234.18009263583332,-66.31703705527778
* del02 Gru,LP?,4.11,337.43930841291666,-43.749221329166666
* ups01 Hya,*,4.11,147.86955765666667,-14.846603063888889
* P Pup,**,4.11,117.30956399083333,-46.373206167777774
* tet02 Eri,PM*,4.11,44.5683555455648,-40.3046944483362
* tet Per,PM*,4.11,41.049946008333336,49.22844753333333
* alf Psc A,*,4.11,30.511758234265,2.7637719610669444
* zet Gru,PM*,4.115,345.2199907044872,-52.7541307080145
* iot Eri,PM*,4.116,40.166812522499995,-39.85537615027778
* gam CMa,*,4.12,105.93955436875,-15.633286103055555
* gam Cha,V*,4.12,158.86711331583334,-78.6077866911111
* iot Psc,PM*,4.12,354.9876724016666,5.626290980277778
* ome Cap,V*,4.12,312.9553789499394,-26.9191364379686
* omi Vir,PM*,4.12,181.302252035,8.732986052222223
* e Ori,*,4.12,80.986781985,-7.808064778888889
* psi Cap,PM*,4.122,311.52388594375,-25.270897543055554
* bet Oct,PM*,4.128,341.51462908375,-81.38161444027777
* zet Tel,PM*,4.13,277.2077491645833,-49.07058672916667
* mu. Ori,SB*,4.13,90.59581950434398,9.647272789582379
* tet CrB,Be*,4.13,233.23242559618694,31.359132267070578
* iot Sgr,PM*,4.13,298.81540379458335,-41.86828855444445
* eps CrB,PM*,4.13,239.39688111375,26.87787876777778
* del Hya,**,4.131,129.4140403831453,5.703788174382
* kap Peg,SB*,4.135,326.16139676550046,25.645037762581552
* eta Cru,SB*,4.136,181.72041249875002,-64.61372899361112
* e Vel,*,4.14,129.41096991833334,-42.98908040138889
* nu. Gem,Be*,4.14,97.24077555916666,20.212134895555558
* kap And,PM*,4.14,355.10211513333337,44.333932387500006
* del Ser A,dS*,4.14,233.7005754037421,10.538894540538056
* del Mon,*,4.15,107.96608658000001,-0.4927696736111111
* 1 Lac,V*,4.15,333.99240304625,37.74873292833333
* lam Oph A,PM*,4.15,247.72841177213542,1.9839051346405556
* 1 Gem,SB*,4.15,91.03006433050544,23.26334447236106
* b Oph,PM*,4.153,261.5925728704167,-24.17531082777778
* H Sco,V*,4.156,249.09363300125,-35.25532785666667
* kap Cas,s*b,4.16,8.249963317916666,62.931782603888884
* mu. Per,SB*,4.16,63.72442719874999,48.40933088
* tet Aqr,PM*,4.16,334.20848480791665,-7.783291120833333
* tet Lib,PM*,4.16,238.45640859833333,-16.729293951388886
* rho Her,**,4.17,260.92060052375,37.14594279138889
* ksi Sco,SB*,4.17,241.09222739999996,-11.3731039
* g Eri,PM*,4.17,57.36352199458333,-36.20025112222223
* gam01 Vel,SB*,4.173,122.3721592515666,-47.3452874103066
* eps PsA,Be*,4.177,340.1639361668089,-27.0436021874599
* 23 Tau,Be*,4.18,56.58155767833333,23.94835590111111
* pi.02 Cyg,SB*,4.18,326.69836799083333,49.30956974888889
* rho Gem,PM*,4.18,112.27799528660326,31.784549252299783
* lam Boo,dS*,4.18,214.09591165208334,46.08830570166667
* j Pup,*,4.184,119.2147458175,-22.880120551666664
* 110 Her,PM*,4.19,281.41552376708336,20.54631030527778
* g Cen,LP*,4.19,207.36134062874999,-34.45077580777778
* sig Her,**,4.196,248.525755710133,42.436981898265
C 0519+409,OpC,4.2,80.577,41.025
NGC 3114,OpC,4.2,150.65,-60.12
C 0516+732,OpC,4.2,78.1625,73.97472
* 32 Ori,**,4.2,82.69604545293245,5.94813679249986
NGC 1981,OpC,4.2,83.7875,-4.431666666666667
* gam Dor,gD*,4.2,64.0066176296629,-51.4866441842472
* ksi Peg,PM*,4.2,341.67325489916664,12.172884846388888
* tau06 Eri,PM*,4.2,56.71203412958333,-23.249723495833337
* tet Lup,*,4.201,241.6481114670878,-36.802265568583
* kap01 Tau,PM*,4.201,66.34235438583335,22.2938715375
* lam Pav,Be*,4.207,283.05430944,-62.187592323055554
* del PsA,*,4.208,343.9870845692424,-32.5396237931265
* bet LMi,SB*,4.21,156.97083166458333,36.707210010555556
* gam CrA,**,4.21,286.6046255931351,-37.06344170144111
* kap Vir,PM*,4.21,213.2239391,-10.273703888055557
* eps UMi,RS*,4.212,251.492650176438,82.0372630157512
* tet Cep,SB*,4.22,307.3952716004427,62.9940615520928
* phi Aqr,SB*,4.22,348.580665196645,-6.0489996130549
* bet Sct,SB*,4.22,281.7935945558625,-4.7478788587818
HD 21291,s*b,4.22,52.2672038347725,59.9403370179231
* gam Pav,PM*,4.22,321.6108534883333,-65.36619846777778
* phi Dra,a2*,4.22,275.1893010132354,71.33781941082947
TYC 9111-1423-1,*,4.221,321.61040833333334,-65.36803611111111
* 2 UMi,PM*,4.225,17.187000217499996,86.25708999305556
* omi Ser,dS*,4.228,265.3536369279167,-12.87530794777778
* bet Cha,V*,4.229,184.58676912083337,-79.31224193444444
* i Cen,SB*,4.23,206.4218534383333,-33.04372214
* psi Per,Be*,4.23,54.12241592791667,48.192633039166665
* 52 Cyg,*,4.23,311.41563766625,30.71971543833333
* zet Tuc,PM*,4.23,5.017749880416666,-64.87479298888888
* N Sco,V*,4.23,247.84555417624995,-34.704365172222225
* 5 UMi,V*,4.235,216.88143063041665,75.69599212722223
* pi. Cet,SB*,4.236,41.030622001249995,-13.858698058611111
* tau Vir,*,4.237,210.41163922625,1.5445318166666666
* sig Cyg,sg*,4.24,319.3539685016667,39.39468133277778
* chi Cyg,S*,4.24,297.6413516266666,32.91405824527777
* bet Aps,PM*,4.24,250.76940215749997,-77.51743412277777
* J Pup,*,4.24,118.32565799875,-48.10293435444445
* alf Cnc,PM*,4.249,134.6217111800478,11.8576517137672
* kap Tuc,**,4.25,18.94234274608366,-68.87592656939103
* bet CVn,**,4.25,188.43560341458334,41.35747912694445
* pi. Aur,LP*,4.25,89.983742895838,45.9367433707963
* kap Eri,*,4.25,36.746340727916674,-47.70384021027778
* alf Ant,PM*,4.25,156.787929705665,-31.0677730541356
* 31 Lyn,LP*,4.25,125.70879165250003,43.18813122972222
* gam02 Del,PM*,4.25,311.6645799400576,16.1242877352627
* phi And,Be*,4.25,17.37552339943203,47.241794288193404
* 88 Tau,SB*,4.25,68.913563735333,10.1607670828146
* bet Com,PM*,4.25,197.96830744000002,27.8781815425
* psi01 Aqr,PM*,4.25,348.9728968920496,-9.08773367259389
* ksi UMa A,SB*,4.25,169.54542151666666,31.52916086111111
* del03 Tau A,PM*,4.25,66.37242521667834,17.927905648355836
HD 81817,SB*,4.255,144.2720324125,81.32638087305554
* tau Tau,SB*,4.258,70.5612193177035,22.9569151418211
* omi Psc,PM*,4.26,26.34843885871,9.1577534268754
* 58 Per,SB*,4.26,69.17262572499999,41.26481147222223
* x Vel,*,4.267,159.82663809583335,-55.6032673175
* Q Sco,PM*,4.267,264.1368870596596,-38.635252633119
* d Oph,PM*,4.269,261.83864879374994,-29.867035069722224
* phi Oph,PM*,4.27,247.78486384500002,-16.61273073111111
* alf01 Cap,**,4.27,304.4119545662771,-12.5082143316722
* ksi02 Cen,SB*,4.27,196.72766415541668,-49.90624509
* lam Eri,Be*,4.27,77.28659645083334,-8.754080784166668
* c Tau,PM*,4.27,69.5394235687195,12.5108310618623
* n Cen,PM*,4.27,193.35916671125,-40.17887334833333
* e Eri,PM*,4.27,49.981878896666665,-43.069782637500005
* alf Scl,Ro*,4.27,14.651497095416666,-29.357451309444446
* iot Cap,BY*,4.27,320.5616485325,-16.83454438861111
* bet02 Sgr,PM*,4.27,290.8047393708333,-44.79977919694444
* phi Her,a2*,4.27,242.1923620016318,44.9349256147416
* iot Aqr,SB*,4.27,331.60928091375,-13.869683737222223
* f Eri,**,4.27,57.14948850603648,-37.620150403529834
* 33 Cyg,PM*,4.271,303.3494442245833,56.56772220138889
* zet UMi,V*,4.274,236.01466214666664,77.7944941236111
* mu. Tau,*,4.279,63.8835702947469,8.8923587687858
* bet Hya,a2*,4.28,178.22717286745728,-33.90812977808355
* eps Psc,**,4.28,15.735869273750001,7.890134867222222
* ups Tau,dS*,4.282,66.57693198333332,22.813580138333332
* bet01 Tuc,**,4.289,7.886116974999998,-62.958218746388894
* lam Per,*,4.29,61.64601498083333,50.351263877499996
* nu. Cep,sg*,4.29,326.3621865783333,61.120805526944444
* alf Cam,s*b,4.29,73.51254332625001,66.34267679638889
* lam Lep,*,4.29,79.89385020208333,-13.17678910861111
* iot And,*,4.29,354.53417207625,43.26807357777778
* pi. Peg,*,4.29,332.4968488075,33.17822156222222
* ksi Cep,**,4.29,330.9477291109317,64.62797577182414
* sig Gem,RS*,4.29,115.82802908041667,28.88351171972222
* bet PsA,PM*,4.29,337.87637659374997,-32.346073707500004
* phi And A,*,4.294,17.375508599999996,47.24179658888889
* eta Crv,PM*,4.294,188.0176105425,-16.19600457583333
* del03 Tau,a2*,4.298,66.37243082441552,17.92790496841801
* 54 Eri,LP*,4.3,70.110464946996,-19.6714923051371
* eta Hya,bC*,4.3,130.80614580291666,3.398662975277778
* del02 Lyr,LP*,4.3,283.6261806258333,36.89861481416666
* ups Leo,*,4.3,174.23721191250002,-0.8237489733333333
* tet CrB A,*,4.3,233.2324295,31.359143102777782
* gam CMi,SB*,4.3,112.040804298873,8.925529987997301
* q Tau,*,4.3,56.302065750833336,24.46728048055555
* tau05 Eri,SB*,4.3,53.44698386833333,-21.63288417638889
* 10 Tau,PM*,4.3,54.217270009390006,0.3995935882605555
* mu. Ori A,SB*,4.3,90.5958197,9.647288305555556
IC 2581,OpC,4.3,156.87083333333334,-57.61666666666667
* tet Psc,PM*,4.3,351.99206370416664,6.378992221944444
V* RS Oph,No*,4.3,267.5548303236998,-6.7079115426855
* ksi02 Cet,*,4.3,37.0398210789746,8.4600602248073
* del Oct,PM*,4.304,216.73013517708333,-83.66788523055557
* j Cen,Be*,4.308,177.4210727056943,-63.7884527380832
* lam Leo,V*,4.31,142.93011472999999,22.967969555277776
* sig Oph,V*,4.31,261.6286691664737,4.1403576602174
* eps Mon,**,4.31,95.9425,4.595555555555555
* d Car,Pu*,4.313,130.15428159083334,-59.761001864166666
* omi Lup,**,4.313,222.90959537708335,-43.575360151666665
* g Car,V*,4.318,139.0503035704167,-57.54147240611111
* D Hya,*,4.32,131.59389768395,-13.5477083789797
* tet01 Cru,SB*,4.32,180.75625541374998,-63.31292795611111
* alf Com,**,4.32,197.49702168569598,17.52945526166217
* 54 Leo,**,4.32,163.90331907809252,24.749717296514444
* nu. Ser,*,4.324,260.2069228979166,-12.846875907500001
* pi. Pav,PM*,4.328,272.14506078750003,-63.66855295055555
* tet Cas,PM*,4.33,17.775676028333333,55.14990201638889
* ups02 Cen,SB*,4.33,210.4312549237316,-45.6033711103589
* ome Lup,PM*,4.33,234.51334881875,-42.56734565861112
* zet Mon,*,4.33,122.14852761666668,-2.9837877944444444
* l Aql,SB*,4.33,309.5845110215103,-1.1051211847703
* 119 Tau,s*r,4.33,83.05313544666666,18.59423433027778
* e Cen,PM*,4.33,193.27877594375,-48.943312166111106
* f Lup,V*,4.33,229.45765869666664,-30.148671252777778
* ksi01 CMa,bC*,4.33,97.96402649083335,-23.418421691666666
* ome02 Sco,PM*,4.33,241.85136740958336,-20.868764398055557
* tet Gru,**,4.332,346.71971026132354,-43.52035714808552
* del UMi,PM*,4.336,263.0541529529167,86.58646066027778
* tet Cha,PM*,4.337,125.16058562333333,-77.48447701694445
* rho Hya,*,4.337,132.1082107329167,5.837813425555555
* kap Lyr,V*,4.34,274.9654545183334,36.06454696555555
* gam Com,PM*,4.34,186.73446697125001,28.268422522499996
* iot PsA,PM*,4.34,326.2367059875,-33.025782785
* zet02 Aqr,**,4.34,337.2078700438454,-0.019964649560277777
* chi Cen,bC*,4.343,211.5115343525,-41.17963299444444
* 102 Her,*,4.347,272.18954757875,20.814557741666665
* nu. Sco A,SB*,4.349,242.99888889208376,-19.460690330788054
* 9 Peg,V*,4.35,326.12789922458336,17.350015850555558
* ksi01 Cet,EB*,4.35,33.2499903862645,8.846722865539899
* kap Aur,PM*,4.35,93.84453775666667,29.498076678611113
* pi.02 Ori,*,4.35,72.65301242708333,8.900180370277779
* M Vel,PM*,4.35,144.20641683,-49.35502446527778
* 15 Lyn,**,4.35,104.31918858666667,58.42276123194444
* v Cen,*,4.35,215.0814275875,-56.38649720888889
* tau02 Lup,**,4.352,216.54505741968393,-45.379278405963014
* pi. And,SB*,4.36,9.220205235416667,33.71934399944445
* del Dor,*,4.36,86.19324211041668,-65.73552808277778
* sig Per,V*,4.36,52.6436969935748,47.9952167839946
* gam Col,Pu*,4.36,89.38420657,-35.28328202111111
* zet01 Lyr,SB*,4.36,281.1931556395833,37.60511584805556
* 111 Her,PM*,4.36,281.7551352571979,18.1815105858727
* iot Aql,*,4.36,294.1803226752349,-1.2866067984979
* eta Phe,*,4.361,10.83849337875,-57.46305758527778
* ksi Pav,SB*,4.367,275.8068587682321,-61.493871216562
* 5 Lac,s*r,4.37,337.38259377416665,47.70688686305556
* del Ari,PM*,4.37,47.90735271916666,19.726677694166668
* kap Col,PM*,4.37,94.13806299875,-35.140517502777776
* tet01 Sgr,SB*,4.37,299.9340764045833,-35.27630692527778
* 37 Tau,PM*,4.37,61.17381183958333,22.08192341166667
* bet Scl,PM*,4.37,353.24274574500004,-37.818265833333335
* iot Oph,PM*,4.38,253.50196463416663,10.165360626388889
* eps And,PM*,4.38,9.63894722208625,29.311757941616946
* 31 Leo,PM*,4.38,151.97612735916667,9.99750639472222
* G CMi,PM*,4.38,120.56640245791665,2.3345700550000004
* bet Sge,*,4.38,295.2622480746724,17.4760418454674
* alf Sge,*,4.38,295.0241327254069,18.0138901660447
* tet Lyr,*,4.38,289.09206197,38.13372873416667
* iot CMa,bC*,4.385,104.03426719416667,-17.054240963333335
* ksi Oph,PM*,4.387,260.2515633370833,-21.112935078611113
* i Vel,*,4.39,165.0386009833333,-42.22585899888889
HD 60532,PM*,4.39,113.51325100174125,-22.296066216163055
* b02 Aqr,PM*,4.39,351.51160691791665,-20.642017509166667
* 16 Pup,*,4.393,122.25682253833332,-19.245014460833335
* nu. Ori,SB*,4.397,91.89302448291666,14.768473915555555
* tet Vir,**,4.397,197.4874348201032,-5.539018257673
* b Leo,Pe*,4.398,165.5823990375,20.179840697222225
* eps Vol,SB*,4.398,121.9824756417004,-68.61706353067721
* eta Lyr,SB*,4.398,288.4395346795833,39.145966691944444
* eps Mon A,*,4.398,95.9420482176731,4.5928574253916
* psi02 Aqr,Be*,4.4,349.4758905025,-9.182518756666665
* kap Cep,*,4.4,302.2222705186407,77.7114141274747
Cl Collinder 228,OpC,4.4,161.0,-60.086666666666666
* N Car,*,4.4,98.74408303749999,-52.975608855555556
* del Ind,**,4.4,329.47947306208334,-54.99257611805555
* ups Peg,PM*,4.4,351.3449312691667,23.40410016472222
* tau CMa,bL*,4.4,109.67702674625,-24.954372583055555
* kap Pav,WV*,4.4,284.2376288335335,-67.2334907310062
* ome Eri,SB*,4.4,73.22362480625,-5.452693666944445
* q Pup,PM*,4.4,124.63880413083334,-36.65928864027777
* 110 Vir,PM*,4.4,225.72515818125,2.0913040080555554
* chi01 Ori,RS*,4.4,88.59576245541668,20.276172788333334
* tet Gru A,PM*,4.401,346.7197158515554,-43.52035387128278
* gam Scl,PM*,4.406,349.70600317916666,-32.5320247125
V* V415 Car,Al*,4.408,102.46380893583334,-53.62244948722222
* pi. Cep,SB*,4.41,346.9743906898412,75.3874986252686
* E Hya,PM*,4.41,222.5720894242486,-27.9603718109889
* lam Her,V*,4.41,262.6846248723428,26.1106423588672
V* V Pup,bL*,4.41,119.56016332833333,-49.24491118666667
* nu. Her,LP*,4.41,269.62562122124996,30.189274171388888
* psi Phe,LP*,4.41,28.41142097375,-46.302667998611106
* 30 Psc,LP?,4.41,0.4900634416232,-6.0140745637341
* phi01 Ori,SB*,4.41,83.7051584875,9.489579948333331
* del Del,dS*,4.417,310.86472243041663,15.074577028333332
* h01 Pup,LP*,4.42,122.839551071623,-39.6185462771057
* tau Gem,**,4.42,107.78487675416667,30.245161974444446
* lam Ser,PM*,4.42,236.6108934547706,7.3530671242901
* a Cen,Ro*,4.42,215.75932928916666,-39.51181923611111
* pi. Eri,LP?,4.42,56.5355691425988,-12.1015824751791
* ups Cyg,Be*,4.42,319.4795292317002,34.8968805485611
* eta And,SB*,4.42,14.301667427083332,23.417648785277777
* sig Lup,El*,4.423,218.1544027875,-50.45715961361111
* k02 Pup,V*,4.429,114.70779457124874,-26.80384611259195
* 68 Oph,**,4.429,270.4383284904166,1.3050770905555555
* omi02 Eri,Er*,4.43,63.817998858333326,-7.652871690833334
* r Car,V*,4.43,158.89707172041668,-57.55763429527777
* chi Oph,Be*,4.43,246.75597912166668,-18.456248273333333
* nu.03 CMa,*,4.43,99.47259001999291,-18.237476146792776
* sig Hya,*,4.43,129.68932277041665,3.3414361380555557
* 7 Cam,SB*,4.433,74.321650385,53.75210150138889
* del02 Cha,*,4.433,161.44585364041666,-80.54018847166665
* 2 Lyn,EB*,4.434,94.90576908124999,59.01096340944444
* del Psc,PM*,4.44,12.170601392096483,7.585081273008149
* k Aqr,LP*,4.44,311.93432910291665,-5.027700549444444
* nu. Psc,*,4.44,25.357891290416667,5.4876128402777775
* kap Lep A,*,4.44,78.30782889035333,-12.941285173160278
* rho Ori,**,4.44,78.32283393987922,2.8612632934722204
* 39 Cyg,SB*,4.44,305.96508624541667,32.190171971388885
* h02 Pup,SB*,4.44,123.5122644229141,-40.3479080750754
* eps Ret,PM*,4.44,64.12095505666667,-59.3021559375
* bet Lac,**,4.44,335.89009894416665,52.2290457375
* w Vel,SB*,4.446,135.02253772125,-41.253605255555556
* bet Crt,SB*,4.449,167.9145071666443,-22.8258459776305
* mu. Aql,PM*,4.45,293.5223063866667,7.378938776666667
* alf Vul,PM*,4.45,292.17637481375,24.664903459722222
* tau Dra,PM*,4.45,288.887411996952,73.3555201699526
* phi Leo,PM*,4.45,169.16541498833334,-3.6516047272222223
* alf Cae,PM*,4.45,70.14047105515584,-41.86375207330457
* ome Oph,a2*,4.45,248.03416594708335,-21.466392223611113
* iot Lep,**,4.45,78.07459126708333,-11.869218410833334
* ksi Cep A,SB*,4.45,330.9475682987575,64.62795379527083
* 32 Eri,**,4.45,58.57292416856885,-2.9547342990259793
* lam Gru,PM*,4.458,331.528690345,-39.54335162499999
* pi.06 Ori,V*,4.459,74.6370948130825,1.714021804164
* 7 Cet,LP?,4.46,3.6600689679166667,-18.932865135555556
* 32 Ori A,*,4.46,82.69604353739334,5.948158501017778
* tau01 Eri,PM*,4.46,41.275847669024,-18.5726329527701
* kap Leo,**,4.46,141.16357808208335,26.182323603055554
* bet For,RG*,4.46,42.2725801698282,-32.4058959748503
* 11 Lac,PM*,4.46,340.12857836166665,44.276306733611115
* B Cen,PM*,4.46,177.7862145330417,-45.1734691666243
* 26 UMa,PM*,4.463,143.70596912916665,52.05147680277778
* G Car,SB*,4.467,136.28672122041667,-72.60270657166666
* eps Tuc,Be*,4.47,359.9790733966667,-65.577133435
* c01 Aqr,**,4.47,346.6701817421779,-23.7430186847677
HD 20644,*,4.47,50.0848379625,29.048456981944447
HD 105382,Be*,4.47,182.0217717210425,-50.6612712618232
* 18 Mon,SB*,4.47,101.9651979823357,2.4121778245471
* sig Boo,PM*,4.47,218.6700715868679,29.7451288016606
* b Pup,SB*,4.474,118.16102760416666,-38.86281401861111
* 54 Leo A,PM*,4.477,163.90334440324582,24.749735666561946
V* BE Cam,LP*,4.48,57.3803225882985,65.5259879849395
* 71 Tau,dS*,4.48,66.5865542458033,15.6182745907241
* rho Ori A,SB*,4.48,78.32280039809584,2.8612398120944444
* f UMa,PM*,4.48,137.21774013541668,51.60464804666667
* ksi Ori,SB*,4.48,92.98498721291668,14.208765429444444
* tet Cyg,PM*,4.48,294.1105598179167,50.221101270277785
* lam CMa,*,4.48,97.04253113375,-32.58006819111112
* tet Ind A,**,4.483,319.9666281620567,-53.44942351112388
* ome02 Aqr,PM*,4.484,355.68060302833334,-14.544903420555555
* bet02 Tuc A,PM*,4.488,7.889449999999998,-62.965563888888894
* f Car,Be*,4.49,131.67728867958334,-56.76977561333333
* del Tuc,**,4.49,336.83319990589746,-64.96636930086807
* alf Sex,*,4.49,151.9845088792461,-0.3716731990412
* tau Boo,Ro*,4.49,206.81559750230946,17.456904217850756
* 16 Lib,PM*,4.49,224.2958265864717,-4.3464591458927
* 21 LMi,dS*,4.49,151.8573456575,35.24469346388889
* I Pup,a2*,4.49,108.14010406333333,-46.75930414222222
* zet01 Aqr,PM*,4.49,337.2078600866833,-0.020544972322777775
HD 211073,**,4.49,333.469697131226,39.7149289319275
* omi Pup,Be*,4.49,117.02153497375,-25.937170076666668
* del Equ,SB*,4.49,318.6200637820833,10.006979410555555
* 30 Gem,PM*,4.49,100.9970290431192,13.2280052210075
* gam Pic,PM*,4.494,87.45692422666667,-56.16666132
* eta Ind,dS*,4.495,311.00972517624996,-51.92097138361111
* m Car,V*,4.498,144.83749784916668,-61.32806019055556
* omi Cas,Be*,4.5,11.181327770833333,48.28436488138889
* 13 Mon,*,4.5,98.2259517271024,7.3329634202214
* b Cap,PM*,4.5,322.1808362504167,-21.807180669999997
* gam Ret,LP*,4.5,60.22420249541666,-62.15928472611111
* psi Oph,PM*,4.5,246.0257693445833,-20.037327339166666
* tau Aur,*,4.5,87.2934927325,39.18107297305556
* 24 Cap,PM*,4.5,316.7819471954167,-25.005855289166664
* mu. PsA,PM*,4.5,332.0958949059994,-32.9884384053261
* rho Dra,PM*,4.5,300.70446951458337,67.8735637297222
* k01 Pup,*,4.5,114.70574977320709,-26.801764276005276
M 41,OpC,4.5,101.50416666666668,-20.756666666666664
* ksi02 CMa,*,4.5,98.7641191154537,-22.9648031497184
* mu. Cyg,**,4.5,326.0357402981634,28.742626869585"""
| mag45 = '* alf CMa,SB*,-1.46,101.28715533333335,-16.71611586111111\n* alf Car,*,-0.74,95.98795782918306,-52.69566138386201\n* alf Cen,**,-0.1,219.87383306,-60.83222194\nNAME CMa Dwarf Galaxy,G,-0.1,108.15,-27.666666666666668\n* alf Boo,RG*,-0.05,213.915300294925,19.1824091615312\n* alf Cen A,SB*,0.01,219.90205833170774,-60.83399268831004\n* alf Lyr,dS*,0.03,279.234734787025,38.783688956244\n* alf Aur,SB*,0.08,79.17232794433404,45.99799146983673\n2MASS J22472789+5807236,V*,0.128,341.866227,58.123245\n* bet Ori,s*b,0.13,78.63446706693006,-8.201638364722209\n* alf CMi,SB*,0.37,114.82549790798149,5.224987557059477\nNAME LMC,G,0.4,80.89416666666666,-69.75611111111111\n* alf Ori,s*r,0.42,88.79293899077537,7.407063995272694\n* alf Eri,Be*,0.46,24.428522833333336,-57.236752805555554\n* bet Cen,bC*,0.58,210.95585562281522,-60.373035161541594\n* alf Aql,dS*,0.76,297.69582729638694,8.868321196436963\n* alf Tau,LP?,0.86,68.9801627900154,16.5093023507718\n* alf Sco,**,0.91,247.3519154198264,-26.432002611950832\n* alf Vir,bC*,0.97,201.2982473615632,-11.161319485111932\nSN 2009jb,SN*,1.07,260.92379166666666,30.49738888888889\n* bet Gem,PM*,1.14,116.32895777437875,28.02619889009357\n* alf PsA,**,1.16,344.4126927211701,-29.622237033389442\n* bet Cru,bC*,1.25,191.9302865619529,-59.68877199622606\n* alf Cyg,sg*,1.25,310.35797975307673,45.280338806527574\n* alf01 Cru,*,1.28,186.6495666666667,-63.09909166666667\n* alf Cen B,PM*,1.33,219.89609628987276,-60.83752756558407\n* alf Leo,PM*,1.4,152.09296243828146,11.967208776100023\n* eps CMa,*,1.5,104.65645315148348,-28.972086157360806\n* alf Gem,**,1.58,113.64947163976585,31.88828221646326\n* alf02 Cru,*,1.58,186.65184166666666,-63.09952222222222\n* lam Sco,bC*,1.62,263.40216718438023,-37.10382355111976\n* gam Cru,PM*,1.64,187.79149837560794,-57.11321345705891\n* gam Ori,V*,1.64,81.28276355652378,6.3497032644440665\n* bet Tau,PM*,1.65,81.57297133176498,28.607451724998228\n* eps Ori,s*b,1.69,84.05338894077023,-1.2019191358333312\n* bet Car,PM*,1.69,138.29990608310192,-69.71720759721548\n* alf Gru,PM*,1.71,332.05826969609114,-46.96097438191952\n* zet Ori,**,1.77,85.18969442793068,-1.9425735859722049\n* eps UMa,a2*,1.77,193.5072899675,55.95982295694445\n* alf Per,V*,1.79,51.08070871833333,49.86117929305556\n* alf UMa,SB*,1.79,165.9319646738126,61.751034687818226\n* gam02 Vel,WR*,1.83,122.38312555977059,-47.336586329303486\n* del CMa,s*y,1.84,107.09785021416667,-26.39319957888889\n* tet Sco,*,1.85,264.3297077207907,-42.99782799333082\n* eps Sgr,**,1.85,276.0429933505963,-34.38461648586744\n* eta UMa,PM*,1.86,206.88515734206297,49.31326672942533\n* eps Car,**,1.86,125.62848024272952,-59.509484191917416\n* alf UMa A,PM*,1.87,165.93195263333334,61.75103334166666\n* bet Aur,Al*,1.9,89.88217886833333,44.94743257194444\n* zet Ori A,**,1.9,85.18969642916667,-1.9425723222222224\n* alf Gem A,SB*,1.9,113.64942845,31.88827619166667\n* alf Pav,SB*,1.918,306.4119043651986,-56.73508972631689\n* gam Gem,SB*,1.92,99.42796042942895,16.399280426663772\n* alf TrA,*,1.92,252.1662295073803,-69.02771184691984\n* del Vel,Al*,1.95,131.17594410269234,-54.70881924765521\n* bet CMa,bC*,1.97,95.67493896958332,-17.955918708888888\n* alf Hya,*,1.97,141.89684459585948,-8.658599531745583\n* gam01 Leo,PM*,1.98,154.9931435916667,19.841488666666663\n* bet Cet,PM*,2.01,10.897378736003901,-17.98660631592891\n* alf Ari,PM*,2.01,31.79335709957655,23.46241755020095\n* eps Car A,*,2.01,125.6284741,-59.509480700000005\n* alf UMi,cC*,2.02,37.954560670189856,89.26410896994187\n* bet And,PM*,2.05,17.43301617293042,35.62055765052624\n* tet Cen,PM*,2.05,211.670614682339,-36.369954742511496\n* kap Ori,s*b,2.06,86.93912016833333,-9.66960491861111\n* alf And,a2*,2.06,2.0969161856756404,29.090431118059698\n* sig Sgr,**,2.067,283.81636040649323,-26.29672411476388\n* alf Oph,**,2.07,263.73362272030505,12.560037391671425\n* bet UMi,V*,2.08,222.67635749796767,74.15550393675127\n* gam01 And,SB*,2.1,30.97480120653972,42.32972842352701\nCl Collinder 135,OpC,2.1,109.32083333333334,-36.81666666666667\n* bet Gru,LP?,2.11,340.66687612556166,-46.884576444824646\n* bet Per,EB*,2.12,47.04221855625,40.95564667027778\n* bet Leo,dS*,2.13,177.26490975591017,14.572058064829658\n* gam Cen,**,2.17,190.37933367081536,-48.959871515023295\nNAME SMC,G,2.2,13.158333333333333,-72.80027777777778\n* lam Vel,LP*,2.21,136.99899113791412,-43.432590908860746\n* zet01 UMa,SB*,2.22,200.9814286375,54.92536182777777\n* gam Cyg,V*,2.23,305.55709098208337,40.25667915638889\n* alf Cas,PM*,2.23,10.126837782916667,56.53733115833333\n* gam Dra,*,2.23,269.1515411786243,51.48889561763423\n* alf CrB,Al*,2.24,233.6719500152086,26.714692780601993\n* zet Pup,BY*,2.25,120.89603140977576,-40.003147798268934\n* iot Car,V*,2.26,139.27252857166667,-59.275232029166666\n* bet Cas,dS*,2.27,2.2945215777878776,59.14978109800713\n* alf Lup,bC*,2.286,220.4823157775,-47.38819874611111\n* eps Sco,PM*,2.29,252.54087838625,-34.29323159305555\n* eps Cen,bC*,2.3,204.97190723090242,-53.466391146088995\n* eta Cen,Be*,2.31,218.8767673375,-42.15782521722222\n* del Sco,SB*,2.32,240.08335534565887,-22.621706426005783\n* gam Leo,**,2.37,154.99312733272745,19.84148521911754\n* alf Phe,SB*,2.37,6.5710475153919266,-42.305987194396046\n* bet UMa,PM*,2.37,165.46031890416668,56.38242608666667\n* kap Sco,bC*,2.386,265.62198000035505,-39.02998307638737\n* eps Peg,LP*,2.39,326.04648391416663,9.875008653333333\n* eps Boo,**,2.39,221.24673940278586,27.074224971737152\n* gam Cas,Be*,2.39,14.177215416666668,60.71674027777778\n* del Ori,Al*,2.41,83.00166705557675,-0.29909510708333326\n* eta Oph,**,2.42,257.5945287106208,-15.724906641710527\n* bet Peg,LP*,2.42,345.9435727452067,28.082787124606668\n* gam UMa,Em*,2.44,178.45769715249997,53.69475972916666\n* eps Boo A,*,2.45,221.2467631083333,27.074207219444446\n* eta CMa,s*b,2.45,111.02375950100142,-29.303105508471724\n* alf Cep,PM*,2.46,319.6448846972256,62.5855744637194\n* eta Oph A,PM*,2.463,257.5944336,-15.7251428\n* kap Vel,SB*,2.473,140.52840670833334,-55.01066713416667\n* alf Peg,PM*,2.48,346.19022269142596,15.205267147927536\n* eps Cyg,**,2.48,311.5528431704166,33.97025692388889\n* bet Sco,**,2.5,241.35929166666665,-19.80538888888889\nNGC 1980,OpC,2.5,83.85,-5.915000000000001\n[SC96] Mis 162,*,2.51,253.0,-38.03333333333333\n* del Cen,Be*,2.52,182.08957348875,-50.722427392777774\n* del Leo,PM*,2.53,168.52708926588556,20.523718139047475\n* alf Cet,LP?,2.53,45.56988780332224,4.089738771805157\n* zet Cen,SB*,2.55,208.88494019857197,-47.28837451101241\n* zet Oph,Be*,2.56,249.28974606041666,-10.56709151972222\n* alf Lep,V*,2.57,83.18256716166667,-17.82228927222222\n* gam Crv,PM*,2.58,183.9515450373768,-17.541930457603193\n* zet Sgr,**,2.585,285.6530426563352,-29.88006330096877\nCl Collinder 121,OpC,2.6,104.08333333333336,-24.729999999999997\nNGC 6231,OpC,2.6,253.53545833333334,-41.82666666666667\n* bet Lib,PM*,2.62,229.25172424914246,-9.382914410334685\n* tet Aur,a2*,2.62,89.93029217610834,37.21258462923103\n* bet01 Sco,SB*,2.62,241.3592999275,-19.805452782777778\n* alf Ser,PM*,2.63,236.06697631625,6.425628686666666\n* bet Crv,PM*,2.64,188.59681183041667,-23.396760403611108\n* alf Mus,**,2.649,189.29590786916668,-69.1355647886111\n* alf Col,Be*,2.65,84.91225429958334,-34.07410971972223\n* bet Ari,SB*,2.65,28.66004578884514,20.808031471916408\n* del Sgr,*,2.668,275.24851476000003,-29.828101644166665\n* bet Lup,PM*,2.68,224.63302234983436,-43.13396384896446\n* del Cas,Al*,2.68,21.453964462083334,60.23528402972222\n* eta Boo,SB*,2.68,208.67116216800866,18.397720717229475\n* mu. Vel,**,2.69,161.6924115354181,-49.420256789972576\n* iot Aur,V*,2.69,74.24842120291667,33.1660995775\n* pi. Pup,LP*,2.7,109.28565325467379,-37.09747115430162\n* mu. Vel A,PM*,2.7,161.69244928333333,-49.42026028888888\n* ups Sco,*,2.7,262.6909880116666,-37.295813475277775\n* gam Aql,*,2.72,296.5649178783333,10.613261329999998\n* iot Cen,PM*,2.73,200.14922006503957,-36.712304581225\n* gam Vir,**,2.74,190.41518098346438,-1.4493728192292532\n* eta Dra,PM*,2.74,245.99787756251087,61.514235454450834\n* alf02 Lib,SB*,2.75,222.7196378915803,-16.041776519834446\n* del Oph,PM*,2.75,243.5864105303868,-3.6943225643644135\n* bet Oph,PM*,2.75,265.86813603416664,4.567304301111111\n* del Cru,Pu*,2.752,183.78631968541666,-58.74892692666667\n* tet Car,SB*,2.76,160.73917486416664,-64.39445022111111\n* gam Lup,El*,2.765,233.78520144771352,-41.16675686900692\n* bet Her,SB*,2.77,247.55499811083337,21.48961132722222\n* iot Ori,SB*,2.77,83.85825794708333,-5.9099009825\n* eps Vir,PM*,2.79,195.54415770666668,10.959150400833332\n* bet Hyi,PM*,2.79,6.4377931550222804,-77.25424611998604\n* bet Eri,PM*,2.79,76.96243955494712,-5.086445970102491\n* zet Her,SB*,2.8,250.32150433146228,31.602718703799262\nCl Collinder 69,OpC,2.8,83.775,9.933333333333332\n* lam Sgr,PM*,2.81,276.99266966041665,-25.421698496944444\n* bet Dra,*,2.81,262.60817373291667,52.30138870861111\n* rho Pup,dS*,2.81,121.88603676458334,-24.304324429444446\n* tau Sco,*,2.81,248.97063688749995,-28.2160170875\n* gam Cen A,PM*,2.82,190.37930732083333,-48.95991231666667\n* alf Tuc,SB*,2.82,334.6253949308333,-60.25959064083334\n* del Cap,Al*,2.83,326.76018433125,-16.12728708527778\n* alf Hyi,PM*,2.84,29.692477791250003,-61.56985966055556\n* bet Lep,**,2.84,82.061346495,-20.759441053055554\n* gam Peg,bC*,2.84,3.3089634616666666,15.183593544166667\n* bet Ara,*,2.85,261.32495146958337,-55.5298852125\n* bet TrA,PM*,2.85,238.785675265,-63.43072653638888\n* zet Per,V*,2.85,58.53301031291666,31.88363368388889\n* mu. Gem,LP*,2.87,95.74011192619564,22.513582745904277\n* eta Tau,Be*,2.87,56.871152303749994,24.105135651944444\n* del Cyg,PM*,2.87,296.24366058875,45.13081001833333\n* gam Cen B,PM*,2.88,190.37923070833335,-48.959576850000005\n* alf02 CVn,a2*,2.88,194.00694257125,38.31837614166667\n* zet Her A,*,2.88,250.3227706,31.6019369\n* pi. Sgr,**,2.88,287.440970525,-21.023613981944443\n* eps Per,bC*,2.89,59.46346686333334,40.0102153175\n* bet CMi,Be*,2.89,111.78767390541668,8.2893157625\n* bet Aqr,*,2.89,322.8897154783333,-5.5711755572222215\n* sig Sco,bC*,2.89,245.29714880583333,-25.592792076666665\n* gam TrA,PM*,2.89,229.72742493083337,-68.67954593388889\n* pi. Sco,bL*,2.91,239.71297182416666,-26.114107945\n* tau Pup,SB*,2.93,102.48403524791667,-50.61456768777778\n* gam Per,Al*,2.93,46.1991280875,53.50643575694444\n* del Crv,PM*,2.94,187.46606318416664,-16.515431261666667\n* gam Eri,LP?,2.94,59.50736228708333,-13.508519380555555\n* alf Aqr,*,2.94,331.4459830479167,-0.31984910166666664\n* alf Ara,Be*,2.95,262.9603813675,-49.87614501138889\n* eta Peg,SB*,2.95,340.750515505636,30.2211186300423\n* eps Leo,V*,2.98,146.46280541833335,23.77425578722222\n* eps Crv,PM*,2.98,182.53116909374998,-22.6197672175\n* mu.01 Sco,bL*,2.98,252.9675653854426,-38.0473987266926\n* eps Gem,V*,2.98,100.98302607916666,25.13112541222222\n* gam02 Sgr,PM*,2.99,271.45203374499994,-30.424089849444446\n* ups Car,*,2.99,146.77550706492468,-65.07200742206864\n* eps Aur,EB*,2.99,75.4922044211734,43.823297597089\n* zet Aql,PM*,2.99,286.35253339791666,13.86347728111111\n* iot01 Sco,s*y,2.992,266.89617137458333,-40.12699704138889\n* zet CMa,Ce*,3.0,95.07830016583333,-30.063366733888888\n* gam Hya,SB*,3.0,199.73040494,-23.171514278055557\nCl Melotte 186,OpC,3.0,270.275,2.8999999999999995\n* alf Gem B,SB*,3.0,113.65041855,31.888491991666665\n* bet Tri,SB*,3.0,32.38594634196055,34.98729706469149\n* gam UMi,dS*,3.002,230.18215016291666,71.83401654472222\n* gam Gru,PM*,3.01,328.4821924841667,-37.36485527055556\n* psi UMa,PM*,3.01,167.41586948500003,44.49848668055556\n* del Per,Be*,3.01,55.73126773375001,47.78754850916667\n* omi02 CMa,s*b,3.02,105.7561338125,-23.83329230777778\n* gam Boo,dS*,3.02,218.01946581833334,38.30825118611111\n* zet Tau,Be*,3.03,84.41118926291666,21.14254411222222\n* mu. UMa,SB*,3.05,155.58224902458335,41.49951919583333\n* alf Her,**,3.06,258.66190909203993,14.39034061013818\n* del Dra,PM*,3.07,288.13875818541663,67.66154043916667\n* zet Ara,*,3.076,254.65505070374996,-55.99014452833334\n* bet01 Cap,SB*,3.08,305.2527011844837,-14.7814940556269\n* bet01 Cyg,**,3.08,292.68033547998493,27.959680072081934\n* zet Hya,PM*,3.1,133.84844223,5.945565383333333\n* alf Ind,PM*,3.11,309.3918000320833,-47.2915007225\n* kap Cen,**,3.11,224.79035390916664,-42.10419636638889\n* eta Sgr,LP?,3.11,274.4068127158333,-36.76168520083333\n* nu. Hya,PM*,3.11,162.40620310375002,-16.193648885833333\n* bet Col,PM*,3.12,87.73996749625,-35.768309780833334\n* iot UMa A,SB*,3.13,134.80191551115124,48.04183153024583\n* del Her,SB*,3.13,258.7579607430354,24.839206966655976\n* N Vel,V*,3.139,142.80549547374997,-57.03437716111111\n* alf Lyn,PM*,3.14,140.26375309624999,34.392562373888886\n* phi Sgr,PM*,3.14,281.4141087679167,-26.99077623361111\n* iot UMa,**,3.14,134.8018900723819,48.04182614451662\n* lam Cen,*,3.14,173.9453295159701,-63.019832356534\n* zet Dra,**,3.17,257.1966498433333,65.71468427333335\n* nu. Pup,Ce*,3.17,99.44029730291668,-43.19593338083333\n* pi. Her,V*,3.18,258.7618098475,36.809162316666665\n* eta Aur,PM*,3.18,76.62872238916667,41.23447575583333\n* eps Lep,PM*,3.18,76.36527237416666,-22.37103441472222\n* tet01 Eri,PM*,3.18,44.56533007924458,-40.30467935154805\n* tet UMa,PM*,3.18,143.21430789125,51.67730030611111\n* alf Cir,a2*,3.19,220.62674825166664,-64.97513706972224\n* del Lup,bC*,3.19,230.3430218199073,-40.6475061746641\n* pi.03 Ori,PM*,3.19,72.46004544041666,6.9612745261111115\n* bet01 Cyg A,*,3.2,292.68035833333334,27.959677777777777\n* kap Oph,LP?,3.2,254.41707437458334,9.375031276666666\n* sig Lib,LP*,3.21,226.01756698541666,-25.28196128777778\n* G Sco,*,3.21,267.4645033891667,-37.043304866666666\n* zet Cyg,SB*,3.21,318.23410806124997,30.226915463055555\n* tet Aql,SB*,3.22,302.8261886683333,-0.821461845\n* eps Oph,PM*,3.23,244.58037392958335,-4.692509573888889\n* bet Cep,bC*,3.23,322.1649868804167,70.56071518916666\n* eta Ser,PM*,3.25,275.3275023166667,-2.8988268319444446\n* gam Lyr,*,3.25,284.73592672374997,32.68955563749999\n* sig Pup,SB*,3.25,112.30762704874999,-43.30143323944444\n* gam Hyi,PM*,3.26,56.80975258791666,-74.23896350222223\n* eta Oph B,*,3.26,257.59432,-15.725182199999999\n* tet Oph,bC*,3.26,260.502413945,-24.99954638166667\n* p Car,Be*,3.27,158.0060956995833,-61.68533230777778\nASAS J091626-6728.7,Mi*,3.27,139.1069400731429,-67.4765652941471\n* pi. Hya,PM*,3.28,211.59290619374997,-26.682361771666667\n* alf Dor,a2*,3.28,68.49907161292998,-55.04497896378182\n* del And,SB*,3.28,9.831979920416668,30.86102175555556\n* eta Gem,RG*,3.28,93.71935536055373,22.506787327170834\n* del Aqr,PM*,3.28,343.6625475842515,-15.8207911338047\n* iot Dra,V*,3.29,231.23239427708333,58.966065123611116\n* mu. Lep,a2*,3.29,78.2329382957827,-16.2054593837172\n* ksi Pup,*,3.3,117.32356527416665,-24.859786241388893\n* bet Phe,**,3.3,16.520997989851963,-46.71841069311463\n* alf Pic,PM*,3.3,102.04772968012593,-61.941389121171916\n* tau Sgr,PM*,3.31,286.7350220570564,-27.6704470646932\n* del UMa,PM*,3.32,183.85650263625,57.03261544611111\n* eta Sco,PM*,3.33,258.03831522125006,-43.23919181277778\n* alf Her A,LP*,3.33,258.66188642083335,14.390371047222223\n* ome Car,Be*,3.33,153.43423914083334,-70.03790452916667\n* nu. Oph,PM*,3.34,269.7566329704167,-9.773633292222222\n* gam Ara,Be*,3.34,261.3485804629167,-56.37772632638889\n* zet Cep,EB*,3.35,332.71365381625003,58.20126266305555\n* q Car,LP*,3.35,154.2707304375,-61.33230230583334\n* tet Leo,PM*,3.35,168.56001859583333,15.429570579444444\n* eta Ori,Al*,3.35,81.11923634279408,-2.3971475397222215\n* ksi Gem,PM*,3.36,101.32235133541666,12.895591979722221\n* del Aql,**,3.36,291.3745891389376,3.114779474957126\n* alf Ret,PM*,3.36,63.606183908750005,-62.4738587975\n* eps Lup,SB*,3.366,230.67028440250002,-44.68961517694444\n* eps Cas,Be*,3.37,28.5988590707424,63.6701033935922\n* zet Vir,PM*,3.38,203.6733057474454,-0.59583601793\n* del Vir,RG*,3.38,193.90086919083333,3.3974703402777777\n* eps Hya,Ro*,3.38,131.6938009684597,6.4188015227537685\n* nu. Cen,SB*,3.386,207.37615182833332,-41.687708908055555\n* rho Per,LP*,3.39,46.29414106098047,38.84027619029382\nC 1652-407,OpC,3.4,253.87498,-40.83333\n[SC96] Mis 190,UV,3.4,253.725,-40.733333333333334\n* l Car,cC*,3.4,146.31171343583335,-62.50790330388889\n* a Car,SB*,3.4,137.74202661833334,-58.966893668055555\n* bet Pav,*,3.408,311.2395582895834,-66.20321409888889\n* zet Leo,V*,3.41,154.17256653291665,23.417311688888887\n* eta Leo,*,3.41,151.8331327525,16.76266118611111\n* eta Lup,*,3.41,240.0305327325,-38.39670867916667\n* eta Cep,PM*,3.41,311.32239814166667,61.83878242694445\n* gam Phe,SB*,3.41,22.091363612083335,-43.31823615916667\n* tet02 Tau,dS*,3.41,67.1656022796287,15.870867390805\n* lam Tau,Al*,3.41,60.17006548958334,12.490340538055555\n* 42 Peg,PM*,3.41,340.36550299,10.831363310277778\n* zet Lup,PM*,3.41,228.0712331483333,-52.09924775444445\n* bet Lyr,EB*,3.42,282.5199801966666,33.362669438333334\n* mu.01 Her,**,3.42,266.6146944908333,27.720677217777776\n* alf Tri,SB*,3.42,28.27044623333333,29.57882780388889\n* omi UMa,PM*,3.42,127.56612766708334,60.71816986416667\n* lam Aql,PM*,3.43,286.5622487916562,-4.8825643047012\n* mu. Cen,Be*,3.43,207.40411928916666,-42.47373044277778\n* chi Car,bC*,3.431,119.194680088393,-52.9823317564599\n* eta Cas,PM*,3.44,12.276211317083334,57.81518770555555\nM 31,G,3.44,10.684708333333333,41.268750000000004\n* gam Vir A,PM*,3.44,190.4150990226471,-1.4493949534586112\n* phi Vel,*,3.45,149.21559030916666,-54.567788623055556\n* lam UMa,PM*,3.45,154.274056885426,42.9143794919523\n* eta Cet,HB*,3.45,17.147464511249996,-10.182265820833333\n* alf Tel,PM*,3.463,276.7434001679167,-45.96845826805556\n* eps Gru,SB*,3.466,342.1387429481209,-51.3168700513092\n* gam Cet,**,3.47,40.825162898112545,3.2358163764959436\n* gam Sge,PM*,3.47,299.68928594374995,19.49214668861111\n* lam Ori A,Em*,3.47,83.7844968919525,9.93415426540139\n* sig CMa,LP*,3.47,105.42978243583333,-27.934830492777778\n* mu. Peg,PM*,3.48,342.50080479416664,24.601582883333336\n* gam Lup A,SB*,3.48,233.78516162916668,-41.16679195\n* del Boo,PM*,3.49,228.87567896583334,33.31483126611111\n* gam Vir B,Pe*,3.49,190.4147607686542,-1.4494021269330557\n* nu. UMa,*,3.49,169.61973601,33.094308526944445\n* eta Her,PM*,3.5,250.72402122791667,38.92225357444444\n* tau Cet,PM*,3.5,26.017014260833335,-15.937479597777779\n* ksi02 Sgr,*,3.51,284.4324961775,-21.10665590777778\n* gam Lup B,PM*,3.51,233.7849104291667,-41.16676775\n* ksi Ser,SB*,3.519,264.3966659641667,-15.398553872777779\n* bet Boo,Er*,3.52,225.48650991083335,40.39056683527778\n* omi Leo,SB*,3.52,145.28763769958334,9.892308384166666\n* bet Cnc,PM*,3.52,124.12883753375,9.185543867777778\n* zet Lep,*,3.525,86.73892066124999,-14.821949984166666\n* iot Lup,V*,3.529,214.85092581249998,-46.05809546277778\n* eps Tau,**,3.53,67.15416173916667,19.18042905638889\n* mu. Ser,**,3.53,237.40502901603867,-3.4302043802099975\n* del Gem,SB*,3.53,110.03074909541667,21.982316039166665\n* ksi Hya,**,3.54,173.25047939958336,-31.85762318027778\n* del Eri,RS*,3.54,55.81208699458334,-9.763391234444445\n* gam Cet A,PM*,3.54,40.825171593327084,3.2358241460283335\n* iot Cep,PM*,3.54,342.42007059791666,66.20040656\n* mu.02 Sco,V*,3.542,253.0839388325,-38.017534955277775\n* phi01 Lup,PM*,3.546,230.45154027458335,-36.261375685833336\n* tet Peg,PM*,3.55,332.5499386466667,6.197863263888888\n* bet Mus A,**,3.55,191.5702761,-68.10809689999999\n* kap UMa,**,3.55,135.90636507404153,47.15652472719766\n* iot Cet,*,3.55,4.856975680833332,-8.823919737499999\n* lam Gem,PM*,3.559,109.52325051154209,16.54038789957611\n* del Pav,PM*,3.56,302.18170612375,-66.1820675763889\n* del Crt,PM*,3.56,169.83519817375003,-14.778539251944444\n* ups04 Eri,SB*,3.56,64.47359336125,-33.79834913972222\n* ups Per,PM*,3.57,24.49815413583333,48.62821375916667\n* kap Gem,**,3.57,116.11188987166668,24.397996451944444\n* phi Eri,PM*,3.57,34.1274401325,-51.51216542027778\n* chi Dra,SB*,3.58,275.2640939542736,72.73284772361531\n* alf02 Cap,PM*,3.58,304.51356644875,-12.544852319999999\n* eta Pav,PM*,3.581,266.43327519666667,-64.72387205305556\n* ups Lib,**,3.589,234.25604249833333,-28.13508129111111\n* tau Ori,*,3.59,79.40161901916666,-6.844408385277777\n* rho Boo,PM*,3.59,217.95745673874998,30.3714383575\n* eps Cru,PM*,3.59,185.34003901041666,-60.401146963888884\n* tet Cet,HB*,3.59,21.005855345833332,-8.18325590361111\n* eta Ori B,*,3.59,81.11923860000002,-2.3971369\n* 41 Ari,**,3.594,42.49597183583333,27.26050722722222\n* eta Ori A,SB*,3.594,81.11971258399294,-2.3970309594666666\n* bet Vir,PM*,3.6,177.67382599583334,1.7647197275\n* psi Vel,**,3.6,142.67499823420744,-40.46673934507773\n* gam Lep,PM*,3.6,86.11579539166667,-22.44838354527778\nCl Collinder 399,Cl*,3.6,291.35,20.183333333333334\nNAME SDG,G,3.6,283.7629166666667,-30.47833333333333\n* omi Tau,SB*,3.6,51.2032977461575,9.0288872589578\nCl Collinder 132,OpC,3.6,108.83333333333334,-30.68333333333333\n* tet Gem,PM*,3.6,103.19724529583334,33.96125485055556\n* lam Hya,SB*,3.61,152.6470357548103,-12.3541274788236\n* c Pup,*,3.61,116.31373506708333,-37.968583279722225\n* zet02 Sco,PM*,3.62,253.64585144458331,-42.36131685527778\n* del Ara,PM*,3.62,262.77463633625,-60.683847817777774\n* del Mus,SB*,3.62,195.5677697341667,-71.54885423305556\n* omi And,Be*,3.62,345.48026913750004,42.32598149527778\n* eta Psc,**,3.62,22.870876077916662,15.345824594444446\n* omi Vel,Pu*,3.63,130.07327304999998,-52.92188895361111\n* 27 Tau,SB*,3.63,57.290594105,24.053416743611113\n* bet Del,SB*,3.63,309.3872554152033,14.5950887473128\n* c02 Aqr,PM*,3.64,347.36165338583334,-21.17241144916667\n* tau Lib,SB*,3.642,234.6640395654167,-29.77774877888889\n* gam Tau,**,3.65,64.94834937125,15.627643172777779\n* bet Ind,*,3.65,313.7025115787499,-58.45415605944444\n* lam Mus,PM*,3.65,176.40174649291666,-66.72876220694444\n* zet Aqr,**,3.65,337.20794519724916,-0.019942847221622\n* zet Cas,Pu*,3.66,9.2428507775,53.89690758638889\n* tet Ara,*,3.66,271.6577970408333,-50.091475700833335\n* lam Ori,**,3.66,83.78449002103218,9.934155874166667\n* h UMa,PM*,3.67,142.8821197175,63.06186148305555\n* gam Cap,a2*,3.67,325.02273532416666,-16.66230755111111\n* bet Ser,PM*,3.67,236.54689310749998,15.421832185\n* pi.04 Ori,SB*,3.68,72.80151966999999,5.605103418055555\n* alf Pyx,V*,3.68,130.89807314333336,-33.18638605222222\n* bet CrB,a2*,3.68,231.95721471041665,29.105700659722224\n* alf Dra,SB*,3.68,211.09729147208333,64.37585052666667\n* eps Ser,PM*,3.693,237.7040259241667,4.477730875833333\n* a Pup,SB*,3.696,118.0542968645767,-40.5757818593085\n* gam Psc,PM*,3.7,349.2914062129167,3.282288326388889\n* 17 Tau,Be*,3.7,56.21890367416667,24.113336449166667\n* chi Eri,PM*,3.7,28.989400261688,-51.6088815425622\n* ksi Her,LP*,3.7,269.44119046416665,29.24787986361111\nV* HR Del,No*,3.7,310.5847781402205,19.1609179459986\n* kap Lup,Be*,3.7,227.9836502145718,-48.7378131971233\n* tau04 Eri,LP*,3.7,49.87917598874999,-21.757862486944447\n* bet Aql,PM*,3.71,298.8283023458333,6.406761805833334\n* zet Cet,SB*,3.72,27.8651655379851,-10.3350259813363\n* chi UMa,PM*,3.72,176.5125586420833,47.7794062925\n* del Aur,SB*,3.72,89.881743414146,54.2847379628627\n* eta Lep,PM*,3.72,89.10122085083334,-14.16769969\n* nu. Oct,SB*,3.728,325.3689251479717,-77.39000876162\n* tau Cyg,dS*,3.73,318.69788551128704,38.04531781602413\n* ksi Cyg,SB*,3.73,316.23275954583335,43.92785123888889\n* eps Eri,BY*,3.73,53.232687347500004,-9.458258656944444\n* pi.05 Ori,SB*,3.73,73.5629104412289,2.4406705542346\n* zet Ori B,*,3.73,85.18988002916667,-1.9432186222222223\n* 109 Vir,PM*,3.73,221.56218899958333,1.8928845822222222\n* 72 Oph,PM*,3.73,271.8374330391667,9.56384725\n* bet Mon,**,3.74,97.20445710998001,-7.033058368333033\n* zet Cap,SB*,3.74,321.66677641250004,-22.411334499166667\n* eta Ara,*,3.744,252.44648553125003,-59.04137708305555\n* gam02 Vol,PM*,3.746,107.186931811927,-70.4989231784051\n* ksi Dra,PM*,3.75,268.38220676416665,56.87264285055556\n* c Vel,PM*,3.75,136.0386661725,-47.09773743055556\n* gam Oph,PM*,3.75,266.97316555291667,2.707277773611111\n* del Cep,cC*,3.75,337.29277091,58.41519829333333\n* ksi Tau,EB*,3.75,51.7922437054708,9.7327394850426\n* zet Aur,Al*,3.75,75.61953078333333,41.075838884722224\n* iot Cyg,PM*,3.755,292.4264946683333,51.729779397222224\n* bet Vol,PM*,3.759,126.43414466916667,-66.136890265\n* del Tau,SB*,3.76,65.7337543173897,17.5425155464277\n* kap Cyg,PM*,3.76,289.275702715,53.368459270833334\n* bet Dor,cC*,3.76,83.4063022163338,-62.4898119723424\n* gam Her,**,3.76,245.48006002083335,19.153128275833332\n* alf Lac,PM*,3.77,337.8229221208333,50.28249116666667\n* omi Sgr,PM*,3.77,286.17075738541666,-21.7414957025\n* eps Aqr,*,3.77,311.91896917875005,-9.495774364444443\n* iot Peg,SB*,3.77,331.7527585719764,25.3451044829153\n* zet Boo,**,3.78,220.28729823076685,13.728304629385853\n* ksi UMa,RS*,3.79,169.54554950000002,31.529288899999997\n* u Car,PM*,3.79,163.37356348666665,-58.853171198055556\n* zet Gem,cC*,3.79,106.02721162625001,20.570298297500003\n* iot Gem,**,3.79,111.43164715,27.798081346944446\n* sig Ori,Y*O,3.79,84.68652719172471,-2.6000790859138\n* eta Per,*,3.79,42.67420662666667,55.895496548888886\n* lam Aqr,LP*,3.79,343.1536551352925,-7.5796063836928\n* alf Aps,*,3.798,221.96546676958332,-79.04475090138888\n* 31 Cyg,Al*,3.8,303.4079616797087,46.741316343510555\n* nu. Per,*,3.8,56.29846680875,42.578550802222225\n* eta Aql,cC*,3.8,298.11819894916664,1.0056582275\n* c Car,PM*,3.8,133.76178425375,-60.64461105888889\n* alf Del,**,3.8,309.90953000375,15.91207326\n* iot Her,bC*,3.8,264.86619202541664,46.006333363888885\nNAME del Lyr Cluster,OpC,3.8,283.375,36.916666666666664\n* phi Cen,V*,3.802,209.56777833583334,-42.10075397527778\n* b Vel,V*,3.81,130.15654237958333,-46.648743610277776\n* s Car,V*,3.81,156.96970318833334,-58.739402964444444\n* kap Per,PM*,3.81,47.374048155833336,44.857540649166666\n* mu. Hya,PM*,3.81,156.5226095751909,-16.836289680850822\n* ups UMa,dS*,3.81,147.74732083125,59.03873571277778\n* ups02 Eri,PM*,3.82,68.88765973083332,-30.562341591944442\n* ome CMa,Be*,3.82,108.70272444333334,-26.772669365\n* del Sge,SB*,3.82,296.8469438699094,18.5343111841978\n* lam And,RS*,3.82,354.3910108808333,46.45814944000001\n* omi Her,Be*,3.827,271.88562802750005,28.762491067499997\n* omi Per,**,3.83,56.07971684859081,32.28824801930338\n* tau Cyg A,PM*,3.83,318.69792981584294,38.04544749289222\n* 46 LMi,PM*,3.83,163.32793697291666,34.21487152555556\n* alf Sct,PM*,3.83,278.80178234833335,-8.244070248055555\n* x Car,cC*,3.83,167.1474583325,-58.97503770583334\n* bet Ret,SB*,3.833,56.0499418213768,-64.8068828761338\n* gam Aqr,PM*,3.834,335.4140599894978,-1.3873380586389\n* del TrA,*,3.839,243.85945743374998,-63.68568033277778\n* 109 Her,**,3.84,275.9245402806494,21.7697459448934\n* tet01 Tau,SB*,3.84,67.14373347541667,15.962180397777777\n* gam Ser,PM*,3.84,239.11326122833333,15.661616805555555\n* p Vel,SB*,3.84,159.3255831079699,-48.225620792583946\n* alf For,**,3.85,48.018863987500005,-28.987620467777777\n* del Lep,PM*,3.85,87.83040052666666,-20.879089764444444\n* eps Car B,*,3.85,125.6286496,-59.5095554\n* lam Dra,V*,3.85,172.85091980166663,69.33107489333334\n* del Col,SB*,3.85,95.5284038445245,-33.4363779377324\n* mu. Sgr,s*b,3.85,273.4408701670833,-21.058831686944444\n* q Vel,PM*,3.85,153.68398220708335,-42.121942581111114\n* gam Aps,PM*,3.854,248.3628491125,-78.89714922333334\n* tau Cen,PM*,3.86,189.4256811338191,-48.5413083207249\n* alf Hor,PM*,3.86,63.5004768675,-42.294367557777775\n* bet Pic,PM*,3.86,86.82119870875,-51.066511426388885\n* rho Sco,SB*,3.86,239.22115099625,-29.214072551388888\n* 20 Tau,PM*,3.87,56.45669400833333,24.36774621111111\n* tau Her,Pu*,3.87,244.93515274999996,46.31336452777778\n* eps Col,*,3.87,82.8031208045805,-35.4705167967303\n* omi01 CMa,s*r,3.87,103.5331380463264,-24.1842129917749\n* eps Phe,PM*,3.87,2.352663311602,-45.7474204006795\n* l Eri,**,3.87,69.54510040170459,-14.304023184842224\n* eta Eri,PM*,3.87,44.10687284958334,-8.8981450275\n* rho Leo,s*b,3.87,158.20279865416666,9.306585956944446\n* ups01 Cen,V*,3.87,209.66978618791669,-44.80358582416666\n* mu. And,PM*,3.87,14.188383797083333,38.49934390111111\n* iot Gru,SB*,3.877,347.58973980083334,-45.24671240277778\n* d Cen,**,3.88,202.76106914624998,-39.40730527555556\n* zet02 UMa,SB*,3.88,200.9846792480303,54.921807234712404\n* tet Her,V*,3.88,269.06325226750005,37.25053731972222\n* mu. Leo,PM*,3.88,148.19090226458334,26.006953300555555\n* eta Cyg,*,3.88,299.07655092625,35.08342298861111\n* mu. Vir,PM*,3.88,220.76509509083334,-5.658203531111112\n* gam Mus,Pu*,3.88,188.11672263999998,-72.13298880583334\n* nu. Tau,*,3.883,60.78908192916666,5.989299768333334\n* l Eri A,PM*,3.89,69.54510425416667,-14.303983152777779\n* kap Dra,Be*,3.89,188.3705919073186,69.7882314151456\n* pi. Lup,**,3.89,226.28014567631791,-47.0510636022725\n* kap CMa,Be*,3.89,102.46024719291667,-32.50847846722222\n* eta Vir,SB*,3.9,184.9764536747692,-0.6668332137779\n* 30 Mon,PM*,3.9,126.41513337833334,-3.9064216166666665\n* lam Oph,**,3.9,247.72842974605487,1.9839224782032374\nCl Collinder 240,OpC,3.9,167.91667,-60.30972\n* a Vel,*,3.91,131.5068496445833,-46.04152895166667\n* psi Vel A,PM*,3.91,142.67469066037916,-40.46683082992695\n* nu.02 CMa,PM*,3.91,99.17098989833333,-19.255879418055553\n* gam Lib,**,3.91,233.88157836750003,-14.789535514166666\n* eps Dra,PM*,3.91,297.04312388509123,70.26792579621083\n* iot Hya,PM*,3.91,144.96400602375,-1.1428093030555555\n* sig Cen,**,3.91,187.00992532708335,-50.23063534222222\n* omi Per A,SB*,3.91,56.07971647641625,32.28824743534749\nV* R Hor,Mi*,3.92,43.4698943768787,-49.8896480553542\n* eps Her,SB*,3.92,255.0723907454167,30.92640458027778\n* 38 Lyn,PM*,3.92,139.71101600165983,36.8025925152453\n* nu. Eri,bC*,3.928,69.07975600791666,-3.352460188333333\n* 67 Oph,*,3.93,270.1613061120053,2.9315542721127\n* rho01 Sgr,dS*,3.93,290.41816424541673,-17.84719912222222\n* lam Peg,PM*,3.93,341.6328244225,23.565654483333333\n* alf Mon,PM*,3.93,115.31180237000001,-9.55113085638889\n* l Pup,sg*,3.93,115.95195300916667,-28.954825559722224\n* alf Equ,SB*,3.933,318.95596633208334,5.247845281111111\n* del Phe,PM*,3.935,22.812936457083335,-49.072703010277785\n* 50 Cas,*,3.938,30.858775754166665,72.42129381861112\n* eps Pav,PM*,3.94,300.148148245,-72.91050549416667\n* del Cnc,**,3.94,131.1712467108333,18.15430649861111\n* kap Phe,PM*,3.94,6.5508409441666675,-43.67983136583333\n* nu. Cyg,**,3.94,314.293412785,41.16713864138888\n* alf Sgr,PM*,3.943,290.9715617845833,-40.61593623777778\n* i Car,*,3.943,137.81967038708333,-62.31698041666667\n* zet Vol,*,3.944,115.45525418416668,-72.60609907249999\n* chi Lup,SB*,3.946,237.73974286708335,-33.627165366944446\n* bet Cen B,*,3.95,210.95545783333336,-60.37318300555555\n* nu. Aur,*,3.95,87.8723822515371,39.1484991610019\n* bet Pyx,*,3.954,130.02559846083335,-35.3083514275\n* rho Cen,*,3.96,182.9130335453453,-52.3684463090256\n* 43 Eri,PM*,3.96,66.0092040482227,-34.0168473531961\n* tau Per,Al*,3.96,43.5644517093782,52.7624681162437\n* 10 UMa,SB*,3.96,135.15991945021585,41.782945873183664\n* eta Col,*,3.96,89.78668830541667,-42.815133938888884\n* gam Mon,*,3.96,93.71389026875,-6.2747744475000005\n* ome Sco,bC*,3.97,241.70177883791663,-20.669191731944448\n* del01 Gru,*,3.97,337.31739504250004,-43.49556236861111\n* tau Aqr,*,3.98,342.39792320083336,-13.592632400277779\n* b01 Aqr,PM*,3.98,350.74260858625,-20.10058231\n* alf For A,PM*,3.98,48.01887218948417,-28.987619062475\n* gam Tuc,PM*,3.98,349.3572949192763,-58.2357520110929\n* omi02 Cyg,Al*,3.98,303.8680067864137,47.7142282943654\n* del Vol,*,3.99,109.20759946500002,-67.95715232277777\n* alf Vol,**,3.99,135.61164967041665,-66.39607576194446\n* bet Mus B,*,4.0,191.57000806208,-68.10812212031306\n* tet Dra,SB*,4.0,240.47227649166663,58.565251565555556\n* mu. Eri,Al*,4.0,71.37562659083335,-3.254660156111111\n* 13 Lyr,LP*,4.0,283.8337592854167,43.94609208027778\n* nu. Sco,**,4.0,242.99889864963222,-19.46070447846264\n* bet Phe A,*,4.0,16.521230312500002,-46.71849868611111\n* alf Crv,PM*,4.0,182.10340218374998,-24.728875098333333\n* b Cen,*,4.0,220.48996116499998,-37.79349834\n* gam Tri,PM*,4.0,34.328612639583326,33.84719306916667\n* zet Pav,PM*,4.003,280.75889700374995,-71.42811290694445\n* bet01 Sgr,*,4.01,290.6595784089946,-44.4589854042831\n* 41 Cyg,V*,4.01,307.34889838333334,30.368554660277777\n* gam Pyx,PM*,4.01,132.63301175875003,-27.70984503\n* g UMa,**,4.01,201.30640763875,54.98795966138889\n* I Car,V*,4.01,156.09877488083333,-74.031612105\n* zet Phe,Al*,4.014,17.09617290916667,-55.24575803166667\n* iot Cnc,PM*,4.018,131.6742581911293,28.7598938708347\n* ups Cet,PM*,4.02,30.00128817375,-21.07783182527778\n* i Aql,V*,4.02,285.42011280625,-5.7391148408333335\n* bet Cam,*,4.02,75.85454012875,60.442247090833334\n* rho Cyg,PM*,4.02,323.49522077000006,45.59183829194445\n* eps Mus,LP*,4.02,184.39282150291666,-67.96073573055556\n* eps Aql,SB*,4.02,284.9056733698438,15.0683001960026\n* gam02 Nor,PM*,4.02,244.96009277375,-50.155506187777775\n* omi01 Eri,dS*,4.026,62.966414833333346,-6.837579552222222\n* c Per,Be*,4.03,62.16538399083334,47.71251192694445\n* eps Del,V*,4.03,308.3032163325,11.303261440833333\nTYC 5233-2298-1,*,4.03,338.8388833333333,-0.11736944444444446\n* 70 Oph,Ro*,4.03,271.363688269495,2.5000988299620857\n* eta Aqr,PM*,4.03,338.8390885888176,-0.11749689949339108\n* psi Cen,PM*,4.034,215.13930119583335,-37.88529309444445\n* sig Leo,PM*,4.04,170.284139555,6.0293252625000004\n* nu. Vir,LP*,4.04,176.46483155666667,6.529372579722223\n* mu.01 Cru,V*,4.04,193.64843561958335,-57.17792292361111\n* d Vel,*,4.046,131.0997724688164,-42.6492759178152\n* alf Cha,PM*,4.047,124.63147162083337,-76.91972123111111\n* rho Lup,V*,4.05,219.47177428,-49.42582771083333\n* zet Cru,*,4.05,184.6093174623165,-64.0030872831313\n* eps01 Ara,*,4.05,254.89603666125004,-53.16043647222222\n* tet Boo,PM*,4.05,216.29915428624997,51.85074358166667\n* c01 Cen,PM*,4.05,220.91433174583335,-35.17365518055555\n* lam Lup,SB*,4.05,227.2108868772291,-45.2798613832426\n* gam CrB A,PM*,4.05,235.68570560833334,26.295634380555555\n* bet Cir,PM*,4.057,229.37854231958335,-58.801204810833326\n* ups Gem,PM*,4.06,113.9806275723951,26.8957531812168\n* ksi Per,**,4.06,59.74125954875,35.79103144583333\n* phi Per,Be*,4.06,25.91515800375,50.68873134222222\n* omi02 Ori,PM*,4.06,74.09281714958334,13.5144703325\n* zet And,RS*,4.06,11.834689456666666,24.267178014166667\n* gam Crt,PM*,4.06,171.22051508291668,-17.68400832722222\n* iot Leo A,PM*,4.06,170.98105513292123,10.52950625196611\n* tet Cap,PM*,4.07,316.4867826304166,-17.232861690277776\n* ups Boo,PM*,4.07,207.36933660749997,15.797905634166668\n* alf Crt,PM*,4.07,164.94360358416665,-18.29878256777778\n* del Cet,bC*,4.07,39.870649123152255,0.32850959416661785\n* mu. Cep,s*r,4.08,325.87692107249995,58.780044494722226\n* iot Vir,PM*,4.08,214.00362293708332,-6.000545374444444\n* pi. Cen A,*,4.08,170.25168580416667,-54.49102356111111\n* tet CMa,PM*,4.08,103.5474990384733,-12.0386280706781\n* alf CrA,PM*,4.087,287.3680873945833,-37.904472835\n* kap Ser,PM*,4.09,237.18490318291668,18.141565061666665\n* bet Phe B,*,4.09,16.521032120833336,-46.71840400277778\nNGC 104,GlC,4.09,6.022329166666666,-72.08144444444444\n* 1 Peg,PM*,4.09,320.52166365333335,19.804510127222223\n* del Hyi,PM*,4.09,35.4372525533441,-68.6594136153268\n* h Car,*,4.09,143.61104506125,-59.229751953055555\n* tau03 Eri,PM*,4.09,45.59791412833333,-23.624470441111114\n* phi02 Ori,PM*,4.09,84.22661744124999,9.290669320277777\n* bet CrA,*,4.095,287.5073158466667,-39.34079565527778\n* eps Hyi,PM*,4.096,39.89733837166667,-68.26694731111111\n* ups And,PM*,4.1,24.199342348418114,41.405456742523214\nHD 102350,Ce*,4.1,176.62842738208332,-61.178398987499996\n* f Tau,SB*,4.1,52.7182623355639,12.9366802424624\nV* T Aur,No*,4.1,82.9963248117502,30.4458427040077\n* eps TrA,PM*,4.104,234.18009263583332,-66.31703705527778\n* del02 Gru,LP?,4.11,337.43930841291666,-43.749221329166666\n* ups01 Hya,*,4.11,147.86955765666667,-14.846603063888889\n* P Pup,**,4.11,117.30956399083333,-46.373206167777774\n* tet02 Eri,PM*,4.11,44.5683555455648,-40.3046944483362\n* tet Per,PM*,4.11,41.049946008333336,49.22844753333333\n* alf Psc A,*,4.11,30.511758234265,2.7637719610669444\n* zet Gru,PM*,4.115,345.2199907044872,-52.7541307080145\n* iot Eri,PM*,4.116,40.166812522499995,-39.85537615027778\n* gam CMa,*,4.12,105.93955436875,-15.633286103055555\n* gam Cha,V*,4.12,158.86711331583334,-78.6077866911111\n* iot Psc,PM*,4.12,354.9876724016666,5.626290980277778\n* ome Cap,V*,4.12,312.9553789499394,-26.9191364379686\n* omi Vir,PM*,4.12,181.302252035,8.732986052222223\n* e Ori,*,4.12,80.986781985,-7.808064778888889\n* psi Cap,PM*,4.122,311.52388594375,-25.270897543055554\n* bet Oct,PM*,4.128,341.51462908375,-81.38161444027777\n* zet Tel,PM*,4.13,277.2077491645833,-49.07058672916667\n* mu. Ori,SB*,4.13,90.59581950434398,9.647272789582379\n* tet CrB,Be*,4.13,233.23242559618694,31.359132267070578\n* iot Sgr,PM*,4.13,298.81540379458335,-41.86828855444445\n* eps CrB,PM*,4.13,239.39688111375,26.87787876777778\n* del Hya,**,4.131,129.4140403831453,5.703788174382\n* kap Peg,SB*,4.135,326.16139676550046,25.645037762581552\n* eta Cru,SB*,4.136,181.72041249875002,-64.61372899361112\n* e Vel,*,4.14,129.41096991833334,-42.98908040138889\n* nu. Gem,Be*,4.14,97.24077555916666,20.212134895555558\n* kap And,PM*,4.14,355.10211513333337,44.333932387500006\n* del Ser A,dS*,4.14,233.7005754037421,10.538894540538056\n* del Mon,*,4.15,107.96608658000001,-0.4927696736111111\n* 1 Lac,V*,4.15,333.99240304625,37.74873292833333\n* lam Oph A,PM*,4.15,247.72841177213542,1.9839051346405556\n* 1 Gem,SB*,4.15,91.03006433050544,23.26334447236106\n* b Oph,PM*,4.153,261.5925728704167,-24.17531082777778\n* H Sco,V*,4.156,249.09363300125,-35.25532785666667\n* kap Cas,s*b,4.16,8.249963317916666,62.931782603888884\n* mu. Per,SB*,4.16,63.72442719874999,48.40933088\n* tet Aqr,PM*,4.16,334.20848480791665,-7.783291120833333\n* tet Lib,PM*,4.16,238.45640859833333,-16.729293951388886\n* rho Her,**,4.17,260.92060052375,37.14594279138889\n* ksi Sco,SB*,4.17,241.09222739999996,-11.3731039\n* g Eri,PM*,4.17,57.36352199458333,-36.20025112222223\n* gam01 Vel,SB*,4.173,122.3721592515666,-47.3452874103066\n* eps PsA,Be*,4.177,340.1639361668089,-27.0436021874599\n* 23 Tau,Be*,4.18,56.58155767833333,23.94835590111111\n* pi.02 Cyg,SB*,4.18,326.69836799083333,49.30956974888889\n* rho Gem,PM*,4.18,112.27799528660326,31.784549252299783\n* lam Boo,dS*,4.18,214.09591165208334,46.08830570166667\n* j Pup,*,4.184,119.2147458175,-22.880120551666664\n* 110 Her,PM*,4.19,281.41552376708336,20.54631030527778\n* g Cen,LP*,4.19,207.36134062874999,-34.45077580777778\n* sig Her,**,4.196,248.525755710133,42.436981898265\nC 0519+409,OpC,4.2,80.577,41.025\nNGC 3114,OpC,4.2,150.65,-60.12\nC 0516+732,OpC,4.2,78.1625,73.97472\n* 32 Ori,**,4.2,82.69604545293245,5.94813679249986\nNGC 1981,OpC,4.2,83.7875,-4.431666666666667\n* gam Dor,gD*,4.2,64.0066176296629,-51.4866441842472\n* ksi Peg,PM*,4.2,341.67325489916664,12.172884846388888\n* tau06 Eri,PM*,4.2,56.71203412958333,-23.249723495833337\n* tet Lup,*,4.201,241.6481114670878,-36.802265568583\n* kap01 Tau,PM*,4.201,66.34235438583335,22.2938715375\n* lam Pav,Be*,4.207,283.05430944,-62.187592323055554\n* del PsA,*,4.208,343.9870845692424,-32.5396237931265\n* bet LMi,SB*,4.21,156.97083166458333,36.707210010555556\n* gam CrA,**,4.21,286.6046255931351,-37.06344170144111\n* kap Vir,PM*,4.21,213.2239391,-10.273703888055557\n* eps UMi,RS*,4.212,251.492650176438,82.0372630157512\n* tet Cep,SB*,4.22,307.3952716004427,62.9940615520928\n* phi Aqr,SB*,4.22,348.580665196645,-6.0489996130549\n* bet Sct,SB*,4.22,281.7935945558625,-4.7478788587818\nHD 21291,s*b,4.22,52.2672038347725,59.9403370179231\n* gam Pav,PM*,4.22,321.6108534883333,-65.36619846777778\n* phi Dra,a2*,4.22,275.1893010132354,71.33781941082947\nTYC 9111-1423-1,*,4.221,321.61040833333334,-65.36803611111111\n* 2 UMi,PM*,4.225,17.187000217499996,86.25708999305556\n* omi Ser,dS*,4.228,265.3536369279167,-12.87530794777778\n* bet Cha,V*,4.229,184.58676912083337,-79.31224193444444\n* i Cen,SB*,4.23,206.4218534383333,-33.04372214\n* psi Per,Be*,4.23,54.12241592791667,48.192633039166665\n* 52 Cyg,*,4.23,311.41563766625,30.71971543833333\n* zet Tuc,PM*,4.23,5.017749880416666,-64.87479298888888\n* N Sco,V*,4.23,247.84555417624995,-34.704365172222225\n* 5 UMi,V*,4.235,216.88143063041665,75.69599212722223\n* pi. Cet,SB*,4.236,41.030622001249995,-13.858698058611111\n* tau Vir,*,4.237,210.41163922625,1.5445318166666666\n* sig Cyg,sg*,4.24,319.3539685016667,39.39468133277778\n* chi Cyg,S*,4.24,297.6413516266666,32.91405824527777\n* bet Aps,PM*,4.24,250.76940215749997,-77.51743412277777\n* J Pup,*,4.24,118.32565799875,-48.10293435444445\n* alf Cnc,PM*,4.249,134.6217111800478,11.8576517137672\n* kap Tuc,**,4.25,18.94234274608366,-68.87592656939103\n* bet CVn,**,4.25,188.43560341458334,41.35747912694445\n* pi. Aur,LP*,4.25,89.983742895838,45.9367433707963\n* kap Eri,*,4.25,36.746340727916674,-47.70384021027778\n* alf Ant,PM*,4.25,156.787929705665,-31.0677730541356\n* 31 Lyn,LP*,4.25,125.70879165250003,43.18813122972222\n* gam02 Del,PM*,4.25,311.6645799400576,16.1242877352627\n* phi And,Be*,4.25,17.37552339943203,47.241794288193404\n* 88 Tau,SB*,4.25,68.913563735333,10.1607670828146\n* bet Com,PM*,4.25,197.96830744000002,27.8781815425\n* psi01 Aqr,PM*,4.25,348.9728968920496,-9.08773367259389\n* ksi UMa A,SB*,4.25,169.54542151666666,31.52916086111111\n* del03 Tau A,PM*,4.25,66.37242521667834,17.927905648355836\nHD 81817,SB*,4.255,144.2720324125,81.32638087305554\n* tau Tau,SB*,4.258,70.5612193177035,22.9569151418211\n* omi Psc,PM*,4.26,26.34843885871,9.1577534268754\n* 58 Per,SB*,4.26,69.17262572499999,41.26481147222223\n* x Vel,*,4.267,159.82663809583335,-55.6032673175\n* Q Sco,PM*,4.267,264.1368870596596,-38.635252633119\n* d Oph,PM*,4.269,261.83864879374994,-29.867035069722224\n* phi Oph,PM*,4.27,247.78486384500002,-16.61273073111111\n* alf01 Cap,**,4.27,304.4119545662771,-12.5082143316722\n* ksi02 Cen,SB*,4.27,196.72766415541668,-49.90624509\n* lam Eri,Be*,4.27,77.28659645083334,-8.754080784166668\n* c Tau,PM*,4.27,69.5394235687195,12.5108310618623\n* n Cen,PM*,4.27,193.35916671125,-40.17887334833333\n* e Eri,PM*,4.27,49.981878896666665,-43.069782637500005\n* alf Scl,Ro*,4.27,14.651497095416666,-29.357451309444446\n* iot Cap,BY*,4.27,320.5616485325,-16.83454438861111\n* bet02 Sgr,PM*,4.27,290.8047393708333,-44.79977919694444\n* phi Her,a2*,4.27,242.1923620016318,44.9349256147416\n* iot Aqr,SB*,4.27,331.60928091375,-13.869683737222223\n* f Eri,**,4.27,57.14948850603648,-37.620150403529834\n* 33 Cyg,PM*,4.271,303.3494442245833,56.56772220138889\n* zet UMi,V*,4.274,236.01466214666664,77.7944941236111\n* mu. Tau,*,4.279,63.8835702947469,8.8923587687858\n* bet Hya,a2*,4.28,178.22717286745728,-33.90812977808355\n* eps Psc,**,4.28,15.735869273750001,7.890134867222222\n* ups Tau,dS*,4.282,66.57693198333332,22.813580138333332\n* bet01 Tuc,**,4.289,7.886116974999998,-62.958218746388894\n* lam Per,*,4.29,61.64601498083333,50.351263877499996\n* nu. Cep,sg*,4.29,326.3621865783333,61.120805526944444\n* alf Cam,s*b,4.29,73.51254332625001,66.34267679638889\n* lam Lep,*,4.29,79.89385020208333,-13.17678910861111\n* iot And,*,4.29,354.53417207625,43.26807357777778\n* pi. Peg,*,4.29,332.4968488075,33.17822156222222\n* ksi Cep,**,4.29,330.9477291109317,64.62797577182414\n* sig Gem,RS*,4.29,115.82802908041667,28.88351171972222\n* bet PsA,PM*,4.29,337.87637659374997,-32.346073707500004\n* phi And A,*,4.294,17.375508599999996,47.24179658888889\n* eta Crv,PM*,4.294,188.0176105425,-16.19600457583333\n* del03 Tau,a2*,4.298,66.37243082441552,17.92790496841801\n* 54 Eri,LP*,4.3,70.110464946996,-19.6714923051371\n* eta Hya,bC*,4.3,130.80614580291666,3.398662975277778\n* del02 Lyr,LP*,4.3,283.6261806258333,36.89861481416666\n* ups Leo,*,4.3,174.23721191250002,-0.8237489733333333\n* tet CrB A,*,4.3,233.2324295,31.359143102777782\n* gam CMi,SB*,4.3,112.040804298873,8.925529987997301\n* q Tau,*,4.3,56.302065750833336,24.46728048055555\n* tau05 Eri,SB*,4.3,53.44698386833333,-21.63288417638889\n* 10 Tau,PM*,4.3,54.217270009390006,0.3995935882605555\n* mu. Ori A,SB*,4.3,90.5958197,9.647288305555556\nIC 2581,OpC,4.3,156.87083333333334,-57.61666666666667\n* tet Psc,PM*,4.3,351.99206370416664,6.378992221944444\nV* RS Oph,No*,4.3,267.5548303236998,-6.7079115426855\n* ksi02 Cet,*,4.3,37.0398210789746,8.4600602248073\n* del Oct,PM*,4.304,216.73013517708333,-83.66788523055557\n* j Cen,Be*,4.308,177.4210727056943,-63.7884527380832\n* lam Leo,V*,4.31,142.93011472999999,22.967969555277776\n* sig Oph,V*,4.31,261.6286691664737,4.1403576602174\n* eps Mon,**,4.31,95.9425,4.595555555555555\n* d Car,Pu*,4.313,130.15428159083334,-59.761001864166666\n* omi Lup,**,4.313,222.90959537708335,-43.575360151666665\n* g Car,V*,4.318,139.0503035704167,-57.54147240611111\n* D Hya,*,4.32,131.59389768395,-13.5477083789797\n* tet01 Cru,SB*,4.32,180.75625541374998,-63.31292795611111\n* alf Com,**,4.32,197.49702168569598,17.52945526166217\n* 54 Leo,**,4.32,163.90331907809252,24.749717296514444\n* nu. Ser,*,4.324,260.2069228979166,-12.846875907500001\n* pi. Pav,PM*,4.328,272.14506078750003,-63.66855295055555\n* tet Cas,PM*,4.33,17.775676028333333,55.14990201638889\n* ups02 Cen,SB*,4.33,210.4312549237316,-45.6033711103589\n* ome Lup,PM*,4.33,234.51334881875,-42.56734565861112\n* zet Mon,*,4.33,122.14852761666668,-2.9837877944444444\n* l Aql,SB*,4.33,309.5845110215103,-1.1051211847703\n* 119 Tau,s*r,4.33,83.05313544666666,18.59423433027778\n* e Cen,PM*,4.33,193.27877594375,-48.943312166111106\n* f Lup,V*,4.33,229.45765869666664,-30.148671252777778\n* ksi01 CMa,bC*,4.33,97.96402649083335,-23.418421691666666\n* ome02 Sco,PM*,4.33,241.85136740958336,-20.868764398055557\n* tet Gru,**,4.332,346.71971026132354,-43.52035714808552\n* del UMi,PM*,4.336,263.0541529529167,86.58646066027778\n* tet Cha,PM*,4.337,125.16058562333333,-77.48447701694445\n* rho Hya,*,4.337,132.1082107329167,5.837813425555555\n* kap Lyr,V*,4.34,274.9654545183334,36.06454696555555\n* gam Com,PM*,4.34,186.73446697125001,28.268422522499996\n* iot PsA,PM*,4.34,326.2367059875,-33.025782785\n* zet02 Aqr,**,4.34,337.2078700438454,-0.019964649560277777\n* chi Cen,bC*,4.343,211.5115343525,-41.17963299444444\n* 102 Her,*,4.347,272.18954757875,20.814557741666665\n* nu. Sco A,SB*,4.349,242.99888889208376,-19.460690330788054\n* 9 Peg,V*,4.35,326.12789922458336,17.350015850555558\n* ksi01 Cet,EB*,4.35,33.2499903862645,8.846722865539899\n* kap Aur,PM*,4.35,93.84453775666667,29.498076678611113\n* pi.02 Ori,*,4.35,72.65301242708333,8.900180370277779\n* M Vel,PM*,4.35,144.20641683,-49.35502446527778\n* 15 Lyn,**,4.35,104.31918858666667,58.42276123194444\n* v Cen,*,4.35,215.0814275875,-56.38649720888889\n* tau02 Lup,**,4.352,216.54505741968393,-45.379278405963014\n* pi. And,SB*,4.36,9.220205235416667,33.71934399944445\n* del Dor,*,4.36,86.19324211041668,-65.73552808277778\n* sig Per,V*,4.36,52.6436969935748,47.9952167839946\n* gam Col,Pu*,4.36,89.38420657,-35.28328202111111\n* zet01 Lyr,SB*,4.36,281.1931556395833,37.60511584805556\n* 111 Her,PM*,4.36,281.7551352571979,18.1815105858727\n* iot Aql,*,4.36,294.1803226752349,-1.2866067984979\n* eta Phe,*,4.361,10.83849337875,-57.46305758527778\n* ksi Pav,SB*,4.367,275.8068587682321,-61.493871216562\n* 5 Lac,s*r,4.37,337.38259377416665,47.70688686305556\n* del Ari,PM*,4.37,47.90735271916666,19.726677694166668\n* kap Col,PM*,4.37,94.13806299875,-35.140517502777776\n* tet01 Sgr,SB*,4.37,299.9340764045833,-35.27630692527778\n* 37 Tau,PM*,4.37,61.17381183958333,22.08192341166667\n* bet Scl,PM*,4.37,353.24274574500004,-37.818265833333335\n* iot Oph,PM*,4.38,253.50196463416663,10.165360626388889\n* eps And,PM*,4.38,9.63894722208625,29.311757941616946\n* 31 Leo,PM*,4.38,151.97612735916667,9.99750639472222\n* G CMi,PM*,4.38,120.56640245791665,2.3345700550000004\n* bet Sge,*,4.38,295.2622480746724,17.4760418454674\n* alf Sge,*,4.38,295.0241327254069,18.0138901660447\n* tet Lyr,*,4.38,289.09206197,38.13372873416667\n* iot CMa,bC*,4.385,104.03426719416667,-17.054240963333335\n* ksi Oph,PM*,4.387,260.2515633370833,-21.112935078611113\n* i Vel,*,4.39,165.0386009833333,-42.22585899888889\nHD 60532,PM*,4.39,113.51325100174125,-22.296066216163055\n* b02 Aqr,PM*,4.39,351.51160691791665,-20.642017509166667\n* 16 Pup,*,4.393,122.25682253833332,-19.245014460833335\n* nu. Ori,SB*,4.397,91.89302448291666,14.768473915555555\n* tet Vir,**,4.397,197.4874348201032,-5.539018257673\n* b Leo,Pe*,4.398,165.5823990375,20.179840697222225\n* eps Vol,SB*,4.398,121.9824756417004,-68.61706353067721\n* eta Lyr,SB*,4.398,288.4395346795833,39.145966691944444\n* eps Mon A,*,4.398,95.9420482176731,4.5928574253916\n* psi02 Aqr,Be*,4.4,349.4758905025,-9.182518756666665\n* kap Cep,*,4.4,302.2222705186407,77.7114141274747\nCl Collinder 228,OpC,4.4,161.0,-60.086666666666666\n* N Car,*,4.4,98.74408303749999,-52.975608855555556\n* del Ind,**,4.4,329.47947306208334,-54.99257611805555\n* ups Peg,PM*,4.4,351.3449312691667,23.40410016472222\n* tau CMa,bL*,4.4,109.67702674625,-24.954372583055555\n* kap Pav,WV*,4.4,284.2376288335335,-67.2334907310062\n* ome Eri,SB*,4.4,73.22362480625,-5.452693666944445\n* q Pup,PM*,4.4,124.63880413083334,-36.65928864027777\n* 110 Vir,PM*,4.4,225.72515818125,2.0913040080555554\n* chi01 Ori,RS*,4.4,88.59576245541668,20.276172788333334\n* tet Gru A,PM*,4.401,346.7197158515554,-43.52035387128278\n* gam Scl,PM*,4.406,349.70600317916666,-32.5320247125\nV* V415 Car,Al*,4.408,102.46380893583334,-53.62244948722222\n* pi. Cep,SB*,4.41,346.9743906898412,75.3874986252686\n* E Hya,PM*,4.41,222.5720894242486,-27.9603718109889\n* lam Her,V*,4.41,262.6846248723428,26.1106423588672\nV* V Pup,bL*,4.41,119.56016332833333,-49.24491118666667\n* nu. Her,LP*,4.41,269.62562122124996,30.189274171388888\n* psi Phe,LP*,4.41,28.41142097375,-46.302667998611106\n* 30 Psc,LP?,4.41,0.4900634416232,-6.0140745637341\n* phi01 Ori,SB*,4.41,83.7051584875,9.489579948333331\n* del Del,dS*,4.417,310.86472243041663,15.074577028333332\n* h01 Pup,LP*,4.42,122.839551071623,-39.6185462771057\n* tau Gem,**,4.42,107.78487675416667,30.245161974444446\n* lam Ser,PM*,4.42,236.6108934547706,7.3530671242901\n* a Cen,Ro*,4.42,215.75932928916666,-39.51181923611111\n* pi. Eri,LP?,4.42,56.5355691425988,-12.1015824751791\n* ups Cyg,Be*,4.42,319.4795292317002,34.8968805485611\n* eta And,SB*,4.42,14.301667427083332,23.417648785277777\n* sig Lup,El*,4.423,218.1544027875,-50.45715961361111\n* k02 Pup,V*,4.429,114.70779457124874,-26.80384611259195\n* 68 Oph,**,4.429,270.4383284904166,1.3050770905555555\n* omi02 Eri,Er*,4.43,63.817998858333326,-7.652871690833334\n* r Car,V*,4.43,158.89707172041668,-57.55763429527777\n* chi Oph,Be*,4.43,246.75597912166668,-18.456248273333333\n* nu.03 CMa,*,4.43,99.47259001999291,-18.237476146792776\n* sig Hya,*,4.43,129.68932277041665,3.3414361380555557\n* 7 Cam,SB*,4.433,74.321650385,53.75210150138889\n* del02 Cha,*,4.433,161.44585364041666,-80.54018847166665\n* 2 Lyn,EB*,4.434,94.90576908124999,59.01096340944444\n* del Psc,PM*,4.44,12.170601392096483,7.585081273008149\n* k Aqr,LP*,4.44,311.93432910291665,-5.027700549444444\n* nu. Psc,*,4.44,25.357891290416667,5.4876128402777775\n* kap Lep A,*,4.44,78.30782889035333,-12.941285173160278\n* rho Ori,**,4.44,78.32283393987922,2.8612632934722204\n* 39 Cyg,SB*,4.44,305.96508624541667,32.190171971388885\n* h02 Pup,SB*,4.44,123.5122644229141,-40.3479080750754\n* eps Ret,PM*,4.44,64.12095505666667,-59.3021559375\n* bet Lac,**,4.44,335.89009894416665,52.2290457375\n* w Vel,SB*,4.446,135.02253772125,-41.253605255555556\n* bet Crt,SB*,4.449,167.9145071666443,-22.8258459776305\n* mu. Aql,PM*,4.45,293.5223063866667,7.378938776666667\n* alf Vul,PM*,4.45,292.17637481375,24.664903459722222\n* tau Dra,PM*,4.45,288.887411996952,73.3555201699526\n* phi Leo,PM*,4.45,169.16541498833334,-3.6516047272222223\n* alf Cae,PM*,4.45,70.14047105515584,-41.86375207330457\n* ome Oph,a2*,4.45,248.03416594708335,-21.466392223611113\n* iot Lep,**,4.45,78.07459126708333,-11.869218410833334\n* ksi Cep A,SB*,4.45,330.9475682987575,64.62795379527083\n* 32 Eri,**,4.45,58.57292416856885,-2.9547342990259793\n* lam Gru,PM*,4.458,331.528690345,-39.54335162499999\n* pi.06 Ori,V*,4.459,74.6370948130825,1.714021804164\n* 7 Cet,LP?,4.46,3.6600689679166667,-18.932865135555556\n* 32 Ori A,*,4.46,82.69604353739334,5.948158501017778\n* tau01 Eri,PM*,4.46,41.275847669024,-18.5726329527701\n* kap Leo,**,4.46,141.16357808208335,26.182323603055554\n* bet For,RG*,4.46,42.2725801698282,-32.4058959748503\n* 11 Lac,PM*,4.46,340.12857836166665,44.276306733611115\n* B Cen,PM*,4.46,177.7862145330417,-45.1734691666243\n* 26 UMa,PM*,4.463,143.70596912916665,52.05147680277778\n* G Car,SB*,4.467,136.28672122041667,-72.60270657166666\n* eps Tuc,Be*,4.47,359.9790733966667,-65.577133435\n* c01 Aqr,**,4.47,346.6701817421779,-23.7430186847677\nHD 20644,*,4.47,50.0848379625,29.048456981944447\nHD 105382,Be*,4.47,182.0217717210425,-50.6612712618232\n* 18 Mon,SB*,4.47,101.9651979823357,2.4121778245471\n* sig Boo,PM*,4.47,218.6700715868679,29.7451288016606\n* b Pup,SB*,4.474,118.16102760416666,-38.86281401861111\n* 54 Leo A,PM*,4.477,163.90334440324582,24.749735666561946\nV* BE Cam,LP*,4.48,57.3803225882985,65.5259879849395\n* 71 Tau,dS*,4.48,66.5865542458033,15.6182745907241\n* rho Ori A,SB*,4.48,78.32280039809584,2.8612398120944444\n* f UMa,PM*,4.48,137.21774013541668,51.60464804666667\n* ksi Ori,SB*,4.48,92.98498721291668,14.208765429444444\n* tet Cyg,PM*,4.48,294.1105598179167,50.221101270277785\n* lam CMa,*,4.48,97.04253113375,-32.58006819111112\n* tet Ind A,**,4.483,319.9666281620567,-53.44942351112388\n* ome02 Aqr,PM*,4.484,355.68060302833334,-14.544903420555555\n* bet02 Tuc A,PM*,4.488,7.889449999999998,-62.965563888888894\n* f Car,Be*,4.49,131.67728867958334,-56.76977561333333\n* del Tuc,**,4.49,336.83319990589746,-64.96636930086807\n* alf Sex,*,4.49,151.9845088792461,-0.3716731990412\n* tau Boo,Ro*,4.49,206.81559750230946,17.456904217850756\n* 16 Lib,PM*,4.49,224.2958265864717,-4.3464591458927\n* 21 LMi,dS*,4.49,151.8573456575,35.24469346388889\n* I Pup,a2*,4.49,108.14010406333333,-46.75930414222222\n* zet01 Aqr,PM*,4.49,337.2078600866833,-0.020544972322777775\nHD 211073,**,4.49,333.469697131226,39.7149289319275\n* omi Pup,Be*,4.49,117.02153497375,-25.937170076666668\n* del Equ,SB*,4.49,318.6200637820833,10.006979410555555\n* 30 Gem,PM*,4.49,100.9970290431192,13.2280052210075\n* gam Pic,PM*,4.494,87.45692422666667,-56.16666132\n* eta Ind,dS*,4.495,311.00972517624996,-51.92097138361111\n* m Car,V*,4.498,144.83749784916668,-61.32806019055556\n* omi Cas,Be*,4.5,11.181327770833333,48.28436488138889\n* 13 Mon,*,4.5,98.2259517271024,7.3329634202214\n* b Cap,PM*,4.5,322.1808362504167,-21.807180669999997\n* gam Ret,LP*,4.5,60.22420249541666,-62.15928472611111\n* psi Oph,PM*,4.5,246.0257693445833,-20.037327339166666\n* tau Aur,*,4.5,87.2934927325,39.18107297305556\n* 24 Cap,PM*,4.5,316.7819471954167,-25.005855289166664\n* mu. PsA,PM*,4.5,332.0958949059994,-32.9884384053261\n* rho Dra,PM*,4.5,300.70446951458337,67.8735637297222\n* k01 Pup,*,4.5,114.70574977320709,-26.801764276005276\nM 41,OpC,4.5,101.50416666666668,-20.756666666666664\n* ksi02 CMa,*,4.5,98.7641191154537,-22.9648031497184\n* mu. Cyg,**,4.5,326.0357402981634,28.742626869585' |
a = int(input())
b = int(input())
c = float(input())
rst = b * c
print('NUMBER = '+str(a))
print('SALARY = U$ {:.2f}'.format(rst))
print('NUMBER = %d\nSALARY = U$ %.2f' % (a, rst))
| a = int(input())
b = int(input())
c = float(input())
rst = b * c
print('NUMBER = ' + str(a))
print('SALARY = U$ {:.2f}'.format(rst))
print('NUMBER = %d\nSALARY = U$ %.2f' % (a, rst)) |
def fib(n):
if n>0:
if n ==1 or n==2:
return 1
if n>2:
return fib(n-1) + fib(n-2)
# print(Fri(10)) | def fib(n):
if n > 0:
if n == 1 or n == 2:
return 1
if n > 2:
return fib(n - 1) + fib(n - 2) |
class Solution:
"""
@param: A: An integer array
@param: B: An integer array
@return: a double whose format is *.5 or *.0
"""
def findMedianSortedArrays(self, A, B):
n = len(A) + len(B)
k = int(n / 2) + 1
if n % 2 == 1:
return self.findK(A, B, 0, 0, k)
return (self.findK(A, B, 0, 0, k) + self.findK(A, B, 0, 0, k - 1)) / 2
def findK(self, A, B, a_idx, b_idx, k):
if a_idx == len(A):
return B[b_idx + k - 1]
if b_idx == len(B):
return A[a_idx + k - 1]
if k == 1:
return min(A[a_idx], B[b_idx])
mid = int(k / 2)
end_a = min(len(A) - 1, a_idx + mid - 1)
end_b = min(len(B) - 1, b_idx + mid - 1)
if A[end_a] < B[end_b]:
return self.findK(A, B, end_a + 1, b_idx, k - (end_a - a_idx + 1))
else:
return self.findK(A, B, a_idx, end_b + 1, k - (end_b - b_idx + 1)) | class Solution:
"""
@param: A: An integer array
@param: B: An integer array
@return: a double whose format is *.5 or *.0
"""
def find_median_sorted_arrays(self, A, B):
n = len(A) + len(B)
k = int(n / 2) + 1
if n % 2 == 1:
return self.findK(A, B, 0, 0, k)
return (self.findK(A, B, 0, 0, k) + self.findK(A, B, 0, 0, k - 1)) / 2
def find_k(self, A, B, a_idx, b_idx, k):
if a_idx == len(A):
return B[b_idx + k - 1]
if b_idx == len(B):
return A[a_idx + k - 1]
if k == 1:
return min(A[a_idx], B[b_idx])
mid = int(k / 2)
end_a = min(len(A) - 1, a_idx + mid - 1)
end_b = min(len(B) - 1, b_idx + mid - 1)
if A[end_a] < B[end_b]:
return self.findK(A, B, end_a + 1, b_idx, k - (end_a - a_idx + 1))
else:
return self.findK(A, B, a_idx, end_b + 1, k - (end_b - b_idx + 1)) |
#
# PySNMP MIB module IBM-FEATURE-ACTIVATION-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/IBM-FEATURE-ACTIVATION-MIB
# Produced by pysmi-0.3.4 at Wed May 1 13:50:54 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
Integer, OctetString, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "Integer", "OctetString", "ObjectIdentifier")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ConstraintsUnion, ValueRangeConstraint, ValueSizeConstraint, SingleValueConstraint, ConstraintsIntersection = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsUnion", "ValueRangeConstraint", "ValueSizeConstraint", "SingleValueConstraint", "ConstraintsIntersection")
ModuleCompliance, ObjectGroup, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "ObjectGroup", "NotificationGroup")
enterprises, TimeTicks, MibIdentifier, ObjectIdentity, Bits, ModuleIdentity, Unsigned32, Counter32, MibScalar, MibTable, MibTableRow, MibTableColumn, Counter64, Integer32, Gauge32, IpAddress, NotificationType, iso = mibBuilder.importSymbols("SNMPv2-SMI", "enterprises", "TimeTicks", "MibIdentifier", "ObjectIdentity", "Bits", "ModuleIdentity", "Unsigned32", "Counter32", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Counter64", "Integer32", "Gauge32", "IpAddress", "NotificationType", "iso")
DisplayString, TextualConvention, DateAndTime = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "TextualConvention", "DateAndTime")
ibmFeatureActivationMIB = ModuleIdentity((1, 3, 6, 1, 4, 1, 2, 5, 31))
ibmFeatureActivationMIB.setRevisions(('2011-03-30 07:33', '2011-02-02 19:49', '2010-12-08 18:33',))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
if mibBuilder.loadTexts: ibmFeatureActivationMIB.setRevisionsDescriptions(('Updated data types and added traps for status change notification. Clarified return codes from events.', 'Added support for SFTP protocol file transfers.', 'Initial Revision.',))
if mibBuilder.loadTexts: ibmFeatureActivationMIB.setLastUpdated('201103300733Z')
if mibBuilder.loadTexts: ibmFeatureActivationMIB.setOrganization('International Business Machines Corp.')
if mibBuilder.loadTexts: ibmFeatureActivationMIB.setContactInfo('Fred Bower International Business Machines Corporation Systems and Technology Group System x Development Research Triangle Park, NC, USA E-mail: bowerf@us.ibm.com')
if mibBuilder.loadTexts: ibmFeatureActivationMIB.setDescription('This module provides a simple interface for IBM Features On Demnad Activation Key functions.')
ibm = MibIdentifier((1, 3, 6, 1, 4, 1, 2))
ibmArchitecture = MibIdentifier((1, 3, 6, 1, 4, 1, 2, 5))
ibmFodNotifications = MibIdentifier((1, 3, 6, 1, 4, 1, 2, 5, 31, 0))
ibmFodObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 2, 5, 31, 1))
ibmFodConformance = MibIdentifier((1, 3, 6, 1, 4, 1, 2, 5, 31, 2))
ibmFodAction = MibScalar((1, 3, 6, 1, 4, 1, 2, 5, 31, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("installActivationKey", 1), ("uninstallActivationKey", 2), ("exportActivationKey", 3), ("inventoryInstalledActivationKeys", 4))).clone(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ibmFodAction.setStatus('current')
if mibBuilder.loadTexts: ibmFodAction.setDescription('Target action for activation method. 1 - Install Activation Key 2 - Uninstall Activation Key 3 - Export Activation Key 4 - Inventory Installed Activation Keys')
ibmFodIndex = MibScalar((1, 3, 6, 1, 4, 1, 2, 5, 31, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ibmFodIndex.setStatus('current')
if mibBuilder.loadTexts: ibmFodIndex.setDescription('Activation key index to uninstall or export. This is only required for uninstall and export actions. This is also used to identify the key associated with alerts.')
ibmFodFileUri = MibScalar((1, 3, 6, 1, 4, 1, 2, 5, 31, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 1024))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ibmFodFileUri.setStatus('current')
if mibBuilder.loadTexts: ibmFodFileUri.setDescription('URI of where key file resides for install and where it should be placed for export or inventory. This is not used for uninstall action.')
ibmFodStatus = MibScalar((1, 3, 6, 1, 4, 1, 2, 5, 31, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))).clone(namedValues=NamedValues(("success", 1), ("rebootRequired", 2), ("versionMismatch", 3), ("corruptKeyFile", 4), ("invalideKeyFileTarget", 5), ("keyFileNotPresent", 6), ("communicationFailure", 7), ("keyStoreFull", 8), ("ftpServerFull", 9), ("userAuthenticationFailed", 10), ("invalidIndex", 11), ("protocolNotSupported", 12), ("preRequisiteKeyActionRequired", 13), ("actionIncompleteDeviceBusy", 14), ("fileAlreadyExists", 15), ("permissionProblem", 16)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ibmFodStatus.setStatus('current')
if mibBuilder.loadTexts: ibmFodStatus.setDescription('Return status of the last firmware activation method initiated through SNMP method. Valid return codes are: Code Action(s) Meaning 1 1,2,3,4 Success 2 1,2 Reboot Required 3 1 Firmware Version/Update Issue 4 1 Key Corrupt 5 1 Key Not Valid for Device 6 1,2,4 Key File Not Found 7 1,3,4 Failure to Communicate with File Server 8 1 Key Storage Full 9 3,4 TFTP/SFTP Server Storage Full 10 1,3,4 SFTP User/Password Authentication Failed 11 2,3 Invalid Index 12 1,3,4 Protocol Specified in URI Not Supported 13 1,2 Pre-Requisite Key Action Required 14 1,2,3,4 Action Still In Process/Busy 15 3,4 File Already Exists on Server 16 3,4 Permission Problem with Specified URI User')
ibmFodKeyChangeTime = MibScalar((1, 3, 6, 1, 4, 1, 2, 5, 31, 1, 5), DateAndTime()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ibmFodKeyChangeTime.setStatus('current')
if mibBuilder.loadTexts: ibmFodKeyChangeTime.setDescription('The date and time of the event described in this notification of activated function status change.')
ibmFodKeyOldStatus = MibScalar((1, 3, 6, 1, 4, 1, 2, 5, 31, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=NamedValues(("noPreviousStatus", 1), ("keyValid", 2), ("keyInvalid", 3), ("keyValidElsewhere", 4), ("keyFeatureActive", 5), ("keyFeatureRequiresHostReboot", 6), ("keyFeatureRequiresBMCReboot", 7), ("keyExpired", 8), ("keyUseLimitExceeded", 9), ("keyInProcessOfValidation", 10)))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ibmFodKeyOldStatus.setStatus('current')
if mibBuilder.loadTexts: ibmFodKeyOldStatus.setDescription('The prior status of the activation key associated with this status change.')
ibmFodKeyNewStatus = MibScalar((1, 3, 6, 1, 4, 1, 2, 5, 31, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11))).clone(namedValues=NamedValues(("keyRemoved", 1), ("keyValid", 2), ("keyInvalid", 3), ("keyValidElsewhere", 4), ("keyFeatureActive", 5), ("keyFeatureRequiresHostReboot", 6), ("keyFeatureRequiresBMCReboot", 7), ("keyExpired", 8), ("keyUseLimitExceeded", 9), ("keyInProcessOfValidation", 10), ("keyReplaced", 11)))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ibmFodKeyNewStatus.setStatus('current')
if mibBuilder.loadTexts: ibmFodKeyNewStatus.setDescription('The new status of the activation key associated with this status change.')
ibmFodKeyUpdateData = MibScalar((1, 3, 6, 1, 4, 1, 2, 5, 31, 1, 8), DisplayString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ibmFodKeyUpdateData.setStatus('current')
if mibBuilder.loadTexts: ibmFodKeyUpdateData.setDescription('String containing constraint data. This is only used for ibmFodNewStatus value of keyReplaced (10). Otherwise, this string should be NULL.')
ibmFodActivationChangeAlert = NotificationType((1, 3, 6, 1, 4, 1, 2, 5, 31, 0, 1)).setObjects(("IBM-FEATURE-ACTIVATION-MIB", "ibmFodIndex"), ("IBM-FEATURE-ACTIVATION-MIB", "ibmFodKeyChangeTime"), ("IBM-FEATURE-ACTIVATION-MIB", "ibmFodKeyOldStatus"), ("IBM-FEATURE-ACTIVATION-MIB", "ibmFodKeyNewStatus"), ("IBM-FEATURE-ACTIVATION-MIB", "ibmFodKeyUpdateData"))
if mibBuilder.loadTexts: ibmFodActivationChangeAlert.setStatus('current')
if mibBuilder.loadTexts: ibmFodActivationChangeAlert.setDescription('This is an SNMP notification of a change to an existing feature activation on an endpoint. Data in the notification payload describes the change.')
ibmFeatureActivationCompliances = MibIdentifier((1, 3, 6, 1, 4, 1, 2, 5, 31, 2, 1))
ibmFeatureActivationGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 2, 5, 31, 2, 2))
ibmFeatureActivationCompliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 2, 5, 31, 2, 1, 1)).setObjects(("IBM-FEATURE-ACTIVATION-MIB", "ibmFeatureActivationBaseGroup"), ("IBM-FEATURE-ACTIVATION-MIB", "ibmFeatureActivationNotifGroup"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ibmFeatureActivationCompliance = ibmFeatureActivationCompliance.setStatus('current')
if mibBuilder.loadTexts: ibmFeatureActivationCompliance.setDescription('The compliance statement for the IBM-FEATURE-ACTIVATION-MIB.')
ibmFeatureActivationBaseGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2, 5, 31, 2, 2, 1)).setObjects(("IBM-FEATURE-ACTIVATION-MIB", "ibmFodAction"), ("IBM-FEATURE-ACTIVATION-MIB", "ibmFodIndex"), ("IBM-FEATURE-ACTIVATION-MIB", "ibmFodFileUri"), ("IBM-FEATURE-ACTIVATION-MIB", "ibmFodStatus"), ("IBM-FEATURE-ACTIVATION-MIB", "ibmFodKeyChangeTime"), ("IBM-FEATURE-ACTIVATION-MIB", "ibmFodKeyOldStatus"), ("IBM-FEATURE-ACTIVATION-MIB", "ibmFodKeyNewStatus"), ("IBM-FEATURE-ACTIVATION-MIB", "ibmFodKeyUpdateData"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ibmFeatureActivationBaseGroup = ibmFeatureActivationBaseGroup.setStatus('current')
if mibBuilder.loadTexts: ibmFeatureActivationBaseGroup.setDescription('The group of mandatory objects for all implementations to be compliant.')
ibmFeatureActivationNotifGroup = NotificationGroup((1, 3, 6, 1, 4, 1, 2, 5, 31, 2, 2, 2)).setObjects(("IBM-FEATURE-ACTIVATION-MIB", "ibmFodActivationChangeAlert"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ibmFeatureActivationNotifGroup = ibmFeatureActivationNotifGroup.setStatus('current')
if mibBuilder.loadTexts: ibmFeatureActivationNotifGroup.setDescription('The notification group required for compliance in alert semantics for feature activation implementations.')
mibBuilder.exportSymbols("IBM-FEATURE-ACTIVATION-MIB", ibm=ibm, ibmFeatureActivationBaseGroup=ibmFeatureActivationBaseGroup, ibmArchitecture=ibmArchitecture, ibmFodAction=ibmFodAction, PYSNMP_MODULE_ID=ibmFeatureActivationMIB, ibmFodNotifications=ibmFodNotifications, ibmFeatureActivationMIB=ibmFeatureActivationMIB, ibmFodKeyOldStatus=ibmFodKeyOldStatus, ibmFeatureActivationNotifGroup=ibmFeatureActivationNotifGroup, ibmFeatureActivationCompliances=ibmFeatureActivationCompliances, ibmFodFileUri=ibmFodFileUri, ibmFodKeyUpdateData=ibmFodKeyUpdateData, ibmFodObjects=ibmFodObjects, ibmFodConformance=ibmFodConformance, ibmFodStatus=ibmFodStatus, ibmFodIndex=ibmFodIndex, ibmFodActivationChangeAlert=ibmFodActivationChangeAlert, ibmFeatureActivationCompliance=ibmFeatureActivationCompliance, ibmFodKeyChangeTime=ibmFodKeyChangeTime, ibmFodKeyNewStatus=ibmFodKeyNewStatus, ibmFeatureActivationGroups=ibmFeatureActivationGroups)
| (integer, octet_string, object_identifier) = mibBuilder.importSymbols('ASN1', 'Integer', 'OctetString', 'ObjectIdentifier')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(constraints_union, value_range_constraint, value_size_constraint, single_value_constraint, constraints_intersection) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsUnion', 'ValueRangeConstraint', 'ValueSizeConstraint', 'SingleValueConstraint', 'ConstraintsIntersection')
(module_compliance, object_group, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'ObjectGroup', 'NotificationGroup')
(enterprises, time_ticks, mib_identifier, object_identity, bits, module_identity, unsigned32, counter32, mib_scalar, mib_table, mib_table_row, mib_table_column, counter64, integer32, gauge32, ip_address, notification_type, iso) = mibBuilder.importSymbols('SNMPv2-SMI', 'enterprises', 'TimeTicks', 'MibIdentifier', 'ObjectIdentity', 'Bits', 'ModuleIdentity', 'Unsigned32', 'Counter32', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Counter64', 'Integer32', 'Gauge32', 'IpAddress', 'NotificationType', 'iso')
(display_string, textual_convention, date_and_time) = mibBuilder.importSymbols('SNMPv2-TC', 'DisplayString', 'TextualConvention', 'DateAndTime')
ibm_feature_activation_mib = module_identity((1, 3, 6, 1, 4, 1, 2, 5, 31))
ibmFeatureActivationMIB.setRevisions(('2011-03-30 07:33', '2011-02-02 19:49', '2010-12-08 18:33'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
if mibBuilder.loadTexts:
ibmFeatureActivationMIB.setRevisionsDescriptions(('Updated data types and added traps for status change notification. Clarified return codes from events.', 'Added support for SFTP protocol file transfers.', 'Initial Revision.'))
if mibBuilder.loadTexts:
ibmFeatureActivationMIB.setLastUpdated('201103300733Z')
if mibBuilder.loadTexts:
ibmFeatureActivationMIB.setOrganization('International Business Machines Corp.')
if mibBuilder.loadTexts:
ibmFeatureActivationMIB.setContactInfo('Fred Bower International Business Machines Corporation Systems and Technology Group System x Development Research Triangle Park, NC, USA E-mail: bowerf@us.ibm.com')
if mibBuilder.loadTexts:
ibmFeatureActivationMIB.setDescription('This module provides a simple interface for IBM Features On Demnad Activation Key functions.')
ibm = mib_identifier((1, 3, 6, 1, 4, 1, 2))
ibm_architecture = mib_identifier((1, 3, 6, 1, 4, 1, 2, 5))
ibm_fod_notifications = mib_identifier((1, 3, 6, 1, 4, 1, 2, 5, 31, 0))
ibm_fod_objects = mib_identifier((1, 3, 6, 1, 4, 1, 2, 5, 31, 1))
ibm_fod_conformance = mib_identifier((1, 3, 6, 1, 4, 1, 2, 5, 31, 2))
ibm_fod_action = mib_scalar((1, 3, 6, 1, 4, 1, 2, 5, 31, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('installActivationKey', 1), ('uninstallActivationKey', 2), ('exportActivationKey', 3), ('inventoryInstalledActivationKeys', 4))).clone(4)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
ibmFodAction.setStatus('current')
if mibBuilder.loadTexts:
ibmFodAction.setDescription('Target action for activation method. 1 - Install Activation Key 2 - Uninstall Activation Key 3 - Export Activation Key 4 - Inventory Installed Activation Keys')
ibm_fod_index = mib_scalar((1, 3, 6, 1, 4, 1, 2, 5, 31, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 255))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
ibmFodIndex.setStatus('current')
if mibBuilder.loadTexts:
ibmFodIndex.setDescription('Activation key index to uninstall or export. This is only required for uninstall and export actions. This is also used to identify the key associated with alerts.')
ibm_fod_file_uri = mib_scalar((1, 3, 6, 1, 4, 1, 2, 5, 31, 1, 3), octet_string().subtype(subtypeSpec=value_size_constraint(0, 1024))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
ibmFodFileUri.setStatus('current')
if mibBuilder.loadTexts:
ibmFodFileUri.setDescription('URI of where key file resides for install and where it should be placed for export or inventory. This is not used for uninstall action.')
ibm_fod_status = mib_scalar((1, 3, 6, 1, 4, 1, 2, 5, 31, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))).clone(namedValues=named_values(('success', 1), ('rebootRequired', 2), ('versionMismatch', 3), ('corruptKeyFile', 4), ('invalideKeyFileTarget', 5), ('keyFileNotPresent', 6), ('communicationFailure', 7), ('keyStoreFull', 8), ('ftpServerFull', 9), ('userAuthenticationFailed', 10), ('invalidIndex', 11), ('protocolNotSupported', 12), ('preRequisiteKeyActionRequired', 13), ('actionIncompleteDeviceBusy', 14), ('fileAlreadyExists', 15), ('permissionProblem', 16)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ibmFodStatus.setStatus('current')
if mibBuilder.loadTexts:
ibmFodStatus.setDescription('Return status of the last firmware activation method initiated through SNMP method. Valid return codes are: Code Action(s) Meaning 1 1,2,3,4 Success 2 1,2 Reboot Required 3 1 Firmware Version/Update Issue 4 1 Key Corrupt 5 1 Key Not Valid for Device 6 1,2,4 Key File Not Found 7 1,3,4 Failure to Communicate with File Server 8 1 Key Storage Full 9 3,4 TFTP/SFTP Server Storage Full 10 1,3,4 SFTP User/Password Authentication Failed 11 2,3 Invalid Index 12 1,3,4 Protocol Specified in URI Not Supported 13 1,2 Pre-Requisite Key Action Required 14 1,2,3,4 Action Still In Process/Busy 15 3,4 File Already Exists on Server 16 3,4 Permission Problem with Specified URI User')
ibm_fod_key_change_time = mib_scalar((1, 3, 6, 1, 4, 1, 2, 5, 31, 1, 5), date_and_time()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ibmFodKeyChangeTime.setStatus('current')
if mibBuilder.loadTexts:
ibmFodKeyChangeTime.setDescription('The date and time of the event described in this notification of activated function status change.')
ibm_fod_key_old_status = mib_scalar((1, 3, 6, 1, 4, 1, 2, 5, 31, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=named_values(('noPreviousStatus', 1), ('keyValid', 2), ('keyInvalid', 3), ('keyValidElsewhere', 4), ('keyFeatureActive', 5), ('keyFeatureRequiresHostReboot', 6), ('keyFeatureRequiresBMCReboot', 7), ('keyExpired', 8), ('keyUseLimitExceeded', 9), ('keyInProcessOfValidation', 10)))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ibmFodKeyOldStatus.setStatus('current')
if mibBuilder.loadTexts:
ibmFodKeyOldStatus.setDescription('The prior status of the activation key associated with this status change.')
ibm_fod_key_new_status = mib_scalar((1, 3, 6, 1, 4, 1, 2, 5, 31, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11))).clone(namedValues=named_values(('keyRemoved', 1), ('keyValid', 2), ('keyInvalid', 3), ('keyValidElsewhere', 4), ('keyFeatureActive', 5), ('keyFeatureRequiresHostReboot', 6), ('keyFeatureRequiresBMCReboot', 7), ('keyExpired', 8), ('keyUseLimitExceeded', 9), ('keyInProcessOfValidation', 10), ('keyReplaced', 11)))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ibmFodKeyNewStatus.setStatus('current')
if mibBuilder.loadTexts:
ibmFodKeyNewStatus.setDescription('The new status of the activation key associated with this status change.')
ibm_fod_key_update_data = mib_scalar((1, 3, 6, 1, 4, 1, 2, 5, 31, 1, 8), display_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ibmFodKeyUpdateData.setStatus('current')
if mibBuilder.loadTexts:
ibmFodKeyUpdateData.setDescription('String containing constraint data. This is only used for ibmFodNewStatus value of keyReplaced (10). Otherwise, this string should be NULL.')
ibm_fod_activation_change_alert = notification_type((1, 3, 6, 1, 4, 1, 2, 5, 31, 0, 1)).setObjects(('IBM-FEATURE-ACTIVATION-MIB', 'ibmFodIndex'), ('IBM-FEATURE-ACTIVATION-MIB', 'ibmFodKeyChangeTime'), ('IBM-FEATURE-ACTIVATION-MIB', 'ibmFodKeyOldStatus'), ('IBM-FEATURE-ACTIVATION-MIB', 'ibmFodKeyNewStatus'), ('IBM-FEATURE-ACTIVATION-MIB', 'ibmFodKeyUpdateData'))
if mibBuilder.loadTexts:
ibmFodActivationChangeAlert.setStatus('current')
if mibBuilder.loadTexts:
ibmFodActivationChangeAlert.setDescription('This is an SNMP notification of a change to an existing feature activation on an endpoint. Data in the notification payload describes the change.')
ibm_feature_activation_compliances = mib_identifier((1, 3, 6, 1, 4, 1, 2, 5, 31, 2, 1))
ibm_feature_activation_groups = mib_identifier((1, 3, 6, 1, 4, 1, 2, 5, 31, 2, 2))
ibm_feature_activation_compliance = module_compliance((1, 3, 6, 1, 4, 1, 2, 5, 31, 2, 1, 1)).setObjects(('IBM-FEATURE-ACTIVATION-MIB', 'ibmFeatureActivationBaseGroup'), ('IBM-FEATURE-ACTIVATION-MIB', 'ibmFeatureActivationNotifGroup'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ibm_feature_activation_compliance = ibmFeatureActivationCompliance.setStatus('current')
if mibBuilder.loadTexts:
ibmFeatureActivationCompliance.setDescription('The compliance statement for the IBM-FEATURE-ACTIVATION-MIB.')
ibm_feature_activation_base_group = object_group((1, 3, 6, 1, 4, 1, 2, 5, 31, 2, 2, 1)).setObjects(('IBM-FEATURE-ACTIVATION-MIB', 'ibmFodAction'), ('IBM-FEATURE-ACTIVATION-MIB', 'ibmFodIndex'), ('IBM-FEATURE-ACTIVATION-MIB', 'ibmFodFileUri'), ('IBM-FEATURE-ACTIVATION-MIB', 'ibmFodStatus'), ('IBM-FEATURE-ACTIVATION-MIB', 'ibmFodKeyChangeTime'), ('IBM-FEATURE-ACTIVATION-MIB', 'ibmFodKeyOldStatus'), ('IBM-FEATURE-ACTIVATION-MIB', 'ibmFodKeyNewStatus'), ('IBM-FEATURE-ACTIVATION-MIB', 'ibmFodKeyUpdateData'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ibm_feature_activation_base_group = ibmFeatureActivationBaseGroup.setStatus('current')
if mibBuilder.loadTexts:
ibmFeatureActivationBaseGroup.setDescription('The group of mandatory objects for all implementations to be compliant.')
ibm_feature_activation_notif_group = notification_group((1, 3, 6, 1, 4, 1, 2, 5, 31, 2, 2, 2)).setObjects(('IBM-FEATURE-ACTIVATION-MIB', 'ibmFodActivationChangeAlert'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ibm_feature_activation_notif_group = ibmFeatureActivationNotifGroup.setStatus('current')
if mibBuilder.loadTexts:
ibmFeatureActivationNotifGroup.setDescription('The notification group required for compliance in alert semantics for feature activation implementations.')
mibBuilder.exportSymbols('IBM-FEATURE-ACTIVATION-MIB', ibm=ibm, ibmFeatureActivationBaseGroup=ibmFeatureActivationBaseGroup, ibmArchitecture=ibmArchitecture, ibmFodAction=ibmFodAction, PYSNMP_MODULE_ID=ibmFeatureActivationMIB, ibmFodNotifications=ibmFodNotifications, ibmFeatureActivationMIB=ibmFeatureActivationMIB, ibmFodKeyOldStatus=ibmFodKeyOldStatus, ibmFeatureActivationNotifGroup=ibmFeatureActivationNotifGroup, ibmFeatureActivationCompliances=ibmFeatureActivationCompliances, ibmFodFileUri=ibmFodFileUri, ibmFodKeyUpdateData=ibmFodKeyUpdateData, ibmFodObjects=ibmFodObjects, ibmFodConformance=ibmFodConformance, ibmFodStatus=ibmFodStatus, ibmFodIndex=ibmFodIndex, ibmFodActivationChangeAlert=ibmFodActivationChangeAlert, ibmFeatureActivationCompliance=ibmFeatureActivationCompliance, ibmFodKeyChangeTime=ibmFodKeyChangeTime, ibmFodKeyNewStatus=ibmFodKeyNewStatus, ibmFeatureActivationGroups=ibmFeatureActivationGroups) |
class Solution:
def trimMean(self, arr):
trim = int(len(arr) * 0.05);
return sum(sorted(arr)[trim:-trim]) / (len(arr) - 2 * trim)
| class Solution:
def trim_mean(self, arr):
trim = int(len(arr) * 0.05)
return sum(sorted(arr)[trim:-trim]) / (len(arr) - 2 * trim) |
def accum(s):
out = ""
for x in range(len(s)):
out += s[x].upper() + (s[x].lower() * x) + "-"
return out[:-1] | def accum(s):
out = ''
for x in range(len(s)):
out += s[x].upper() + s[x].lower() * x + '-'
return out[:-1] |
def rule(event):
# check risk associated with this event
if event.get("risk_score", 0) > 50:
# a failed authentication attempt with high risk
return event.get("event_type_id") == 6
return False
def title(event):
return f"A user [{event.get('user_name', '<UNKNOWN_USER>')}] failed a high risk login attempt"
| def rule(event):
if event.get('risk_score', 0) > 50:
return event.get('event_type_id') == 6
return False
def title(event):
return f"A user [{event.get('user_name', '<UNKNOWN_USER>')}] failed a high risk login attempt" |
class Map(object):
scenes={
'central_corridor':CentralCorridor(),
'laser_weapon_armory':LaserWeaponArmory(),
'the_brideg':TheBridge(),
'escape_pod':EscapePod(),
'death':Death()
}
def __init__(self,start_scene):
self.start_scene=start_scene
def next_scene(self,scene_name):
return Map.scenes.get(scene_name)
def opening_scene(self):
return self.next_scene(self.start_scene)
a_map=Map('central_cooridor')
a_game=Engine(a_map)
a_game.play()
| class Map(object):
scenes = {'central_corridor': central_corridor(), 'laser_weapon_armory': laser_weapon_armory(), 'the_brideg': the_bridge(), 'escape_pod': escape_pod(), 'death': death()}
def __init__(self, start_scene):
self.start_scene = start_scene
def next_scene(self, scene_name):
return Map.scenes.get(scene_name)
def opening_scene(self):
return self.next_scene(self.start_scene)
a_map = map('central_cooridor')
a_game = engine(a_map)
a_game.play() |
"""Write work lists."""
__all__ = ["write_gwl"]
def write_gwl(path, gwl):
"""Write a gwl file."""
with open(path, "wb") as file_descriptor:
file_descriptor.write(b"C;INIT - gwl created by pypetting\n")
file_descriptor.write(b"\n".join(gwl))
| """Write work lists."""
__all__ = ['write_gwl']
def write_gwl(path, gwl):
"""Write a gwl file."""
with open(path, 'wb') as file_descriptor:
file_descriptor.write(b'C;INIT - gwl created by pypetting\n')
file_descriptor.write(b'\n'.join(gwl)) |
class MinStack:
def __init__(self):
self.stack = []
self.min = []
def push(self, x):
self.stack.append(x)
if self.min:
if x <= self.min[-1]:
self.min.append(x)
else:
self.min.append(x)
def pop(self):
if self.stack[-1] == self.min[-1]:
self.min.pop()
self.stack.pop()
def top(self):
return self.stack[-1]
def getMin(self):
return self.min[-1]
## Example Execution ##
obj = MinStack()
obj.push(10)
obj.push(5)
obj.push(15)
obj.pop()
obj.push(20)
result_top = obj.top()
print("Top Value:", result_top)
result_min = obj.getMin()
print("Minimum Value in Stack:", result_min) | class Minstack:
def __init__(self):
self.stack = []
self.min = []
def push(self, x):
self.stack.append(x)
if self.min:
if x <= self.min[-1]:
self.min.append(x)
else:
self.min.append(x)
def pop(self):
if self.stack[-1] == self.min[-1]:
self.min.pop()
self.stack.pop()
def top(self):
return self.stack[-1]
def get_min(self):
return self.min[-1]
obj = min_stack()
obj.push(10)
obj.push(5)
obj.push(15)
obj.pop()
obj.push(20)
result_top = obj.top()
print('Top Value:', result_top)
result_min = obj.getMin()
print('Minimum Value in Stack:', result_min) |
CHARACTER_LIMIT_MESSAGE = (
"{field} is longer than {maxsize} characters, "
"it will be truncated when displayed."
)
| character_limit_message = '{field} is longer than {maxsize} characters, it will be truncated when displayed.' |
def cos(l):
tak = []
l.sort()
min = l[0]
l.reverse()
max = l[0]
tak.append(min)
tak.append(max)
print(tak)
l = [2,3,56,-33,3,42,66,43,52,53,454142,1,5]
cos(l) | def cos(l):
tak = []
l.sort()
min = l[0]
l.reverse()
max = l[0]
tak.append(min)
tak.append(max)
print(tak)
l = [2, 3, 56, -33, 3, 42, 66, 43, 52, 53, 454142, 1, 5]
cos(l) |
# Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.
# SPDX-License-Identifier: MIT-0
#
# 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.
#
# 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.
class CachedScoreValue:
def __init__(self, value, score, timestamp):
self.value = value
self.score = score
self.timestamp = timestamp
class HeapWithInverseIndex():
"""
Heap where elements can be retrieved using a "key". This allows e.g. for
updating arbitrary elements. It also supports invalidating arbitrary
elements in a (time) efficient way.
The key can be customized through the key_function parameter.
"""
def __init__(self,
ini_vector=None,
compare_function=lambda a, b: a > b,
value_score_function=lambda x: x,
key_function=lambda x: x,
use_score_caching=False):
self.cmp = lambda a, b: compare_function(self._get_value_score(a), self._get_value_score(b))
self.timestep = 0
self.use_score_caching = use_score_caching
self.value_score_function = value_score_function
self.inverse_index = {}
self.keyf = lambda v: key_function(v.value)
self.invalid_pos = set()
self.data = []
if ini_vector:
for (i, x) in enumerate(ini_vector):
value = CachedScoreValue(x, None, None)
self.data.append(value)
self.inverse_index[self.keyf(value)] = i
self.heapify()
def _get_value_score(self, cached_score_data):
if not self.use_score_caching:
return self.value_score_function(cached_score_data.value)
else:
if cached_score_data.timestamp != self.timestep:
cached_score_data.score = self.value_score_function(cached_score_data.value)
cached_score_data.timestamp = self.timestep
return cached_score_data.score
def increase_timestep(self):
self.timestep += 1
def __len__(self):
return len(self.data)
def get_max(self):
return self.data[0].value
def _swap_pos(self, i, j):
ori_i_is_invalid = i in self.invalid_pos
ori_j_is_invalid = j in self.invalid_pos
(self.data[i], self.data[j]) = (self.data[j], self.data[i])
# Note: we have swapped positions now
if ori_i_is_invalid:
self.invalid_pos.add(j)
else:
self.invalid_pos.discard(j)
self.inverse_index[self.keyf(self.data[j])] = j
if ori_j_is_invalid:
self.invalid_pos.add(i)
else:
self.invalid_pos.discard(i)
self.inverse_index[self.keyf(self.data[i])] = i
def insert(self, elem):
if self.invalid_pos:
# Take one of the invalidated positions
target_pos = self.invalid_pos.pop()
new_elem = CachedScoreValue(elem, None, None)
self.data[target_pos] = new_elem
self.inverse_index[self.keyf(new_elem)] = target_pos
self.sift_down(target_pos)
self.sift_up(target_pos)
else:
new_elem = CachedScoreValue(elem, None, None)
self.inverse_index[self.keyf(new_elem)] = len(self.data)
self.data.append(new_elem)
self.sift_up(len(self.data) - 1)
def get(self, key):
pos = self.inverse_index.get(key)
if pos is not None:
return self.data[pos].value
else:
return None
def pop_max_cached_value(self):
if not self.data:
raise IndexError("Heap is empty")
if 0 in self.invalid_pos:
self.push_invalid(0)
if 0 in self.invalid_pos:
raise IndexError("No valid elements in heap")
maximum = self.data[0]
del self.inverse_index[self.keyf(self.data[0])]
if len(self.data) > 1:
self.clean_invalid()
last_element_pos = len(self.data) - 1
if last_element_pos in self.invalid_pos:
# TODO: This shouldn't happen...
self.invalid_pos.add(0)
self.invalid_pos.discard(last_element_pos)
self.data[0] = self.data.pop()
self.inverse_index[self.keyf(self.data[0])] = 0
self.sift_down(0)
else:
self.data = []
self.invalid_pos = set()
#~ print("%.2f%%" % (100 * float(len(self.invalid_pos)) / len(self.data)))
return maximum
def pop_max(self):
return self.pop_max_cached_value().value
def parent(self, i):
return int((i - 1) / 2)
def left_child(self, i):
return 2 * i + 1
def right_child(self, i):
return 2 * i + 2
def has_child(self, i):
return self.left_child(i) < len(self.data)
def heapify(self):
start = self.parent(len(self.data) - 1)
while start >= 0:
self.sift_down(start)
start -= 1
def substitute_down_key(self, key, new_value):
pos = self.inverse_index[key]
self.data[pos].value = new_value
self.data[pos].timestamp = None
self.sift_down(pos)
def substitute_up_key(self, key, new_value):
pos = self.inverse_index[key]
self.data[pos].value = new_value
self.data[pos].timestamp = None
self.sift_up(pos)
def remove_key(self, key):
pos = self.inverse_index.get(key)
if pos is not None:
self.remove(pos)
del self.inverse_index[key]
def invalidate_key(self, key):
pos = self.inverse_index.get(key)
if pos is not None:
self.invalid_pos.add(pos)
del self.inverse_index[key]
def push_invalid(self, pos):
root = pos
if pos not in self.invalid_pos:
return
if self.has_child(root):
# Push an invalid node towards the bottom of the heap
left_child = self.left_child(root)
right_child = self.right_child(root)
if left_child in self.invalid_pos:
self.push_invalid(left_child)
if right_child < len(self.data):
if right_child in self.invalid_pos:
self.push_invalid(right_child)
if right_child not in self.invalid_pos and left_child not in self.invalid_pos:
# Both are valid
exchange_with = left_child if self.cmp(self.data[left_child], self.data[right_child]) else right_child
elif left_child not in self.invalid_pos:
# Left is the only valid
exchange_with = left_child
else:
# Either both are invalid or right is the only valid
exchange_with = right_child
else:
exchange_with = left_child
if exchange_with not in self.invalid_pos:
self._swap_pos(root, exchange_with)
self.push_invalid(exchange_with)
self.clean_invalid()
def clean_invalid(self):
removed = 0
while (len(self.data) - 1) in self.invalid_pos:
self.invalid_pos.discard(len(self.data) - 1)
self.data.pop()
removed += 1
def push_all_invalid(self):
for pos in range(len(self.data)-1, -1, -1):
if pos in self.invalid_pos:
self.push_invalid(pos)
def sift_down(self, pos):
root = pos
if root in self.invalid_pos:
return
while self.has_child(root):
left_child = self.left_child(root)
right_child = self.right_child(root)
if left_child in self.invalid_pos:
self.push_invalid(left_child)
if right_child < len(self.data) and right_child in self.invalid_pos:
self.push_invalid(right_child)
if left_child in self.invalid_pos:
if right_child >= len(self.data) or right_child in self.invalid_pos:
break
else:
child = right_child
else:
if right_child >= len(self.data) or right_child in self.invalid_pos:
child = left_child
else:
child = left_child if self.cmp(self.data[left_child], self.data[right_child]) else right_child
if self.cmp(self.data[child], self.data[root]):
self._swap_pos(root, child)
root = child
else:
break
self.clean_invalid()
def sift_up(self, pos):
root = pos
if root in self.invalid_pos:
return
while root > 0:
parent = self.parent(root)
if parent in self.invalid_pos:
self._swap_pos(root, parent)
# Because the root was invalid, we have to consider if the
# other subtree may have a bigger element
self.sift_down(parent)
root = parent
elif self.cmp(self.data[root], self.data[parent]):
self._swap_pos(root, parent)
root = parent
else:
break
self.clean_invalid()
def remove(self, pos):
if pos != len(self.data) - 1:
self._swap_pos(pos, len(self.data) - 1)
self.invalid_pos.discard(len(self.data) - 1)
self.data.pop()
if pos > 0 and self.cmp(self.data[pos], self.data[self.parent(pos)]):
self.sift_up(pos)
else:
self.sift_down(pos)
else:
self.invalid_pos.discard(len(self.data) - 1)
self.data.pop()
def update_compare_function(self, new_cmp):
self.cmp = new_cmp
self.heapify()
def dfs(self, pos):
stack = [pos]
while stack:
root = stack.pop()
yield root
child = self.left_child(root)
if child < len(self.data):
stack.append(child)
child += 1 # Right child
if child < len(self.data):
stack.append(child)
def check_heap_property(self, root):
if root in self.invalid_pos:
return True # Actually we should check the children, but we will call it in the whole heap
holds = True
for node in self.dfs(root):
if node == root:
continue
holds = node in self.invalid_pos or self.cmp(self.data[root], self.data[node])
if not holds:
print("Does not hold root(%d) = %d node(%d) = %d" % (root, self.data[root], node, self.data[node]))
break
return holds
| class Cachedscorevalue:
def __init__(self, value, score, timestamp):
self.value = value
self.score = score
self.timestamp = timestamp
class Heapwithinverseindex:
"""
Heap where elements can be retrieved using a "key". This allows e.g. for
updating arbitrary elements. It also supports invalidating arbitrary
elements in a (time) efficient way.
The key can be customized through the key_function parameter.
"""
def __init__(self, ini_vector=None, compare_function=lambda a, b: a > b, value_score_function=lambda x: x, key_function=lambda x: x, use_score_caching=False):
self.cmp = lambda a, b: compare_function(self._get_value_score(a), self._get_value_score(b))
self.timestep = 0
self.use_score_caching = use_score_caching
self.value_score_function = value_score_function
self.inverse_index = {}
self.keyf = lambda v: key_function(v.value)
self.invalid_pos = set()
self.data = []
if ini_vector:
for (i, x) in enumerate(ini_vector):
value = cached_score_value(x, None, None)
self.data.append(value)
self.inverse_index[self.keyf(value)] = i
self.heapify()
def _get_value_score(self, cached_score_data):
if not self.use_score_caching:
return self.value_score_function(cached_score_data.value)
else:
if cached_score_data.timestamp != self.timestep:
cached_score_data.score = self.value_score_function(cached_score_data.value)
cached_score_data.timestamp = self.timestep
return cached_score_data.score
def increase_timestep(self):
self.timestep += 1
def __len__(self):
return len(self.data)
def get_max(self):
return self.data[0].value
def _swap_pos(self, i, j):
ori_i_is_invalid = i in self.invalid_pos
ori_j_is_invalid = j in self.invalid_pos
(self.data[i], self.data[j]) = (self.data[j], self.data[i])
if ori_i_is_invalid:
self.invalid_pos.add(j)
else:
self.invalid_pos.discard(j)
self.inverse_index[self.keyf(self.data[j])] = j
if ori_j_is_invalid:
self.invalid_pos.add(i)
else:
self.invalid_pos.discard(i)
self.inverse_index[self.keyf(self.data[i])] = i
def insert(self, elem):
if self.invalid_pos:
target_pos = self.invalid_pos.pop()
new_elem = cached_score_value(elem, None, None)
self.data[target_pos] = new_elem
self.inverse_index[self.keyf(new_elem)] = target_pos
self.sift_down(target_pos)
self.sift_up(target_pos)
else:
new_elem = cached_score_value(elem, None, None)
self.inverse_index[self.keyf(new_elem)] = len(self.data)
self.data.append(new_elem)
self.sift_up(len(self.data) - 1)
def get(self, key):
pos = self.inverse_index.get(key)
if pos is not None:
return self.data[pos].value
else:
return None
def pop_max_cached_value(self):
if not self.data:
raise index_error('Heap is empty')
if 0 in self.invalid_pos:
self.push_invalid(0)
if 0 in self.invalid_pos:
raise index_error('No valid elements in heap')
maximum = self.data[0]
del self.inverse_index[self.keyf(self.data[0])]
if len(self.data) > 1:
self.clean_invalid()
last_element_pos = len(self.data) - 1
if last_element_pos in self.invalid_pos:
self.invalid_pos.add(0)
self.invalid_pos.discard(last_element_pos)
self.data[0] = self.data.pop()
self.inverse_index[self.keyf(self.data[0])] = 0
self.sift_down(0)
else:
self.data = []
self.invalid_pos = set()
return maximum
def pop_max(self):
return self.pop_max_cached_value().value
def parent(self, i):
return int((i - 1) / 2)
def left_child(self, i):
return 2 * i + 1
def right_child(self, i):
return 2 * i + 2
def has_child(self, i):
return self.left_child(i) < len(self.data)
def heapify(self):
start = self.parent(len(self.data) - 1)
while start >= 0:
self.sift_down(start)
start -= 1
def substitute_down_key(self, key, new_value):
pos = self.inverse_index[key]
self.data[pos].value = new_value
self.data[pos].timestamp = None
self.sift_down(pos)
def substitute_up_key(self, key, new_value):
pos = self.inverse_index[key]
self.data[pos].value = new_value
self.data[pos].timestamp = None
self.sift_up(pos)
def remove_key(self, key):
pos = self.inverse_index.get(key)
if pos is not None:
self.remove(pos)
del self.inverse_index[key]
def invalidate_key(self, key):
pos = self.inverse_index.get(key)
if pos is not None:
self.invalid_pos.add(pos)
del self.inverse_index[key]
def push_invalid(self, pos):
root = pos
if pos not in self.invalid_pos:
return
if self.has_child(root):
left_child = self.left_child(root)
right_child = self.right_child(root)
if left_child in self.invalid_pos:
self.push_invalid(left_child)
if right_child < len(self.data):
if right_child in self.invalid_pos:
self.push_invalid(right_child)
if right_child not in self.invalid_pos and left_child not in self.invalid_pos:
exchange_with = left_child if self.cmp(self.data[left_child], self.data[right_child]) else right_child
elif left_child not in self.invalid_pos:
exchange_with = left_child
else:
exchange_with = right_child
else:
exchange_with = left_child
if exchange_with not in self.invalid_pos:
self._swap_pos(root, exchange_with)
self.push_invalid(exchange_with)
self.clean_invalid()
def clean_invalid(self):
removed = 0
while len(self.data) - 1 in self.invalid_pos:
self.invalid_pos.discard(len(self.data) - 1)
self.data.pop()
removed += 1
def push_all_invalid(self):
for pos in range(len(self.data) - 1, -1, -1):
if pos in self.invalid_pos:
self.push_invalid(pos)
def sift_down(self, pos):
root = pos
if root in self.invalid_pos:
return
while self.has_child(root):
left_child = self.left_child(root)
right_child = self.right_child(root)
if left_child in self.invalid_pos:
self.push_invalid(left_child)
if right_child < len(self.data) and right_child in self.invalid_pos:
self.push_invalid(right_child)
if left_child in self.invalid_pos:
if right_child >= len(self.data) or right_child in self.invalid_pos:
break
else:
child = right_child
elif right_child >= len(self.data) or right_child in self.invalid_pos:
child = left_child
else:
child = left_child if self.cmp(self.data[left_child], self.data[right_child]) else right_child
if self.cmp(self.data[child], self.data[root]):
self._swap_pos(root, child)
root = child
else:
break
self.clean_invalid()
def sift_up(self, pos):
root = pos
if root in self.invalid_pos:
return
while root > 0:
parent = self.parent(root)
if parent in self.invalid_pos:
self._swap_pos(root, parent)
self.sift_down(parent)
root = parent
elif self.cmp(self.data[root], self.data[parent]):
self._swap_pos(root, parent)
root = parent
else:
break
self.clean_invalid()
def remove(self, pos):
if pos != len(self.data) - 1:
self._swap_pos(pos, len(self.data) - 1)
self.invalid_pos.discard(len(self.data) - 1)
self.data.pop()
if pos > 0 and self.cmp(self.data[pos], self.data[self.parent(pos)]):
self.sift_up(pos)
else:
self.sift_down(pos)
else:
self.invalid_pos.discard(len(self.data) - 1)
self.data.pop()
def update_compare_function(self, new_cmp):
self.cmp = new_cmp
self.heapify()
def dfs(self, pos):
stack = [pos]
while stack:
root = stack.pop()
yield root
child = self.left_child(root)
if child < len(self.data):
stack.append(child)
child += 1
if child < len(self.data):
stack.append(child)
def check_heap_property(self, root):
if root in self.invalid_pos:
return True
holds = True
for node in self.dfs(root):
if node == root:
continue
holds = node in self.invalid_pos or self.cmp(self.data[root], self.data[node])
if not holds:
print('Does not hold root(%d) = %d node(%d) = %d' % (root, self.data[root], node, self.data[node]))
break
return holds |
#encoding:utf-8
subreddit = '2meirl4meirl'
t_channel = '@r_2meirl4meirl'
def send_post(submission, r2t):
return r2t.send_simple(submission)
| subreddit = '2meirl4meirl'
t_channel = '@r_2meirl4meirl'
def send_post(submission, r2t):
return r2t.send_simple(submission) |
"""
PASSENGERS
"""
numPassengers = 15240
passenger_arriving = (
(0, 2, 3, 6, 2, 2, 1, 1, 1, 0, 0, 0, 0, 3, 3, 7, 0, 3, 2, 1, 1, 3, 1, 2, 1, 0), # 0
(2, 1, 1, 10, 0, 3, 3, 0, 1, 1, 1, 0, 0, 2, 6, 5, 3, 3, 3, 2, 4, 3, 0, 2, 0, 0), # 1
(5, 6, 1, 2, 5, 0, 2, 3, 2, 0, 1, 0, 0, 1, 5, 4, 2, 4, 3, 0, 3, 1, 5, 1, 0, 0), # 2
(9, 4, 4, 6, 3, 2, 1, 1, 2, 0, 0, 1, 0, 7, 4, 4, 6, 5, 1, 5, 2, 1, 1, 1, 0, 0), # 3
(2, 2, 2, 5, 2, 2, 4, 4, 1, 0, 2, 0, 0, 6, 5, 4, 3, 1, 2, 2, 2, 1, 2, 1, 0, 0), # 4
(5, 8, 6, 5, 2, 5, 1, 2, 3, 0, 2, 0, 0, 3, 5, 4, 4, 2, 2, 1, 2, 1, 0, 1, 1, 0), # 5
(9, 7, 4, 5, 3, 1, 1, 4, 2, 0, 0, 0, 0, 6, 2, 1, 1, 4, 4, 1, 0, 2, 3, 1, 0, 0), # 6
(3, 6, 3, 4, 4, 2, 3, 1, 4, 2, 1, 0, 0, 1, 6, 4, 4, 4, 1, 2, 2, 2, 2, 1, 0, 0), # 7
(6, 4, 3, 3, 4, 3, 3, 5, 2, 0, 1, 0, 0, 6, 6, 4, 3, 8, 7, 1, 1, 1, 2, 1, 2, 0), # 8
(6, 8, 4, 4, 5, 3, 4, 5, 1, 4, 1, 2, 0, 4, 4, 5, 7, 4, 4, 5, 1, 4, 5, 2, 0, 0), # 9
(2, 7, 6, 4, 5, 4, 0, 5, 2, 2, 0, 0, 0, 5, 6, 4, 1, 8, 3, 5, 0, 1, 2, 0, 2, 0), # 10
(6, 5, 7, 5, 9, 1, 3, 1, 2, 2, 1, 0, 0, 9, 8, 5, 2, 7, 4, 5, 1, 2, 0, 3, 0, 0), # 11
(5, 10, 3, 3, 8, 0, 5, 0, 3, 0, 0, 0, 0, 6, 4, 9, 5, 6, 3, 3, 2, 3, 3, 2, 2, 0), # 12
(5, 4, 7, 9, 5, 2, 3, 2, 6, 0, 0, 1, 0, 5, 4, 2, 8, 4, 5, 3, 2, 1, 0, 1, 1, 0), # 13
(13, 12, 8, 2, 8, 4, 2, 3, 4, 0, 1, 1, 0, 6, 5, 9, 2, 6, 1, 3, 1, 1, 2, 0, 0, 0), # 14
(8, 9, 5, 8, 5, 2, 3, 1, 7, 0, 0, 0, 0, 8, 7, 5, 2, 6, 3, 2, 0, 1, 1, 1, 0, 0), # 15
(7, 6, 10, 9, 5, 3, 1, 3, 3, 2, 1, 2, 0, 9, 2, 2, 3, 5, 3, 3, 1, 4, 0, 2, 1, 0), # 16
(5, 8, 6, 9, 8, 2, 1, 3, 4, 0, 4, 1, 0, 7, 6, 4, 3, 7, 5, 3, 1, 1, 2, 0, 0, 0), # 17
(7, 3, 6, 10, 8, 4, 3, 3, 4, 1, 3, 1, 0, 11, 8, 5, 4, 4, 8, 7, 1, 2, 3, 1, 1, 0), # 18
(4, 7, 11, 11, 2, 4, 5, 3, 3, 1, 1, 0, 0, 14, 2, 2, 6, 4, 1, 4, 0, 3, 2, 0, 1, 0), # 19
(5, 8, 6, 4, 2, 1, 4, 3, 2, 2, 2, 0, 0, 8, 4, 3, 1, 7, 3, 0, 1, 3, 1, 0, 2, 0), # 20
(9, 5, 5, 3, 7, 4, 3, 4, 2, 1, 2, 1, 0, 15, 8, 6, 6, 5, 3, 2, 1, 4, 2, 2, 0, 0), # 21
(8, 4, 6, 8, 7, 5, 3, 7, 2, 0, 0, 2, 0, 3, 6, 11, 7, 7, 6, 3, 6, 0, 2, 5, 0, 0), # 22
(14, 4, 8, 4, 5, 3, 1, 6, 4, 0, 1, 0, 0, 5, 7, 6, 4, 5, 4, 3, 0, 2, 0, 1, 0, 0), # 23
(10, 9, 3, 5, 6, 2, 1, 5, 2, 3, 1, 1, 0, 5, 6, 4, 4, 6, 7, 5, 1, 1, 5, 0, 1, 0), # 24
(7, 8, 9, 7, 5, 3, 3, 7, 4, 1, 1, 0, 0, 5, 2, 2, 1, 1, 9, 5, 1, 2, 1, 1, 0, 0), # 25
(7, 5, 4, 5, 3, 4, 2, 7, 2, 4, 1, 2, 0, 3, 5, 4, 7, 8, 6, 4, 3, 2, 3, 4, 0, 0), # 26
(5, 5, 2, 8, 5, 3, 7, 1, 5, 2, 0, 1, 0, 12, 9, 8, 5, 10, 4, 2, 5, 3, 1, 0, 0, 0), # 27
(7, 9, 7, 8, 4, 3, 2, 2, 3, 2, 0, 0, 0, 10, 7, 3, 2, 8, 4, 2, 3, 2, 2, 3, 0, 0), # 28
(10, 3, 5, 6, 4, 3, 3, 2, 3, 0, 1, 0, 0, 11, 4, 4, 5, 5, 5, 2, 2, 4, 1, 3, 2, 0), # 29
(4, 7, 6, 6, 7, 4, 1, 1, 10, 3, 0, 0, 0, 8, 4, 7, 4, 7, 2, 2, 4, 0, 3, 2, 1, 0), # 30
(8, 7, 5, 8, 9, 1, 2, 3, 2, 2, 0, 0, 0, 5, 4, 10, 6, 10, 8, 4, 4, 3, 7, 2, 0, 0), # 31
(15, 8, 9, 5, 6, 1, 1, 2, 4, 3, 1, 0, 0, 13, 13, 8, 3, 5, 7, 3, 4, 2, 1, 2, 0, 0), # 32
(10, 11, 8, 6, 7, 3, 2, 2, 3, 1, 1, 0, 0, 11, 9, 6, 7, 5, 8, 2, 3, 1, 1, 1, 2, 0), # 33
(12, 12, 6, 4, 7, 5, 2, 1, 3, 4, 2, 0, 0, 6, 5, 1, 6, 7, 4, 3, 1, 7, 2, 0, 0, 0), # 34
(8, 8, 10, 8, 7, 4, 3, 1, 3, 4, 0, 1, 0, 12, 10, 4, 4, 10, 4, 0, 2, 2, 4, 0, 0, 0), # 35
(15, 8, 6, 10, 11, 2, 2, 5, 1, 2, 2, 0, 0, 5, 10, 4, 4, 8, 6, 6, 1, 2, 8, 1, 0, 0), # 36
(8, 5, 11, 5, 7, 7, 5, 2, 2, 0, 2, 2, 0, 8, 4, 5, 10, 5, 5, 5, 3, 5, 3, 3, 0, 0), # 37
(8, 5, 4, 7, 6, 2, 5, 2, 6, 1, 0, 1, 0, 5, 10, 9, 2, 5, 2, 4, 1, 0, 2, 0, 0, 0), # 38
(8, 7, 9, 4, 3, 2, 3, 4, 2, 0, 2, 0, 0, 6, 2, 9, 5, 9, 5, 4, 2, 3, 3, 4, 1, 0), # 39
(10, 7, 4, 6, 9, 1, 3, 3, 1, 6, 1, 2, 0, 11, 7, 7, 7, 10, 4, 3, 4, 3, 2, 1, 0, 0), # 40
(6, 10, 3, 9, 4, 5, 5, 4, 3, 2, 1, 0, 0, 7, 9, 11, 7, 8, 3, 3, 5, 2, 2, 1, 0, 0), # 41
(13, 9, 10, 4, 7, 0, 3, 3, 1, 4, 2, 0, 0, 7, 6, 8, 3, 8, 7, 3, 1, 2, 1, 1, 2, 0), # 42
(9, 11, 7, 8, 8, 1, 4, 2, 2, 1, 1, 0, 0, 10, 11, 4, 4, 5, 4, 3, 3, 2, 0, 1, 1, 0), # 43
(10, 6, 10, 6, 6, 4, 4, 4, 6, 5, 2, 0, 0, 5, 11, 8, 5, 6, 5, 1, 2, 2, 6, 0, 0, 0), # 44
(7, 15, 5, 7, 4, 2, 5, 1, 3, 3, 1, 1, 0, 6, 11, 9, 2, 7, 3, 3, 3, 1, 4, 1, 0, 0), # 45
(13, 3, 5, 9, 8, 2, 0, 2, 6, 1, 1, 0, 0, 9, 8, 2, 9, 7, 3, 4, 4, 8, 5, 4, 1, 0), # 46
(14, 9, 8, 10, 3, 1, 5, 2, 4, 2, 1, 1, 0, 12, 10, 9, 6, 7, 3, 5, 4, 2, 1, 0, 0, 0), # 47
(5, 9, 7, 13, 9, 3, 3, 0, 3, 0, 0, 1, 0, 7, 9, 6, 3, 6, 8, 5, 1, 7, 8, 2, 1, 0), # 48
(5, 10, 11, 10, 8, 1, 3, 2, 3, 0, 0, 0, 0, 13, 2, 3, 4, 5, 4, 3, 2, 2, 2, 0, 0, 0), # 49
(10, 8, 8, 5, 9, 4, 5, 3, 1, 2, 1, 0, 0, 6, 5, 4, 10, 5, 6, 3, 3, 1, 1, 0, 0, 0), # 50
(12, 6, 6, 14, 8, 3, 0, 6, 0, 0, 1, 2, 0, 6, 9, 4, 4, 10, 7, 3, 0, 2, 1, 0, 0, 0), # 51
(8, 8, 6, 8, 4, 5, 5, 2, 2, 0, 0, 1, 0, 11, 3, 9, 2, 5, 4, 4, 4, 1, 1, 1, 0, 0), # 52
(8, 5, 4, 4, 6, 3, 1, 2, 2, 2, 0, 0, 0, 5, 5, 8, 4, 7, 3, 2, 2, 5, 1, 2, 1, 0), # 53
(7, 6, 6, 4, 5, 2, 3, 0, 7, 1, 1, 0, 0, 10, 0, 4, 2, 4, 5, 3, 3, 3, 2, 1, 0, 0), # 54
(13, 8, 10, 8, 6, 0, 3, 2, 3, 2, 0, 0, 0, 10, 6, 5, 3, 6, 3, 5, 1, 2, 4, 1, 0, 0), # 55
(9, 12, 4, 13, 2, 3, 3, 2, 2, 1, 1, 0, 0, 7, 10, 3, 8, 4, 4, 6, 4, 3, 1, 1, 1, 0), # 56
(4, 8, 5, 9, 6, 0, 3, 4, 4, 1, 0, 1, 0, 5, 8, 5, 3, 3, 4, 6, 4, 3, 5, 1, 0, 0), # 57
(9, 6, 6, 7, 7, 3, 4, 5, 4, 1, 4, 0, 0, 8, 6, 6, 6, 6, 5, 2, 1, 4, 0, 1, 1, 0), # 58
(7, 7, 7, 5, 8, 2, 3, 1, 3, 2, 0, 0, 0, 6, 10, 3, 6, 5, 5, 0, 0, 6, 4, 1, 1, 0), # 59
(5, 4, 8, 7, 6, 4, 5, 3, 2, 2, 1, 0, 0, 4, 3, 5, 5, 6, 4, 3, 3, 6, 2, 4, 2, 0), # 60
(7, 8, 4, 4, 3, 2, 6, 5, 4, 2, 0, 0, 0, 7, 10, 11, 7, 5, 2, 1, 5, 1, 2, 3, 0, 0), # 61
(7, 7, 7, 6, 11, 1, 2, 2, 3, 0, 2, 1, 0, 7, 9, 4, 5, 7, 2, 1, 1, 5, 1, 1, 0, 0), # 62
(12, 6, 10, 4, 6, 5, 2, 1, 2, 0, 0, 1, 0, 8, 6, 6, 4, 5, 1, 2, 2, 4, 2, 0, 2, 0), # 63
(8, 6, 7, 7, 10, 3, 0, 1, 4, 1, 2, 0, 0, 11, 8, 5, 10, 5, 1, 6, 2, 3, 3, 0, 0, 0), # 64
(8, 5, 6, 7, 10, 5, 0, 3, 1, 2, 1, 1, 0, 11, 12, 5, 5, 6, 5, 3, 5, 2, 3, 2, 0, 0), # 65
(10, 3, 8, 4, 5, 4, 3, 2, 1, 2, 3, 2, 0, 8, 10, 6, 4, 7, 0, 3, 2, 2, 4, 1, 1, 0), # 66
(7, 8, 6, 5, 6, 5, 1, 2, 1, 1, 0, 2, 0, 8, 14, 4, 3, 5, 0, 2, 1, 1, 0, 1, 0, 0), # 67
(7, 8, 6, 6, 11, 3, 2, 1, 3, 1, 2, 1, 0, 9, 7, 11, 3, 4, 3, 4, 0, 4, 2, 2, 3, 0), # 68
(9, 7, 4, 6, 5, 4, 3, 1, 2, 2, 1, 0, 0, 17, 5, 1, 3, 7, 4, 4, 3, 2, 1, 2, 0, 0), # 69
(8, 10, 1, 6, 6, 3, 4, 4, 5, 2, 1, 1, 0, 7, 11, 3, 9, 5, 2, 3, 2, 2, 3, 0, 1, 0), # 70
(6, 3, 6, 5, 10, 3, 2, 1, 3, 1, 0, 0, 0, 15, 13, 3, 4, 3, 2, 5, 4, 2, 3, 0, 0, 0), # 71
(12, 9, 2, 8, 8, 4, 3, 7, 5, 0, 0, 1, 0, 9, 3, 3, 5, 10, 9, 5, 3, 3, 1, 2, 1, 0), # 72
(3, 3, 6, 4, 4, 2, 2, 4, 6, 3, 0, 0, 0, 11, 5, 7, 1, 9, 0, 3, 1, 4, 7, 0, 0, 0), # 73
(12, 7, 5, 5, 5, 4, 4, 2, 1, 1, 0, 0, 0, 7, 4, 8, 6, 8, 7, 3, 2, 5, 4, 2, 1, 0), # 74
(8, 5, 3, 6, 7, 6, 3, 1, 0, 3, 0, 0, 0, 4, 4, 4, 4, 6, 5, 0, 1, 2, 0, 1, 0, 0), # 75
(9, 10, 4, 4, 9, 4, 3, 0, 0, 1, 1, 1, 0, 9, 6, 3, 4, 6, 4, 4, 1, 2, 3, 0, 0, 0), # 76
(4, 3, 8, 5, 5, 2, 4, 5, 5, 2, 1, 0, 0, 9, 5, 8, 5, 9, 4, 3, 2, 3, 4, 1, 2, 0), # 77
(12, 6, 7, 3, 4, 0, 5, 1, 2, 1, 0, 2, 0, 8, 5, 4, 5, 3, 1, 3, 1, 1, 4, 2, 3, 0), # 78
(5, 5, 9, 5, 4, 4, 3, 0, 1, 1, 0, 1, 0, 9, 7, 4, 4, 5, 5, 3, 5, 5, 3, 1, 1, 0), # 79
(11, 5, 6, 9, 3, 2, 4, 5, 4, 2, 0, 0, 0, 2, 7, 7, 2, 11, 5, 2, 1, 4, 2, 2, 0, 0), # 80
(11, 8, 5, 6, 16, 1, 1, 1, 3, 0, 1, 0, 0, 9, 8, 3, 3, 7, 2, 1, 1, 1, 3, 1, 1, 0), # 81
(7, 8, 7, 10, 4, 8, 4, 3, 4, 1, 1, 1, 0, 8, 11, 8, 2, 7, 5, 4, 2, 5, 0, 1, 0, 0), # 82
(9, 7, 6, 10, 7, 5, 1, 4, 4, 2, 1, 0, 0, 7, 8, 8, 5, 3, 5, 3, 4, 1, 4, 2, 1, 0), # 83
(5, 6, 7, 8, 5, 4, 3, 4, 4, 1, 1, 0, 0, 7, 7, 2, 4, 5, 1, 4, 2, 2, 5, 2, 1, 0), # 84
(11, 8, 8, 5, 5, 4, 2, 4, 3, 0, 1, 1, 0, 8, 1, 6, 4, 7, 0, 4, 2, 6, 0, 0, 0, 0), # 85
(12, 5, 10, 5, 8, 4, 1, 6, 2, 2, 1, 1, 0, 10, 7, 6, 7, 4, 6, 0, 4, 0, 3, 1, 1, 0), # 86
(5, 8, 6, 9, 6, 2, 5, 1, 3, 4, 1, 0, 0, 6, 9, 2, 3, 7, 5, 5, 4, 2, 1, 1, 1, 0), # 87
(8, 6, 7, 8, 6, 3, 3, 2, 2, 1, 2, 3, 0, 10, 6, 6, 4, 7, 5, 1, 2, 1, 2, 1, 0, 0), # 88
(5, 8, 10, 10, 6, 2, 2, 2, 1, 0, 0, 1, 0, 7, 7, 7, 7, 6, 4, 4, 1, 0, 3, 0, 0, 0), # 89
(8, 4, 4, 10, 9, 2, 1, 2, 7, 0, 1, 0, 0, 12, 12, 5, 4, 6, 4, 1, 4, 5, 0, 3, 0, 0), # 90
(4, 13, 9, 8, 5, 9, 1, 0, 3, 2, 1, 2, 0, 9, 10, 6, 6, 8, 7, 1, 1, 4, 3, 0, 0, 0), # 91
(4, 7, 7, 5, 5, 7, 5, 2, 4, 3, 0, 0, 0, 19, 6, 4, 0, 4, 3, 2, 2, 4, 1, 2, 1, 0), # 92
(6, 7, 10, 7, 9, 4, 1, 1, 2, 0, 0, 0, 0, 7, 3, 5, 4, 6, 1, 2, 2, 3, 4, 0, 0, 0), # 93
(5, 5, 2, 5, 8, 2, 3, 2, 4, 1, 1, 2, 0, 13, 14, 3, 5, 4, 1, 3, 4, 1, 2, 2, 0, 0), # 94
(6, 6, 7, 6, 2, 3, 5, 1, 6, 0, 0, 0, 0, 5, 3, 1, 5, 6, 1, 3, 2, 2, 0, 3, 0, 0), # 95
(10, 3, 6, 3, 4, 1, 4, 1, 2, 0, 0, 0, 0, 9, 7, 4, 3, 10, 4, 2, 4, 2, 2, 1, 0, 0), # 96
(9, 5, 6, 4, 7, 5, 1, 2, 4, 5, 0, 2, 0, 12, 8, 5, 7, 6, 2, 3, 0, 3, 1, 0, 1, 0), # 97
(4, 12, 2, 3, 7, 0, 3, 4, 2, 0, 3, 1, 0, 7, 5, 4, 2, 7, 3, 5, 1, 2, 2, 0, 2, 0), # 98
(9, 6, 5, 7, 4, 2, 1, 4, 3, 2, 3, 0, 0, 8, 7, 6, 6, 9, 2, 1, 2, 1, 2, 1, 1, 0), # 99
(8, 6, 4, 5, 7, 3, 1, 0, 6, 1, 2, 0, 0, 7, 4, 4, 3, 3, 2, 1, 1, 4, 2, 2, 0, 0), # 100
(10, 9, 10, 11, 6, 1, 2, 2, 2, 1, 0, 0, 0, 8, 6, 3, 5, 8, 6, 3, 0, 2, 3, 1, 2, 0), # 101
(10, 4, 4, 4, 4, 1, 7, 1, 3, 0, 2, 0, 0, 9, 5, 9, 7, 4, 4, 1, 4, 2, 2, 2, 2, 0), # 102
(5, 3, 8, 8, 5, 0, 5, 6, 2, 1, 0, 2, 0, 7, 9, 2, 3, 7, 2, 7, 2, 4, 3, 0, 0, 0), # 103
(4, 7, 8, 6, 5, 2, 1, 3, 4, 2, 2, 1, 0, 6, 4, 10, 8, 7, 2, 3, 0, 4, 0, 3, 0, 0), # 104
(13, 5, 4, 8, 4, 2, 7, 1, 2, 3, 1, 1, 0, 10, 0, 9, 2, 8, 1, 4, 1, 0, 2, 0, 1, 0), # 105
(15, 6, 3, 7, 1, 5, 0, 3, 4, 5, 1, 1, 0, 4, 4, 9, 2, 4, 5, 1, 2, 3, 2, 1, 0, 0), # 106
(6, 3, 9, 6, 3, 3, 6, 4, 2, 2, 1, 1, 0, 10, 8, 3, 2, 7, 1, 3, 1, 4, 2, 0, 0, 0), # 107
(7, 6, 8, 9, 2, 1, 2, 3, 2, 1, 1, 1, 0, 6, 8, 3, 2, 5, 2, 2, 1, 4, 2, 0, 1, 0), # 108
(7, 3, 4, 9, 12, 0, 3, 3, 7, 2, 1, 0, 0, 8, 3, 4, 8, 3, 2, 1, 5, 3, 2, 1, 1, 0), # 109
(13, 2, 9, 7, 6, 2, 2, 9, 5, 0, 1, 0, 0, 9, 5, 3, 6, 6, 4, 1, 1, 4, 1, 3, 0, 0), # 110
(5, 3, 4, 12, 2, 5, 3, 1, 1, 0, 0, 0, 0, 4, 6, 2, 5, 3, 2, 2, 0, 1, 0, 0, 2, 0), # 111
(13, 6, 4, 7, 4, 4, 3, 3, 1, 0, 1, 1, 0, 5, 8, 3, 3, 6, 4, 3, 1, 2, 4, 2, 1, 0), # 112
(5, 6, 9, 12, 5, 3, 1, 4, 1, 1, 1, 0, 0, 9, 1, 9, 2, 5, 2, 3, 0, 2, 2, 0, 2, 0), # 113
(9, 4, 3, 12, 5, 1, 4, 4, 0, 1, 2, 0, 0, 10, 5, 4, 6, 10, 3, 0, 2, 2, 2, 2, 2, 0), # 114
(5, 6, 7, 1, 3, 2, 0, 2, 4, 2, 0, 1, 0, 6, 3, 7, 2, 6, 6, 3, 3, 1, 1, 1, 0, 0), # 115
(4, 5, 8, 6, 6, 3, 3, 5, 4, 1, 0, 0, 0, 4, 4, 2, 5, 5, 0, 3, 1, 1, 1, 1, 0, 0), # 116
(12, 9, 4, 3, 9, 5, 2, 2, 1, 0, 0, 1, 0, 8, 8, 5, 1, 7, 3, 2, 3, 2, 4, 1, 0, 0), # 117
(14, 3, 5, 6, 5, 0, 2, 4, 2, 1, 0, 0, 0, 8, 8, 7, 5, 10, 4, 2, 2, 6, 3, 2, 0, 0), # 118
(8, 4, 5, 10, 14, 4, 6, 1, 2, 2, 0, 1, 0, 11, 5, 3, 3, 5, 3, 5, 0, 4, 2, 1, 1, 0), # 119
(8, 9, 3, 4, 5, 2, 1, 0, 2, 0, 0, 0, 0, 6, 6, 4, 5, 7, 1, 3, 3, 2, 1, 1, 2, 0), # 120
(11, 9, 2, 9, 5, 5, 5, 0, 3, 1, 0, 1, 0, 8, 7, 3, 3, 6, 1, 1, 1, 0, 4, 1, 2, 0), # 121
(5, 2, 5, 17, 8, 2, 3, 2, 2, 2, 2, 0, 0, 9, 8, 8, 4, 4, 2, 0, 0, 0, 2, 1, 0, 0), # 122
(7, 2, 5, 2, 1, 3, 3, 7, 3, 4, 1, 3, 0, 7, 7, 5, 2, 5, 2, 2, 5, 1, 1, 2, 0, 0), # 123
(3, 4, 5, 5, 6, 3, 3, 0, 5, 2, 0, 1, 0, 8, 8, 7, 5, 4, 4, 3, 0, 7, 2, 0, 1, 0), # 124
(4, 5, 7, 4, 6, 5, 4, 3, 1, 1, 1, 0, 0, 7, 7, 6, 3, 3, 3, 3, 1, 2, 3, 0, 0, 0), # 125
(2, 3, 5, 2, 5, 1, 2, 2, 4, 1, 0, 0, 0, 4, 5, 7, 1, 4, 3, 0, 1, 4, 2, 1, 0, 0), # 126
(8, 2, 6, 8, 7, 7, 2, 1, 4, 1, 0, 1, 0, 9, 9, 4, 5, 7, 2, 5, 1, 3, 0, 0, 2, 0), # 127
(6, 6, 10, 2, 7, 3, 1, 2, 2, 1, 2, 0, 0, 11, 9, 3, 1, 8, 3, 3, 2, 3, 0, 1, 0, 0), # 128
(4, 9, 9, 8, 9, 3, 1, 1, 2, 3, 0, 0, 0, 11, 4, 2, 3, 7, 2, 0, 1, 7, 3, 0, 1, 0), # 129
(8, 6, 8, 7, 6, 3, 3, 3, 4, 2, 0, 1, 0, 6, 5, 3, 4, 5, 2, 2, 0, 1, 6, 1, 0, 0), # 130
(6, 6, 10, 5, 8, 2, 2, 1, 2, 1, 3, 0, 0, 9, 10, 5, 3, 3, 3, 2, 3, 1, 2, 2, 0, 0), # 131
(6, 5, 0, 7, 4, 5, 1, 1, 1, 1, 0, 1, 0, 6, 3, 7, 3, 4, 3, 2, 3, 4, 1, 1, 0, 0), # 132
(6, 6, 7, 9, 4, 2, 2, 0, 5, 1, 3, 0, 0, 3, 8, 6, 3, 3, 3, 1, 3, 6, 3, 2, 1, 0), # 133
(8, 1, 2, 7, 7, 5, 0, 3, 2, 2, 0, 0, 0, 13, 11, 3, 1, 6, 4, 3, 1, 2, 1, 2, 0, 0), # 134
(7, 9, 12, 4, 6, 1, 1, 0, 2, 0, 1, 0, 0, 12, 7, 7, 2, 5, 2, 0, 9, 2, 1, 2, 0, 0), # 135
(5, 4, 5, 7, 7, 1, 2, 1, 6, 1, 1, 0, 0, 6, 5, 4, 1, 3, 2, 2, 1, 1, 1, 1, 0, 0), # 136
(7, 3, 3, 8, 4, 2, 1, 2, 1, 0, 1, 0, 0, 7, 4, 3, 2, 9, 2, 1, 1, 2, 1, 0, 0, 0), # 137
(7, 2, 3, 1, 4, 2, 2, 0, 7, 1, 0, 0, 0, 7, 6, 5, 4, 7, 3, 6, 2, 4, 4, 2, 1, 0), # 138
(8, 7, 3, 5, 4, 2, 3, 3, 4, 2, 0, 0, 0, 4, 3, 1, 4, 7, 3, 0, 3, 3, 2, 0, 1, 0), # 139
(6, 7, 6, 5, 6, 3, 1, 2, 1, 3, 1, 0, 0, 7, 2, 3, 5, 5, 3, 4, 4, 1, 2, 0, 0, 0), # 140
(4, 4, 4, 8, 7, 4, 0, 1, 4, 1, 4, 0, 0, 9, 4, 3, 0, 6, 4, 2, 3, 1, 2, 3, 0, 0), # 141
(6, 2, 3, 7, 8, 4, 2, 2, 3, 2, 0, 0, 0, 7, 5, 6, 1, 9, 4, 3, 0, 2, 1, 0, 0, 0), # 142
(6, 5, 8, 7, 9, 1, 1, 4, 1, 2, 3, 0, 0, 10, 3, 5, 3, 6, 0, 2, 2, 6, 0, 1, 0, 0), # 143
(6, 4, 3, 2, 8, 2, 0, 4, 5, 4, 1, 0, 0, 11, 3, 6, 1, 5, 1, 1, 0, 3, 7, 2, 0, 0), # 144
(3, 3, 5, 1, 3, 2, 0, 0, 3, 0, 3, 0, 0, 3, 3, 4, 2, 2, 2, 2, 3, 4, 0, 4, 2, 0), # 145
(9, 5, 5, 3, 3, 0, 1, 3, 4, 1, 2, 2, 0, 7, 9, 11, 2, 10, 2, 1, 4, 4, 2, 1, 0, 0), # 146
(5, 2, 6, 10, 9, 3, 0, 0, 3, 1, 0, 0, 0, 7, 5, 6, 2, 8, 2, 3, 0, 2, 5, 1, 1, 0), # 147
(8, 3, 3, 8, 7, 2, 2, 1, 0, 3, 0, 0, 0, 8, 2, 4, 3, 4, 5, 3, 2, 5, 0, 1, 0, 0), # 148
(5, 2, 4, 6, 6, 3, 0, 1, 4, 1, 0, 1, 0, 6, 4, 6, 3, 3, 1, 1, 2, 2, 2, 1, 0, 0), # 149
(4, 6, 2, 9, 3, 4, 0, 3, 5, 0, 1, 0, 0, 8, 4, 8, 1, 4, 1, 0, 2, 3, 6, 0, 0, 0), # 150
(6, 3, 11, 9, 4, 2, 3, 2, 4, 0, 1, 0, 0, 6, 5, 3, 4, 5, 2, 2, 3, 1, 4, 0, 0, 0), # 151
(7, 6, 7, 7, 2, 4, 2, 1, 2, 3, 0, 0, 0, 4, 10, 4, 2, 8, 1, 4, 1, 3, 1, 2, 0, 0), # 152
(7, 6, 3, 4, 2, 2, 1, 2, 4, 1, 0, 0, 0, 8, 6, 5, 4, 5, 4, 3, 1, 2, 1, 2, 0, 0), # 153
(3, 4, 5, 5, 4, 0, 3, 1, 4, 0, 0, 1, 0, 5, 5, 6, 5, 6, 2, 2, 1, 2, 5, 1, 2, 0), # 154
(5, 5, 2, 5, 5, 0, 1, 1, 2, 5, 2, 0, 0, 5, 4, 6, 2, 5, 2, 0, 5, 0, 0, 2, 0, 0), # 155
(1, 6, 7, 7, 4, 3, 1, 1, 5, 1, 1, 0, 0, 9, 3, 6, 2, 3, 2, 2, 1, 1, 2, 1, 0, 0), # 156
(8, 6, 4, 5, 5, 2, 1, 2, 2, 3, 0, 0, 0, 3, 4, 3, 4, 5, 4, 2, 1, 1, 3, 2, 0, 0), # 157
(4, 4, 6, 1, 7, 2, 2, 4, 5, 1, 2, 0, 0, 7, 8, 2, 2, 4, 1, 0, 0, 4, 6, 1, 0, 0), # 158
(11, 6, 5, 3, 3, 3, 2, 3, 5, 0, 0, 1, 0, 4, 4, 5, 2, 3, 2, 1, 1, 1, 2, 3, 2, 0), # 159
(7, 3, 10, 6, 1, 4, 1, 1, 1, 0, 0, 1, 0, 6, 4, 4, 3, 7, 1, 2, 3, 4, 3, 1, 1, 0), # 160
(10, 2, 5, 7, 2, 4, 1, 3, 2, 2, 0, 1, 0, 5, 8, 3, 4, 5, 1, 3, 0, 2, 2, 3, 1, 0), # 161
(3, 7, 3, 4, 10, 2, 2, 0, 0, 0, 0, 0, 0, 3, 4, 4, 5, 4, 2, 0, 1, 2, 0, 3, 0, 0), # 162
(15, 4, 3, 4, 7, 2, 3, 3, 1, 0, 0, 1, 0, 6, 4, 5, 0, 6, 3, 1, 0, 1, 1, 0, 0, 0), # 163
(6, 1, 5, 5, 3, 3, 4, 2, 5, 2, 0, 0, 0, 3, 5, 3, 2, 4, 1, 0, 1, 0, 2, 0, 1, 0), # 164
(3, 1, 9, 9, 4, 0, 0, 1, 2, 0, 0, 0, 0, 8, 3, 2, 1, 5, 1, 1, 1, 2, 1, 2, 0, 0), # 165
(3, 6, 3, 6, 5, 2, 1, 1, 4, 3, 0, 0, 0, 5, 8, 4, 0, 6, 4, 1, 1, 5, 2, 2, 0, 0), # 166
(10, 3, 2, 1, 6, 3, 2, 0, 1, 3, 0, 0, 0, 7, 2, 4, 2, 2, 3, 1, 0, 4, 0, 0, 0, 0), # 167
(6, 5, 2, 5, 3, 4, 1, 1, 3, 0, 1, 0, 0, 4, 2, 1, 1, 5, 1, 2, 3, 3, 1, 0, 0, 0), # 168
(3, 11, 6, 3, 0, 3, 1, 0, 1, 0, 1, 0, 0, 5, 5, 3, 0, 5, 1, 3, 1, 1, 2, 1, 0, 0), # 169
(6, 2, 8, 5, 2, 4, 1, 0, 2, 1, 1, 0, 0, 9, 4, 2, 0, 7, 2, 3, 1, 2, 2, 1, 1, 0), # 170
(2, 5, 0, 2, 1, 2, 1, 1, 1, 1, 0, 2, 0, 5, 5, 5, 1, 2, 2, 1, 1, 1, 1, 0, 0, 0), # 171
(4, 2, 12, 5, 5, 2, 2, 1, 0, 0, 1, 1, 0, 7, 3, 3, 2, 2, 1, 1, 2, 1, 2, 3, 0, 0), # 172
(4, 5, 4, 3, 2, 3, 1, 0, 1, 1, 0, 0, 0, 5, 5, 1, 2, 9, 0, 2, 2, 2, 0, 0, 0, 0), # 173
(4, 4, 1, 3, 1, 1, 1, 2, 3, 0, 0, 0, 0, 1, 3, 2, 1, 3, 2, 4, 1, 2, 0, 1, 0, 0), # 174
(3, 2, 3, 8, 2, 0, 2, 0, 3, 0, 1, 0, 0, 8, 2, 2, 0, 2, 2, 0, 0, 1, 0, 1, 0, 0), # 175
(2, 4, 1, 5, 3, 2, 0, 1, 1, 0, 1, 0, 0, 3, 4, 3, 1, 7, 1, 0, 0, 6, 2, 2, 1, 0), # 176
(1, 1, 4, 2, 5, 2, 1, 2, 2, 0, 1, 0, 0, 7, 1, 2, 1, 2, 1, 0, 0, 0, 1, 0, 0, 0), # 177
(6, 6, 4, 3, 2, 2, 1, 0, 2, 1, 0, 1, 0, 5, 3, 1, 2, 6, 0, 0, 1, 1, 1, 0, 2, 0), # 178
(0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0), # 179
)
station_arriving_intensity = (
(4.0166924626974145, 4.420230847754533, 4.169026583690005, 4.971734219090746, 4.4437484860876895, 2.5109239456298713, 3.3168284922991322, 3.7225409383835384, 4.872079249734406, 3.166412012417896, 3.3642121311084825, 3.918332062644939, 4.067104170062691), # 0
(4.283461721615979, 4.712048555315807, 4.444277273064122, 5.3001154026212935, 4.737992269979389, 2.6767868672340445, 3.535575153010955, 3.9676109783245668, 5.1937962610663275, 3.37518455382172, 3.5864769087649053, 4.176973328651484, 4.3358333179518835), # 1
(4.549378407183785, 5.0027081367127835, 4.718433828437931, 5.627190163731836, 5.0311703789997955, 2.841988091609956, 3.7534548063685635, 4.211700198323536, 5.514229445502039, 3.583131020016437, 3.8078585190210505, 4.434586121642444, 4.603491862567752), # 2
(4.81340623451725, 5.291056401549158, 4.9904086954558835, 5.951661126025659, 5.322129340801522, 3.0058724980680904, 3.9696029133183646, 4.453840925995606, 5.832108128736874, 3.7894261587409446, 4.027478729461906, 4.690148547944369, 4.869018245003381), # 3
(5.074508918732786, 5.57594015942862, 5.259114319762429, 6.272230913106056, 5.609715683037194, 3.1677849659189343, 4.183154934806767, 4.6930654889559325, 6.146161636466166, 3.993244717734143, 4.24445930767246, 4.942638713883811, 5.131350906351854), # 4
(5.331650174946809, 5.856206219954871, 5.523463147002015, 6.587602148576315, 5.892775933359424, 3.3270703744729717, 4.393246331780179, 4.928406214819674, 6.455119294385248, 4.193761444734931, 4.457922021237706, 5.191034725787318, 5.389428287706262), # 5
(5.583793718275733, 6.130701392731601, 5.782367622819093, 6.896477456039722, 6.170156619420835, 3.4830736030406912, 4.59901256518501, 5.158895431201991, 6.757710428189452, 4.390151087482207, 4.666988637742626, 5.434314689981447, 5.642188830159686), # 6
(5.829903263835975, 6.398272487362505, 6.034740192858108, 7.19755945909957, 6.440704268874043, 3.6351395309325767, 4.799589095967668, 5.383565465718042, 7.052664363574116, 4.58158839371487, 4.870780924772215, 5.671456712792743, 5.888570974805216), # 7
(6.068942526743948, 6.65776631345128, 6.279493302763517, 7.489550781359142, 6.703265409371669, 3.782613037459112, 4.994111385074558, 5.60144864598298, 7.338710426234565, 4.76724811117182, 5.068420649911457, 5.901438900547762, 6.127513162735934), # 8
(6.299875222116068, 6.908029680601619, 6.515539398179763, 7.771154046421735, 6.956686568566328, 3.924839001930787, 5.181714893452096, 5.811577299611971, 7.6145779418661395, 4.946304987591954, 5.259029580745342, 6.123239359573051, 6.35795383504493), # 9
(6.5216650650687455, 7.147909398417212, 6.7417909247512995, 8.04107187789063, 7.199814274110641, 4.061162303658086, 5.361535082046684, 6.012983754220169, 7.878996236164172, 5.117933770714171, 5.441729484858859, 6.335836196195162, 6.578831432825289), # 10
(6.7332757707184046, 7.3762522765017655, 6.957160328122573, 8.298006899369119, 7.431495053657227, 4.190927821951495, 5.532707411804733, 6.204700337422732, 8.130694634823994, 5.281309208277375, 5.615642129836999, 6.538207516740648, 6.78908439717009), # 11
(6.93367105418145, 7.591905124458958, 7.160560053938032, 8.54066173446049, 7.650575434858702, 4.313480436121496, 5.694367343672649, 6.385759376834817, 8.368402463540944, 5.435606048020458, 5.7798892832647475, 6.729331427536055, 6.987651169172428), # 12
(7.121814630574301, 7.793714751892496, 7.3509025478421295, 8.767739006768036, 7.855901945367681, 4.428165025478579, 5.845650338596845, 6.555193200071585, 8.590849048010346, 5.579999037682324, 5.933592712727095, 6.908186034907937, 7.173470189925388), # 13
(7.296670215013373, 7.980527968406071, 7.527100255479318, 8.977941339895034, 8.046321112836791, 4.5343264693332275, 5.9856918575237295, 6.7120341347481975, 8.796763713927538, 5.713662925001867, 6.0758741858090275, 7.073749445182848, 7.345479900522051), # 14
(7.457201522615084, 8.151191583603374, 7.688065622494034, 9.169971357444789, 8.220679464918646, 4.63130964699593, 6.1136273613997005, 6.855314508479805, 8.984875786987855, 5.835772457717993, 6.2058554700955355, 7.224999764687337, 7.502618742055505), # 15
(7.602372268495841, 8.304552407088106, 7.83271109453074, 9.342531683020573, 8.377823529265866, 4.718459437777168, 6.228592311171181, 6.984066648881569, 9.153914592886629, 5.945502383569597, 6.32265833317161, 7.360915099747952, 7.643825155618837), # 16
(7.73114616777206, 8.439457248463958, 7.959949117233882, 9.49432494022569, 8.516599833531071, 4.795120720987429, 6.329722167784569, 7.097322883568655, 9.302609457319187, 6.042027450295574, 6.425404542622239, 7.480473556691244, 7.768037582305133), # 17
(7.842486935560164, 8.55475291733462, 8.068692136247904, 9.624053752663423, 8.635854905366871, 4.860638375937203, 6.416152392186281, 7.194115540156209, 9.429689705980877, 6.1245224056348295, 6.513215866032407, 7.582653241843772, 7.874194463207477), # 18
(7.935358286976559, 8.649286223303795, 8.157852597217262, 9.730420743937053, 8.734435272425893, 4.914357281936967, 6.4870184453227155, 7.273476946259397, 9.533884664567024, 6.192161997326263, 6.585214070987103, 7.666432261532077, 7.961234239418957), # 19
(8.008723937137665, 8.72190397597517, 8.226342945786403, 9.812128537649883, 8.811187462360754, 4.955622318297215, 6.54145578814029, 7.334439429493374, 9.61392365877296, 6.2441209731087675, 6.64052092507132, 7.730788722082713, 8.02809535203266), # 20
(8.061547601159893, 8.771452984952447, 8.273075627599775, 9.86787975740519, 8.864958002824071, 4.983778364328429, 6.578599881585408, 7.376035317473299, 9.668536014294018, 6.279574080721244, 6.678258195870048, 7.774700729822235, 8.073716242141662), # 21
(8.092792994159664, 8.796780059839316, 8.296963088301828, 9.89637702680627, 8.89459342146846, 4.998170299341094, 6.59758618660448, 7.397296937814332, 9.696451056825532, 6.297696067902594, 6.697547650968272, 7.797146391077192, 8.097035350839063), # 22
(8.104314690674112, 8.799778875171468, 8.299938545953362, 9.899944650205763, 8.902185644826078, 5.0, 6.599843201807471, 7.399595061728395, 9.699940987654323, 6.299833818015546, 6.699966429729392, 7.799918061271147, 8.1), # 23
(8.112809930427323, 8.79802962962963, 8.299451851851853, 9.899505555555557, 8.906486090891882, 5.0, 6.598603050108934, 7.3964, 9.699473333333334, 6.29852049382716, 6.699699663299665, 7.799269135802469, 8.1), # 24
(8.121125784169264, 8.794581618655693, 8.29849108367627, 9.898636831275722, 8.910691956475603, 5.0, 6.596159122085048, 7.390123456790125, 9.69854938271605, 6.295935070873343, 6.69917071954109, 7.797988111568358, 8.1), # 25
(8.129261615238427, 8.789487517146778, 8.297069410150893, 9.897348353909464, 8.914803094736884, 5.0, 6.592549374646977, 7.380883950617285, 9.69718098765432, 6.29212056698674, 6.698384387080684, 7.7960925468678575, 8.1), # 26
(8.13721678697331, 8.7828, 8.2952, 9.89565, 8.918819358835371, 5.0, 6.587811764705883, 7.3688, 9.69538, 6.28712, 6.697345454545455, 7.793600000000001, 8.1), # 27
(8.1449906627124, 8.774571742112483, 8.292896021947874, 9.893551646090536, 8.922740601930721, 5.0, 6.581984249172921, 7.353990123456791, 9.693158271604938, 6.2809763877457705, 6.696058710562415, 7.790528029263832, 8.1), # 28
(8.1525826057942, 8.764855418381345, 8.290170644718794, 9.89106316872428, 8.926566677182576, 5.0, 6.575104784959253, 7.3365728395061724, 9.690527654320988, 6.273732748056699, 6.6945289437585735, 7.78689419295839, 8.1), # 29
(8.159991979557198, 8.753703703703705, 8.287037037037036, 9.888194444444444, 8.930297437750589, 5.0, 6.567211328976035, 7.316666666666666, 9.6875, 6.265432098765433, 6.692760942760943, 7.782716049382715, 8.1), # 30
(8.167218147339886, 8.741169272976682, 8.283508367626887, 9.88495534979424, 8.933932736794407, 5.0, 6.558341838134432, 7.2943901234567905, 9.684087160493828, 6.256117457704619, 6.6907594961965335, 7.778011156835849, 8.1), # 31
(8.174260472480764, 8.727304801097395, 8.27959780521262, 9.881355761316874, 8.937472427473677, 5.0, 6.548534269345599, 7.269861728395063, 9.680300987654322, 6.245831842706905, 6.688529392692356, 7.772797073616828, 8.1), # 32
(8.181118318318317, 8.712162962962962, 8.27531851851852, 9.877405555555555, 8.94091636294805, 5.0, 6.537826579520697, 7.243200000000001, 9.676153333333334, 6.234618271604939, 6.6860754208754205, 7.7670913580246905, 8.1), # 33
(8.187791048191048, 8.695796433470507, 8.270683676268861, 9.873114609053498, 8.944264396377173, 5.0, 6.526256725570888, 7.214523456790123, 9.671656049382719, 6.222519762231368, 6.68340236937274, 7.760911568358482, 8.1), # 34
(8.194278025437447, 8.678257887517146, 8.26570644718793, 9.868492798353909, 8.947516380920696, 5.0, 6.513862664407327, 7.183950617283951, 9.666820987654322, 6.209579332418839, 6.680515026811323, 7.754275262917239, 8.1), # 35
(8.200578613396004, 8.6596, 8.2604, 9.86355, 8.950672169738269, 5.0, 6.500682352941176, 7.151600000000001, 9.66166, 6.1958400000000005, 6.677418181818182, 7.747200000000001, 8.1), # 36
(8.20669217540522, 8.639875445816186, 8.254777503429356, 9.85829609053498, 8.953731615989538, 5.0, 6.486753748083595, 7.11759012345679, 9.656184938271606, 6.1813447828075, 6.674116623020328, 7.739703337905808, 8.1), # 37
(8.212618074803581, 8.619136899862827, 8.248852126200275, 9.85274094650206, 8.956694572834152, 5.0, 6.4721148067457435, 7.0820395061728405, 9.650407654320988, 6.166136698673983, 6.670615139044769, 7.7318028349337, 8.1), # 38
(8.218355674929589, 8.597437037037038, 8.242637037037039, 9.846894444444445, 8.959560893431762, 5.0, 6.456803485838781, 7.045066666666667, 9.644340000000001, 6.150258765432099, 6.666918518518519, 7.723516049382716, 8.1), # 39
(8.22390433912173, 8.574828532235939, 8.236145404663922, 9.84076646090535, 8.962330430942016, 5.0, 6.440857742273865, 7.006790123456792, 9.637993827160495, 6.133754000914496, 6.663031550068587, 7.714860539551899, 8.1), # 40
(8.229263430718502, 8.551364060356653, 8.229390397805213, 9.834366872427985, 8.965003038524562, 5.0, 6.424315532962156, 6.967328395061729, 9.631380987654321, 6.116665422953818, 6.658959022321986, 7.705853863740284, 8.1), # 41
(8.2344323130584, 8.527096296296298, 8.222385185185187, 9.827705555555557, 8.967578569339047, 5.0, 6.4072148148148145, 6.9268, 9.624513333333335, 6.0990360493827165, 6.654705723905725, 7.696513580246914, 8.1), # 42
(8.239410349479915, 8.50207791495199, 8.215142935528121, 9.820792386831277, 8.970056876545122, 5.0, 6.389593544743001, 6.8853234567901245, 9.617402716049384, 6.080908898033837, 6.650276443446813, 7.6868572473708285, 8.1), # 43
(8.244196903321543, 8.47636159122085, 8.2076768175583, 9.813637242798356, 8.972437813302436, 5.0, 6.371489679657872, 6.843017283950619, 9.610060987654322, 6.062326986739826, 6.645675969572266, 7.676902423411066, 8.1), # 44
(8.248791337921773, 8.450000000000001, 8.200000000000001, 9.80625, 8.974721232770637, 5.0, 6.352941176470589, 6.800000000000001, 9.6025, 6.043333333333334, 6.640909090909091, 7.666666666666666, 8.1), # 45
(8.253193016619106, 8.423045816186557, 8.192125651577504, 9.798640534979425, 8.976906988109373, 5.0, 6.333985992092311, 6.756390123456791, 9.594731604938271, 6.023970955647005, 6.635980596084299, 7.656167535436672, 8.1), # 46
(8.257401302752028, 8.39555171467764, 8.18406694101509, 9.790818724279836, 8.978994932478294, 5.0, 6.3146620834341975, 6.712306172839506, 9.586767654320989, 6.004282871513489, 6.630895273724903, 7.64542258802012, 8.1), # 47
(8.261415559659037, 8.367570370370371, 8.175837037037038, 9.782794444444447, 8.980984919037049, 5.0, 6.295007407407407, 6.667866666666668, 9.57862, 5.984312098765432, 6.625657912457912, 7.634449382716049, 8.1), # 48
(8.26523515067863, 8.339154458161865, 8.167449108367627, 9.774577572016462, 8.982876800945286, 5.0, 6.275059920923102, 6.623190123456791, 9.57030049382716, 5.964101655235483, 6.6202733009103385, 7.623265477823503, 8.1), # 49
(8.268859439149294, 8.310356652949247, 8.15891632373114, 9.766177983539094, 8.984670431362652, 5.0, 6.25485758089244, 6.578395061728395, 9.56182098765432, 5.943694558756287, 6.61474622770919, 7.611888431641519, 8.1), # 50
(8.272287788409528, 8.28122962962963, 8.150251851851852, 9.757605555555557, 8.9863656634488, 5.0, 6.23443834422658, 6.5336, 9.553193333333335, 5.923133827160494, 6.609081481481482, 7.600335802469137, 8.1), # 51
(8.275519561797823, 8.251826063100138, 8.141468861454047, 9.748870164609054, 8.987962350363372, 5.0, 6.213840167836683, 6.488923456790123, 9.54442938271605, 5.90246247828075, 6.603283850854222, 7.588625148605397, 8.1), # 52
(8.278554122652675, 8.222198628257889, 8.132580521262005, 9.739981687242798, 8.989460345266023, 5.0, 6.1931010086339064, 6.444483950617284, 9.535540987654322, 5.881723529949703, 6.597358124454421, 7.576774028349337, 8.1), # 53
(8.281390834312573, 8.192400000000001, 8.1236, 9.73095, 8.990859501316402, 5.0, 6.172258823529412, 6.400399999999999, 9.52654, 5.86096, 6.59130909090909, 7.5648, 8.1), # 54
(8.284029060116017, 8.162482853223594, 8.114540466392318, 9.721784979423868, 8.992159671674152, 5.0, 6.151351569434358, 6.35679012345679, 9.517438271604938, 5.84021490626429, 6.585141538845242, 7.552720621856425, 8.1), # 55
(8.286468163401498, 8.132499862825789, 8.105415089163237, 9.712496502057613, 8.993360709498928, 5.0, 6.130417203259905, 6.313772839506173, 9.508247654320988, 5.819531266575218, 6.578860256889887, 7.54055345221765, 8.1), # 56
(8.288707507507507, 8.102503703703704, 8.096237037037039, 9.703094444444446, 8.994462467950374, 5.0, 6.109493681917211, 6.271466666666668, 9.498980000000001, 5.798952098765433, 6.572470033670034, 7.528316049382716, 8.1), # 57
(8.290746455772544, 8.072547050754459, 8.087019478737998, 9.693588683127572, 8.99546480018814, 5.0, 6.088618962317438, 6.2299901234567905, 9.489647160493828, 5.778520420667582, 6.565975657812697, 7.516025971650663, 8.1), # 58
(8.292584371535098, 8.042682578875171, 8.077775582990398, 9.683989094650206, 8.996367559371876, 5.0, 6.067831001371743, 6.189461728395062, 9.480260987654322, 5.758279250114313, 6.55938191794488, 7.503700777320531, 8.1), # 59
(8.294220618133663, 8.012962962962964, 8.068518518518518, 9.674305555555556, 8.99717059866123, 5.0, 6.0471677559912855, 6.15, 9.470833333333335, 5.738271604938272, 6.552693602693603, 7.491358024691358, 8.1), # 60
(8.295654558906731, 7.983440877914953, 8.05926145404664, 9.664547942386832, 8.997873771215849, 5.0, 6.026667183087227, 6.1117234567901235, 9.461376049382716, 5.718540502972108, 6.545915500685871, 7.4790152720621865, 8.1), # 61
(8.296885557192804, 7.954168998628258, 8.050017558299041, 9.654726131687244, 8.998476930195388, 5.0, 6.006367239570725, 6.074750617283951, 9.451900987654321, 5.699128962048469, 6.539052400548697, 7.4666900777320535, 8.1), # 62
(8.297912976330368, 7.9252, 8.0408, 9.644850000000002, 8.998979928759486, 5.0, 5.986305882352941, 6.039200000000001, 9.44242, 5.68008, 6.532109090909092, 7.4544, 8.1), # 63
(8.298736179657919, 7.896586556927298, 8.0316219478738, 9.634929423868314, 8.999382620067799, 5.0, 5.966521068345034, 6.005190123456791, 9.432944938271605, 5.661436634659351, 6.5250903603940635, 7.442162597165067, 8.1), # 64
(8.29935453051395, 7.86838134430727, 8.02249657064472, 9.624974279835392, 8.999684857279973, 5.0, 5.947050754458163, 5.972839506172839, 9.423487654320988, 5.643241883859168, 6.518000997630629, 7.429995427526291, 8.1), # 65
(8.299767392236957, 7.840637037037038, 8.013437037037038, 9.614994444444445, 8.999886493555659, 5.0, 5.927932897603486, 5.942266666666668, 9.414060000000001, 5.625538765432099, 6.510845791245791, 7.417916049382717, 8.1), # 66
(8.299974128165434, 7.813406310013717, 8.004456515775034, 9.604999794238683, 8.999987382054504, 5.0, 5.909205454692165, 5.913590123456792, 9.404673827160494, 5.608370297210792, 6.5036295298665685, 7.405942021033379, 8.1), # 67
(8.29983329158466, 7.786598911456259, 7.9955247599451305, 9.594913392377887, 8.999902364237876, 4.99990720926688, 5.890812155863717, 5.88667508001829, 9.395270278920897, 5.591696353317733, 6.496228790832301, 7.394024017519794, 8.099900120027435), # 68
(8.298513365539453, 7.75939641577061, 7.98639074074074, 9.584226811594203, 8.99912854030501, 4.999173662551441, 5.872214545077291, 5.860079012345679, 9.385438271604938, 5.575045112563544, 6.487890271132376, 7.38177517868746, 8.099108796296298), # 69
(8.295908630047116, 7.731673967874684, 7.977014746227709, 9.572869699409555, 8.997599451303154, 4.9977290047248895, 5.853328107649096, 5.833561957018748, 9.375122313671698, 5.558335619570188, 6.478519109220864, 7.369138209034247, 8.097545867626888), # 70
(8.292055728514343, 7.703448134873224, 7.967400068587105, 9.560858803005905, 8.995334463003308, 4.995596646852614, 5.8341613276311906, 5.807132693187015, 9.364337768632831, 5.541568287474112, 6.468149896627089, 7.356122349770172, 8.095231910150892), # 71
(8.286991304347827, 7.674735483870967, 7.9575499999999995, 9.548210869565217, 8.99235294117647, 4.992800000000001, 5.81472268907563, 5.7808, 9.353100000000001, 5.524743529411765, 6.456817224880384, 7.342736842105264, 8.0921875), # 72
(8.280752000954257, 7.6455525819726535, 7.947467832647462, 9.534942646269458, 8.988674251593642, 4.989362475232434, 5.795020676034474, 5.754572656607225, 9.341424371284866, 5.507861758519595, 6.444555685510071, 7.328990927249535, 8.0884332133059), # 73
(8.273374461740323, 7.615915996283022, 7.937156858710562, 9.52107088030059, 8.98431776002582, 4.985307483615303, 5.775063772559778, 5.728459442158208, 9.329326245999086, 5.49092338793405, 6.431399870045485, 7.314893846413014, 8.083989626200276), # 74
(8.26489533011272, 7.5858422939068095, 7.92662037037037, 9.50661231884058, 8.97930283224401, 4.980658436213993, 5.754860462703601, 5.7024691358024695, 9.31682098765432, 5.473928830791576, 6.417384370015949, 7.300454840805718, 8.078877314814816), # 75
(8.255351249478142, 7.55534804194876, 7.915861659807956, 9.49158370907139, 8.973648834019205, 4.975438744093889, 5.734419230517997, 5.6766105166895295, 9.303923959762232, 5.4568785002286235, 6.402543776950793, 7.2856831516376666, 8.073116855281206), # 76
(8.244778863243274, 7.524449807513609, 7.904884019204388, 9.476001798174986, 8.967375131122408, 4.9696718183203785, 5.7137485600550235, 5.650892363968908, 9.290650525834478, 5.43977280938164, 6.38691268237935, 7.270588020118885, 8.06672882373114), # 77
(8.233214814814815, 7.493164157706095, 7.893690740740741, 9.459883333333334, 8.96050108932462, 4.963381069958848, 5.69285693536674, 5.625323456790124, 9.277016049382715, 5.422612171387073, 6.370525677830941, 7.255178687459391, 8.059733796296298), # 78
(8.220695747599452, 7.461507659630958, 7.88228511659808, 9.443245061728396, 8.953046074396838, 4.956589910074683, 5.671752840505201, 5.5999125743026985, 9.26303589391861, 5.405396999381371, 6.353417354834898, 7.239464394869204, 8.052152349108367), # 79
(8.207258305003878, 7.429496880392938, 7.870670438957475, 9.426103730542136, 8.945029452110063, 4.949321749733272, 5.650444759522465, 5.574668495656151, 9.248725422953818, 5.388127706500981, 6.335622304920551, 7.223454383558348, 8.04400505829904), # 80
(8.192939130434784, 7.397148387096775, 7.85885, 9.408476086956524, 8.936470588235293, 4.9416, 5.628941176470589, 5.549600000000001, 9.2341, 5.370804705882353, 6.317175119617225, 7.207157894736842, 8.0353125), # 81
(8.177774867298861, 7.364478746847206, 7.8468270919067225, 9.390378878153516, 8.927388848543533, 4.933448071940254, 5.607250575401629, 5.524715866483768, 9.219174988568815, 5.353428410661933, 6.298110390454251, 7.190584169614709, 8.026095250342937), # 82
(8.161802159002804, 7.331504526748971, 7.834605006858711, 9.371828851315083, 8.917803598805778, 4.924889376619419, 5.585381440367643, 5.500024874256973, 9.203965752171925, 5.335999233976169, 6.278462708960955, 7.17374244940197, 8.016373885459535), # 83
(8.145057648953301, 7.29824229390681, 7.822187037037037, 9.35284275362319, 8.907734204793028, 4.915947325102881, 5.563342255420687, 5.475535802469135, 9.188487654320987, 5.3185175889615115, 6.258266666666667, 7.156641975308642, 8.006168981481482), # 84
(8.127577980557048, 7.264708615425461, 7.80957647462277, 9.333437332259797, 8.897200032276286, 4.906645328456029, 5.54114150461282, 5.451257430269777, 9.172756058527662, 5.300983888754405, 6.237556855100715, 7.13929198854475, 7.995501114540467), # 85
(8.10939979722073, 7.230920058409665, 7.796776611796983, 9.313629334406873, 8.886220447026547, 4.897006797744247, 5.518787671996097, 5.4271985368084135, 9.156786328303614, 5.283398546491299, 6.216367865792428, 7.121701730320315, 7.984390860768176), # 86
(8.090559742351045, 7.1968931899641575, 7.7837907407407405, 9.293435507246377, 8.874814814814817, 4.887055144032922, 5.496289241622575, 5.403367901234568, 9.140593827160496, 5.265761975308642, 6.194734290271132, 7.103880441845354, 7.972858796296297), # 87
(8.071094459354686, 7.162644577193681, 7.7706221536351165, 9.27287259796028, 8.863002501412089, 4.876813778387441, 5.473654697544313, 5.37977430269776, 9.124193918609969, 5.248074588342881, 6.172690720066159, 7.085837364329892, 7.960925497256517), # 88
(8.051040591638339, 7.128190787202974, 7.75727414266118, 9.251957353730543, 8.850802872589366, 4.8663061118731905, 5.4508925238133665, 5.356426520347508, 9.107601966163696, 5.230336798730466, 6.150271746706835, 7.067581738983948, 7.948611539780521), # 89
(8.030434782608696, 7.093548387096774, 7.74375, 9.230706521739132, 8.838235294117649, 4.855555555555556, 5.428011204481793, 5.333333333333333, 9.090833333333334, 5.2125490196078434, 6.1275119617224885, 7.049122807017544, 7.9359375000000005), # 90
(8.00931367567245, 7.058733943979822, 7.730053017832647, 9.20913684916801, 8.825319131767932, 4.8445855204999235, 5.405019223601649, 5.3105035208047555, 9.073903383630546, 5.194711664111461, 6.104445956642448, 7.0304698096406995, 7.922923954046638), # 91
(7.9877139142362985, 7.023764024956858, 7.716186488340192, 9.187265083199142, 8.812073751311223, 4.833419417771681, 5.381925065224994, 5.287945861911295, 9.056827480566987, 5.176825145377768, 6.081108322996043, 7.011631988063439, 7.909591478052126), # 92
(7.965672141706924, 6.988655197132617, 7.702153703703704, 9.165107971014494, 8.798518518518518, 4.822080658436214, 5.358737213403881, 5.26566913580247, 9.039620987654322, 5.15888987654321, 6.0575336523126, 6.992618583495776, 7.895960648148147), # 93
(7.943225001491024, 6.953424027611842, 7.6879579561042535, 9.142682259796029, 8.784672799160816, 4.810592653558909, 5.335464152190369, 5.243682121627802, 9.022299268404208, 5.140906270744238, 6.033756536121448, 6.973438837147739, 7.882052040466393), # 94
(7.920409136995288, 6.9180870834992705, 7.673602537722909, 9.120004696725712, 8.770555959009119, 4.798978814205152, 5.312114365636515, 5.221993598536809, 9.004877686328305, 5.122874741117297, 6.009811565951917, 6.954101990229344, 7.867886231138546), # 95
(7.89726119162641, 6.882660931899643, 7.659090740740742, 9.097092028985507, 8.756187363834423, 4.787262551440329, 5.288696337794377, 5.200612345679013, 8.987371604938271, 5.104795700798839, 5.985733333333334, 6.934617283950619, 7.853483796296297), # 96
(7.873817808791078, 6.847162139917697, 7.64442585733882, 9.07396100375738, 8.741586379407732, 4.775467276329827, 5.265218552716011, 5.179547142203933, 8.969796387745772, 5.086669562925308, 5.961556429795026, 6.914993959521576, 7.838865312071332), # 97
(7.850115631895988, 6.811607274658171, 7.629611179698216, 9.050628368223297, 8.726772371500042, 4.763616399939035, 5.241689494453475, 5.158806767261089, 8.952167398262459, 5.068496740633154, 5.937315446866325, 6.895241258152239, 7.824051354595337), # 98
(7.826191304347827, 6.776012903225807, 7.614650000000001, 9.027110869565218, 8.711764705882354, 4.751733333333333, 5.218117647058825, 5.138400000000001, 8.9345, 5.050277647058824, 5.913044976076556, 6.875368421052632, 7.8090625000000005), # 99
(7.80208146955329, 6.740395592725341, 7.59954561042524, 9.00342525496511, 8.696582748325667, 4.739841487578113, 5.194511494584116, 5.118335619570188, 8.916809556470051, 5.032012695338767, 5.888779608955048, 6.855384689432774, 7.79391932441701), # 100
(7.777822770919068, 6.704771910261517, 7.584301303155008, 8.979588271604939, 8.681245864600985, 4.727964273738759, 5.17087952108141, 5.09862240512117, 8.899111431184272, 5.013702298609431, 5.86455393703113, 6.835299304502683, 7.7786424039780515), # 101
(7.753451851851853, 6.669158422939069, 7.56892037037037, 8.955616666666668, 8.665773420479303, 4.7161251028806594, 5.1472302106027605, 5.07926913580247, 8.881420987654321, 4.995346870007263, 5.840402551834131, 6.815121507472385, 7.763252314814816), # 102
(7.729005355758336, 6.633571697862738, 7.5534061042524, 8.93152718733226, 8.650184781731623, 4.704347386069197, 5.123572047200224, 5.060284590763604, 8.86375358939186, 4.976946822668712, 5.816360044893379, 6.794860539551898, 7.747769633058984), # 103
(7.704519926045208, 6.598028302137263, 7.537761796982167, 8.907336580783683, 8.634499314128943, 4.692654534369761, 5.099913514925861, 5.041677549154093, 8.846124599908551, 4.958502569730225, 5.792461007738201, 6.774525641951243, 7.732214934842251), # 104
(7.680032206119162, 6.562544802867383, 7.5219907407407405, 8.883061594202898, 8.618736383442267, 4.681069958847737, 5.076263097831727, 5.023456790123458, 8.82854938271605, 4.940014524328251, 5.768740031897927, 6.754126055880443, 7.716608796296296), # 105
(7.655578839386891, 6.527137767157839, 7.5060962277091905, 8.858718974771874, 8.602915355442589, 4.669617070568511, 5.052629279969876, 5.005631092821217, 8.811043301326016, 4.921483099599236, 5.745231708901884, 6.733671022549515, 7.700971793552812), # 106
(7.631196469255085, 6.491823762113369, 7.490081550068588, 8.83432546967257, 8.587055595900912, 4.65831928059747, 5.0290205453923695, 4.988209236396892, 8.793621719250115, 4.9029087086796315, 5.721970630279402, 6.713169783168484, 7.685324502743484), # 107
(7.606921739130435, 6.456619354838711, 7.473950000000001, 8.809897826086958, 8.571176470588235, 4.647200000000001, 5.0054453781512604, 4.9712000000000005, 8.7763, 4.884291764705883, 5.698991387559809, 6.69263157894737, 7.669687500000001), # 108
(7.582791292419635, 6.421541112438604, 7.4577048696845, 8.785452791196994, 8.55529734527556, 4.636282639841488, 4.98191226229861, 4.954612162780065, 8.759093507087334, 4.865632680814438, 5.676328572272432, 6.67206565109619, 7.654081361454047), # 109
(7.558841772529373, 6.38660560201779, 7.441349451303157, 8.761007112184648, 8.539437585733884, 4.625590611187319, 4.9584296818864715, 4.938454503886603, 8.742017604023777, 4.846931870141747, 5.654016775946601, 6.651481240824971, 7.638526663237312), # 110
(7.535109822866345, 6.351829390681004, 7.424887037037038, 8.736577536231884, 8.523616557734206, 4.615147325102881, 4.935006120966905, 4.922735802469136, 8.725087654320989, 4.828189745824256, 5.632090590111643, 6.630887589343731, 7.623043981481482), # 111
(7.51163208683724, 6.317229045532987, 7.408320919067217, 8.712180810520666, 8.507853627047528, 4.6049761926535595, 4.911650063591967, 4.907464837677184, 8.708319021490626, 4.809406720998413, 5.610584606296888, 6.6102939378624885, 7.607653892318244), # 112
(7.488403378962436, 6.282878895028762, 7.391694262601655, 8.687867105993632, 8.492140544138964, 4.595095815371611, 4.888420770925416, 4.892682055024485, 8.691770249006897, 4.790643789290184, 5.589539124922293, 6.589754349203543, 7.592355120674577), # 113
(7.465184718320052, 6.249117746820429, 7.375236540017295, 8.663831537021869, 8.476314683653062, 4.585483686823921, 4.865614566728464, 4.878569007604096, 8.675695228570449, 4.772252134330226, 5.568995469690558, 6.56952973769038, 7.577020331328028), # 114
(7.441907922403196, 6.215957758946438, 7.358957546165854, 8.640067604145424, 8.460326142310882, 4.576114809999011, 4.84324772015325, 4.865122123422967, 8.660099982935032, 4.754260262390462, 5.548923609141675, 6.549630066047081, 7.561605305328301), # 115
(7.418543898590108, 6.183350625033362, 7.342825751987099, 8.616532920213123, 8.444150821107023, 4.566967101829678, 4.821283854022315, 4.852304250319195, 8.644945071382265, 4.736634686759638, 5.529284745017185, 6.530018557989877, 7.546085807804713), # 116
(7.395063554259018, 6.151248038707777, 7.326809628420789, 8.593185098073794, 8.427764621036088, 4.558018479248712, 4.799686591158202, 4.840078236130868, 8.630191053193762, 4.719341920726503, 5.510040079058626, 6.5106584372350005, 7.53043760388658), # 117
(7.371437796788169, 6.119601693596259, 7.310877646406694, 8.569981750576266, 8.411143443092675, 4.549246859188911, 4.7784195543834524, 4.828406928696078, 8.615798487651148, 4.7023484775798075, 5.49115081300754, 6.49151292749868, 7.51463645870322), # 118
(7.347637533555794, 6.088363283325384, 7.294998276884579, 8.546880490569364, 8.394263188271378, 4.540630158583066, 4.757446366520605, 4.817253175852916, 8.601727934036035, 4.685620870608298, 5.4725781486054625, 6.472545252497148, 7.498658137383946), # 119
(7.323633671940129, 6.057484501521727, 7.27913999079421, 8.523838930901915, 8.377099757566798, 4.532146294363972, 4.736730650392203, 4.806579825439474, 8.587939951630046, 4.669125613100724, 5.454283287593933, 6.453718635946638, 7.482478405058078), # 120
(7.299397119319415, 6.026917041811863, 7.26327125907535, 8.500814684422748, 8.359629051973535, 4.523773183464424, 4.716236028820784, 4.796349725293846, 8.574395099714799, 4.652829218345837, 5.436227431714493, 6.434996301563378, 7.466073026854929), # 121
(7.274898783071883, 5.996612597822369, 7.247360552667769, 8.477765363980685, 8.341826972486187, 4.515488742817215, 4.695926124628894, 4.786525723254119, 8.561053937571911, 4.636698199632382, 5.4183717827086815, 6.416341473063601, 7.4494177679038165), # 122
(7.250109570575775, 5.9665228631798195, 7.231376342511229, 8.454648582424555, 8.323669420099353, 4.50727088935514, 4.675764560639071, 4.7770706671583865, 8.547877024483004, 4.62069907024911, 5.400677542318036, 6.397717374163538, 7.432488393334058), # 123
(7.225000389209324, 5.93659953151079, 7.215287099545496, 8.43142195260319, 8.30513229580763, 4.499097540010991, 4.655714959673856, 4.767947404844741, 8.534824919729692, 4.604798343484769, 5.383105912284096, 6.3790872285794205, 7.4152606682749695), # 124
(7.199542146350767, 5.9067942964418565, 7.199061294710339, 8.408043087365408, 8.286191500605618, 4.490946611717565, 4.635740944555791, 4.759118784151273, 8.521858182593595, 4.588962532628107, 5.3656180943484015, 6.360414260027479, 7.397710357855863), # 125
(7.1737057493783425, 5.877058851599596, 7.182667398945519, 8.384469599560044, 8.266822935487914, 4.482796021407654, 4.615806138107416, 4.750547652916074, 8.508937372356334, 4.573158150967874, 5.348175290252491, 6.341661692223948, 7.379813227206063), # 126
(7.147462105670289, 5.84734489061058, 7.166073883190804, 8.36065910203592, 8.247002501449119, 4.474623686014052, 4.595874163151275, 4.742196858977237, 8.496023048299525, 4.557351711792819, 5.3307387017379035, 6.322792748885053, 7.361545041454879), # 127
(7.120782122604837, 5.817604107101388, 7.14924921838596, 8.336569207641865, 8.226706099483833, 4.466407522469555, 4.575908642509906, 4.73402925017285, 8.483075769704788, 4.5415097283916905, 5.3132695305461795, 6.303770653727031, 7.34288156573163), # 128
(7.093636707560226, 5.787788194698593, 7.132161875470752, 8.312157529226706, 8.20590963058665, 4.458125447706956, 4.555873199005851, 4.726007674341008, 8.47005609585374, 4.5255987140532365, 5.2957289784188575, 6.284558630466109, 7.323798565165631), # 129
(7.065996767914694, 5.757848847028773, 7.1147803253849435, 8.28738167963927, 8.18458899575217, 4.449755378659047, 4.53573145546165, 4.7180949793198, 8.456924586028, 4.509585182066206, 5.278078247097476, 6.2651199028185225, 7.3042718048861985), # 130
(7.037833211046475, 5.727737757718502, 7.097073039068305, 8.262199271728381, 8.162720095974995, 4.441275232258625, 4.515447034699847, 4.71025401294732, 8.443641799509189, 4.493435645719348, 5.260278538323575, 6.2454176945004996, 7.2842770500226495), # 131
(7.009116944333808, 5.697406620394355, 7.079008487460597, 8.23656791834287, 8.140278832249724, 4.432662925438482, 4.49498355954298, 4.7024476230616585, 8.430168295578923, 4.4771166183014115, 5.2422910538386915, 6.225415229228274, 7.263790065704301), # 132
(6.979818875154931, 5.666807128682908, 7.060555141501587, 8.210445232331562, 8.11724110557095, 4.423896375131413, 4.474304652813592, 4.694638657500906, 8.416464633518821, 4.460594613101146, 5.224076995384369, 6.205075730718074, 7.242786617060469), # 133
(6.949909910888076, 5.635890976210739, 7.041681472131043, 8.183788826543283, 8.093582816933274, 4.414953498270212, 4.453373937334223, 4.686789964103155, 8.402491372610504, 4.443836143407299, 5.205597564702143, 6.184362422686133, 7.221242469220467), # 134
(6.919360958911483, 5.604609856604419, 7.022355950288727, 8.156556313826863, 8.069279867331296, 4.405812211787674, 4.432155035927415, 4.678864390706496, 8.388209072135584, 4.426807722508621, 5.186813963533554, 6.163238528848682, 7.199133387313616), # 135
(6.888142926603388, 5.572915463490528, 7.002547046914407, 8.128705307031124, 8.044308157759614, 4.396450432616592, 4.410611571415708, 4.670824785149022, 8.373578291375685, 4.409475863693858, 5.167687393620142, 6.1416672729219535, 7.176435136469229), # 136
(6.856226721342027, 5.540759490495638, 6.982223232947849, 8.100193419004901, 8.018643589212827, 4.386846077689759, 4.388707166621645, 4.662633995268823, 8.358559589612426, 4.391807080251762, 5.1481790567034444, 6.119611878622176, 7.153123481816621), # 137
(6.823583250505639, 5.508093631246327, 6.961352979328814, 8.070978262597011, 7.992262062685535, 4.376977063939971, 4.366405444367763, 4.654254868903992, 8.343113526127425, 4.373767885471078, 5.128250154525002, 6.097035569665582, 7.129174188485113), # 138
(6.790183421472455, 5.4748695793691695, 6.939904756997072, 8.041017450656287, 7.965139479172333, 4.366821308300021, 4.343670027476608, 4.64565025389262, 8.327200660202298, 4.355324792640558, 5.107861888826353, 6.073901569768405, 7.104563021604015), # 139
(6.755998141620719, 5.44103902849074, 6.91784703689239, 8.010268596031556, 7.937251739667824, 4.356356727702703, 4.320464538770717, 4.636782998072797, 8.310781551118666, 4.336444315048949, 5.086975461349035, 6.050173102646873, 7.079265746302652), # 140
(6.720998318328665, 5.406553672237617, 6.895148289954529, 7.978689311571642, 7.908574745166603, 4.345561239080812, 4.296752601072636, 4.6276159492826165, 8.293816758158144, 4.317092965985001, 5.065552073834591, 6.02581339201722, 7.053258127710331), # 141
(6.685154858974525, 5.371365204236373, 6.871776987123257, 7.946237210125377, 7.87908439666327, 4.334412759367142, 4.272497837204901, 4.6181119553601695, 8.276266840602354, 4.2972372587374625, 5.043552928024558, 6.000785661595676, 7.026515930956373), # 142
(6.64843867093654, 5.335425318113585, 6.8477015993383406, 7.91286990454158, 7.848756595152423, 4.322889205494485, 4.247663869990055, 4.608233864143545, 8.258092357732918, 4.276843706595082, 5.020939225660475, 5.975053135098472, 6.999014921170094), # 143
(6.610820661592948, 5.298685707495829, 6.822890597539542, 7.878545007669086, 7.817567241628663, 4.310968494395637, 4.222214322250639, 4.597944523470839, 8.239253868831447, 4.255878822846608, 4.997672168483881, 5.948579036241839, 6.970730863480812), # 144
(6.572271738321982, 5.26109806600968, 6.797312452666631, 7.843220132356716, 7.785492237086586, 4.298628543003392, 4.196112816809195, 4.587206781180141, 8.219711933179564, 4.23430912078079, 4.973712958236316, 5.921326588742011, 6.94163952301784), # 145
(6.5327628085018805, 5.2226140872817135, 6.770935635659374, 7.806852891453301, 7.7525074825207945, 4.285847268250545, 4.169322976488264, 4.575983485109542, 8.199427110058885, 4.212101113686376, 4.949022796659319, 5.893259016315216, 6.911716664910495), # 146
(6.49226477951088, 5.1831854649385045, 6.743728617457528, 7.769400897807664, 7.718588878925882, 4.272602587069886, 4.141808424110385, 4.564237483097132, 8.178359958751033, 4.189221314852117, 4.923562885494429, 5.864339542677689, 6.8809380542880945), # 147
(6.450748558727217, 5.142763892606631, 6.715659869000866, 7.730821764268637, 7.683712327296449, 4.258872416394214, 4.113532782498101, 4.551931622981006, 8.156471038537623, 4.1656362375667575, 4.897294426483186, 5.8345313915456565, 6.8492794562799535), # 148
(6.40818505352913, 5.101301063912665, 6.686697861229155, 7.691073103685042, 7.647853728627097, 4.24463467315632, 4.084459674473953, 4.539028752599253, 8.13372090870027, 4.1413123951190505, 4.870178621367128, 5.803797786635354, 6.81671663601539), # 149
(6.364545171294852, 5.058748672483183, 6.656811065082156, 7.65011252890571, 7.610988983912421, 4.229867274288999, 4.054552722860481, 4.525491719789965, 8.110070128520602, 4.116216300797741, 4.8421766718877945, 5.772101951663011, 6.783225358623717), # 150
(6.31979981940262, 5.015058411944763, 6.625967951499634, 7.607897652779464, 7.573093994147022, 4.214548136725044, 4.023775550480226, 4.511283372391235, 8.085479257280232, 4.090314467891583, 4.813249779786724, 5.739407110344858, 6.748781389234255), # 151
(6.273919905230675, 4.970181975923978, 6.594136991421362, 7.5643860881551355, 7.534144660325495, 4.198655177397251, 3.992091780155732, 4.496366558241153, 8.059908854260776, 4.06357340968932, 4.7833591468054575, 5.705676486397127, 6.713360492976318), # 152
(6.226876336157249, 4.924071058047406, 6.561286655787095, 7.519535447881546, 7.4941168834424445, 4.182166313238413, 3.9594650347095355, 4.48070412517781, 8.03331947874386, 4.035959639479703, 4.752465974685533, 5.670873303536052, 6.676938434979222), # 153
(6.178640019560583, 4.87667735194162, 6.527385415536607, 7.473303344807528, 7.452986564492464, 4.165059461181324, 3.9258589369641825, 4.464258921039298, 8.005671690011093, 4.0074396705514825, 4.72053146516849, 5.63496078547786, 6.639490980372286), # 154
(6.129181862818909, 4.827952551233196, 6.492401741609661, 7.425647391781903, 7.410729604470157, 4.147312538158777, 3.891237109742209, 4.446993793663709, 7.976926047344103, 3.9779800161934036, 4.687516819995866, 5.597902155938786, 6.600993894284821), # 155
(6.078472773310465, 4.7778483495487105, 6.456304104946021, 7.3765252016535, 7.367321904370119, 4.128903461103569, 3.85556317586616, 4.428871590889135, 7.947043110024501, 3.9475471896942183, 4.6533832409092035, 5.559660638635059, 6.561422941846148), # 156
(6.02648365841349, 4.726316440514739, 6.419060976485454, 7.32589438727115, 7.322739365186948, 4.109810146948491, 3.8188007581585754, 4.409855160553666, 7.915983437333911, 3.9161077043426733, 4.618091929650039, 5.52019945728291, 6.520753888185581), # 157
(5.971744757124192, 4.672362496617807, 6.378873563121885, 7.271815665320995, 7.274944884696798, 4.088819581053688, 3.780085376742286, 4.388637561879498, 7.881329673279279, 3.882692733032915, 4.580476602031154, 5.478079651355472, 6.477188687532276), # 158
(5.9058294135827225, 4.610452255679582, 6.32539025472239, 7.203181727030763, 7.212153047825303, 4.058951718405683, 3.734570210708573, 4.357770826211506, 7.829141808977716, 3.8418247952789963, 4.533933548495195, 5.425090018946487, 6.420342117536156), # 159
(5.827897675923448, 4.540077382832571, 6.257536766364711, 7.118862008327088, 7.133136105077437, 4.019473036838147, 3.6817949987070273, 4.316479351621878, 7.757940181782921, 3.792964521490315, 4.477807606887632, 5.360401559110278, 6.349136487114865), # 160
(5.738577643668768, 4.461696694464375, 6.1760375775282474, 7.019658003005382, 7.038714499425691, 3.970861793256251, 3.622145156805501, 4.265280426487824, 7.668663813599214, 3.7365265545367503, 4.412593323679766, 5.284613975126057, 6.264299235855278), # 161
(5.638497416341085, 4.375769006962591, 6.0816171676923965, 6.9063712048610615, 6.929708673842564, 3.9135962445651646, 3.5560061010718473, 4.204691339186562, 7.56225172633091, 3.6729255372881853, 4.338785245342897, 5.198326970273035, 6.166557803344267), # 162
(5.528285093462799, 4.2827531367148195, 5.975000016336562, 6.779803107689547, 6.806939071300551, 3.848154647670058, 3.4837632475739206, 4.1352293780953, 7.439642941882325, 3.6025761126145, 4.2568779183483265, 5.102140247830427, 6.0566396291687035), # 163
(5.408568774556308, 4.183107900108657, 5.856910602940141, 6.640755205286254, 6.6712261347721515, 3.7750152594761035, 3.405802012379573, 4.0574118315912555, 7.301776482157779, 3.525892923385575, 4.167365889167357, 4.996653511077443, 5.935272152915463), # 164
(5.279976559144014, 4.077292113531706, 5.728073406982535, 6.490028991446602, 6.523390307229859, 3.6946563368884693, 3.3225078115566578, 3.971755988051637, 7.149591369061584, 3.4432906124712908, 4.0707437042712895, 4.882466463293296, 5.803182814171416), # 165
(5.143136546748318, 3.9657645933715635, 5.589212907943143, 6.328425959966001, 6.3642520316461715, 3.607556136812327, 3.234266061173029, 3.878779135853662, 6.984026624498059, 3.35518382274153, 3.9675059101314236, 4.760178807757201, 5.661099052523436), # 166
(4.998676836891619, 3.8489841560158298, 5.441053585301364, 6.156747604639875, 6.194631750993584, 3.514192916152847, 3.14146217729654, 3.7789985633745413, 6.80602127037152, 3.2619871970661714, 3.858147053219062, 4.630390247748367, 5.509748307558397), # 167
(4.847225529096317, 3.727409617852103, 5.284319918536599, 5.975795419263637, 6.015349908244594, 3.415044931815199, 3.0444815759950434, 3.672931558991488, 6.616514328586284, 3.1641153783150977, 3.743161680005505, 4.493700486546009, 5.34985801886317), # 168
(4.689410722884812, 3.6014997952679835, 5.119736387128247, 5.786370897632707, 5.827226946371696, 3.310590440704556, 2.9437096733363934, 3.561095411081716, 6.416444821046671, 3.0619830093581895, 3.623044336962055, 4.350709227429338, 5.182155626024628), # 169
(4.525860517779507, 3.47171350465107, 4.948027470555708, 5.589275533542496, 5.631083308347387, 3.2013076997260854, 2.8395318853884426, 3.444007408022438, 6.206751769656991, 2.9560047330653263, 3.498289570560013, 4.202016173677567, 5.007368568629644), # 170
(4.3572030133028, 3.3385095623889605, 4.7699176482983825, 5.385310820788429, 5.427739437144165, 3.087674965784959, 2.7323336282190445, 3.3221848381908665, 5.9883741963215655, 2.846595192306391, 3.3693919272706787, 4.048221028569909, 4.826224286265092), # 171
(4.184066308977092, 3.2023467848692557, 4.586131399835669, 5.175278253165917, 5.218015775734523, 2.970170495786347, 2.6225003178960526, 3.1961449899642167, 5.762251122944709, 2.734169029951264, 3.2368459535653553, 3.889923495385577, 4.639450218517843), # 172
(4.007078504324784, 3.063683988479554, 4.39739320464697, 4.959979324470381, 5.002732767090961, 2.84927254663542, 2.51041737048732, 3.066405151719699, 5.529321571430739, 2.6191408888698255, 3.1011461959153426, 3.72772327740378, 4.44777380497477), # 173
(3.8268676988682753, 2.9229799896074544, 4.204427542211682, 4.740215528497233, 4.782710854185973, 2.725459375237348, 2.3964702020607005, 2.9334826118345285, 5.290524563683971, 2.5019254119319574, 2.9627872007919422, 3.5622200779037345, 4.251922485222747), # 174
(3.6440619921299646, 2.7806936046405557, 4.007958892009206, 4.516788359041894, 4.558770479992055, 2.599209238497303, 2.2810442286840464, 2.797894658685917, 5.046799121608725, 2.3829372420075394, 2.8222635146664556, 3.3940136001646515, 4.052623698848646), # 175
(3.459289483632255, 2.6372836499664585, 3.8087117335189427, 4.29049930989978, 4.331732087481704, 2.4710003933204536, 2.164524866425212, 2.6601585806510792, 4.799084267109314, 2.2625910219664536, 2.680069684010184, 3.2237035474657434, 3.8506048854393393), # 176
(3.273178272897546, 2.493208941972761, 3.607410546220291, 4.062149874866306, 4.102416119627419, 2.3413110966119706, 2.0472975313520503, 2.5207916661072263, 4.548319022090056, 2.1413013946785795, 2.536700255294429, 3.051889623086223, 3.6465934845817), # 177
(3.0863564594482376, 2.348928297047063, 3.404779809592651, 3.832541547736893, 3.871643019401691, 2.210619605277026, 1.929747639532414, 2.3803112034315723, 4.295442408455268, 2.0194830030138, 2.39264977499049, 2.879171530305302, 3.4413169358626017), # 178
(0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0), # 179
)
passenger_arriving_acc = (
(0, 2, 3, 6, 2, 2, 1, 1, 1, 0, 0, 0, 0, 3, 3, 7, 0, 3, 2, 1, 1, 3, 1, 2, 1, 0), # 0
(2, 3, 4, 16, 2, 5, 4, 1, 2, 1, 1, 0, 0, 5, 9, 12, 3, 6, 5, 3, 5, 6, 1, 4, 1, 0), # 1
(7, 9, 5, 18, 7, 5, 6, 4, 4, 1, 2, 0, 0, 6, 14, 16, 5, 10, 8, 3, 8, 7, 6, 5, 1, 0), # 2
(16, 13, 9, 24, 10, 7, 7, 5, 6, 1, 2, 1, 0, 13, 18, 20, 11, 15, 9, 8, 10, 8, 7, 6, 1, 0), # 3
(18, 15, 11, 29, 12, 9, 11, 9, 7, 1, 4, 1, 0, 19, 23, 24, 14, 16, 11, 10, 12, 9, 9, 7, 1, 0), # 4
(23, 23, 17, 34, 14, 14, 12, 11, 10, 1, 6, 1, 0, 22, 28, 28, 18, 18, 13, 11, 14, 10, 9, 8, 2, 0), # 5
(32, 30, 21, 39, 17, 15, 13, 15, 12, 1, 6, 1, 0, 28, 30, 29, 19, 22, 17, 12, 14, 12, 12, 9, 2, 0), # 6
(35, 36, 24, 43, 21, 17, 16, 16, 16, 3, 7, 1, 0, 29, 36, 33, 23, 26, 18, 14, 16, 14, 14, 10, 2, 0), # 7
(41, 40, 27, 46, 25, 20, 19, 21, 18, 3, 8, 1, 0, 35, 42, 37, 26, 34, 25, 15, 17, 15, 16, 11, 4, 0), # 8
(47, 48, 31, 50, 30, 23, 23, 26, 19, 7, 9, 3, 0, 39, 46, 42, 33, 38, 29, 20, 18, 19, 21, 13, 4, 0), # 9
(49, 55, 37, 54, 35, 27, 23, 31, 21, 9, 9, 3, 0, 44, 52, 46, 34, 46, 32, 25, 18, 20, 23, 13, 6, 0), # 10
(55, 60, 44, 59, 44, 28, 26, 32, 23, 11, 10, 3, 0, 53, 60, 51, 36, 53, 36, 30, 19, 22, 23, 16, 6, 0), # 11
(60, 70, 47, 62, 52, 28, 31, 32, 26, 11, 10, 3, 0, 59, 64, 60, 41, 59, 39, 33, 21, 25, 26, 18, 8, 0), # 12
(65, 74, 54, 71, 57, 30, 34, 34, 32, 11, 10, 4, 0, 64, 68, 62, 49, 63, 44, 36, 23, 26, 26, 19, 9, 0), # 13
(78, 86, 62, 73, 65, 34, 36, 37, 36, 11, 11, 5, 0, 70, 73, 71, 51, 69, 45, 39, 24, 27, 28, 19, 9, 0), # 14
(86, 95, 67, 81, 70, 36, 39, 38, 43, 11, 11, 5, 0, 78, 80, 76, 53, 75, 48, 41, 24, 28, 29, 20, 9, 0), # 15
(93, 101, 77, 90, 75, 39, 40, 41, 46, 13, 12, 7, 0, 87, 82, 78, 56, 80, 51, 44, 25, 32, 29, 22, 10, 0), # 16
(98, 109, 83, 99, 83, 41, 41, 44, 50, 13, 16, 8, 0, 94, 88, 82, 59, 87, 56, 47, 26, 33, 31, 22, 10, 0), # 17
(105, 112, 89, 109, 91, 45, 44, 47, 54, 14, 19, 9, 0, 105, 96, 87, 63, 91, 64, 54, 27, 35, 34, 23, 11, 0), # 18
(109, 119, 100, 120, 93, 49, 49, 50, 57, 15, 20, 9, 0, 119, 98, 89, 69, 95, 65, 58, 27, 38, 36, 23, 12, 0), # 19
(114, 127, 106, 124, 95, 50, 53, 53, 59, 17, 22, 9, 0, 127, 102, 92, 70, 102, 68, 58, 28, 41, 37, 23, 14, 0), # 20
(123, 132, 111, 127, 102, 54, 56, 57, 61, 18, 24, 10, 0, 142, 110, 98, 76, 107, 71, 60, 29, 45, 39, 25, 14, 0), # 21
(131, 136, 117, 135, 109, 59, 59, 64, 63, 18, 24, 12, 0, 145, 116, 109, 83, 114, 77, 63, 35, 45, 41, 30, 14, 0), # 22
(145, 140, 125, 139, 114, 62, 60, 70, 67, 18, 25, 12, 0, 150, 123, 115, 87, 119, 81, 66, 35, 47, 41, 31, 14, 0), # 23
(155, 149, 128, 144, 120, 64, 61, 75, 69, 21, 26, 13, 0, 155, 129, 119, 91, 125, 88, 71, 36, 48, 46, 31, 15, 0), # 24
(162, 157, 137, 151, 125, 67, 64, 82, 73, 22, 27, 13, 0, 160, 131, 121, 92, 126, 97, 76, 37, 50, 47, 32, 15, 0), # 25
(169, 162, 141, 156, 128, 71, 66, 89, 75, 26, 28, 15, 0, 163, 136, 125, 99, 134, 103, 80, 40, 52, 50, 36, 15, 0), # 26
(174, 167, 143, 164, 133, 74, 73, 90, 80, 28, 28, 16, 0, 175, 145, 133, 104, 144, 107, 82, 45, 55, 51, 36, 15, 0), # 27
(181, 176, 150, 172, 137, 77, 75, 92, 83, 30, 28, 16, 0, 185, 152, 136, 106, 152, 111, 84, 48, 57, 53, 39, 15, 0), # 28
(191, 179, 155, 178, 141, 80, 78, 94, 86, 30, 29, 16, 0, 196, 156, 140, 111, 157, 116, 86, 50, 61, 54, 42, 17, 0), # 29
(195, 186, 161, 184, 148, 84, 79, 95, 96, 33, 29, 16, 0, 204, 160, 147, 115, 164, 118, 88, 54, 61, 57, 44, 18, 0), # 30
(203, 193, 166, 192, 157, 85, 81, 98, 98, 35, 29, 16, 0, 209, 164, 157, 121, 174, 126, 92, 58, 64, 64, 46, 18, 0), # 31
(218, 201, 175, 197, 163, 86, 82, 100, 102, 38, 30, 16, 0, 222, 177, 165, 124, 179, 133, 95, 62, 66, 65, 48, 18, 0), # 32
(228, 212, 183, 203, 170, 89, 84, 102, 105, 39, 31, 16, 0, 233, 186, 171, 131, 184, 141, 97, 65, 67, 66, 49, 20, 0), # 33
(240, 224, 189, 207, 177, 94, 86, 103, 108, 43, 33, 16, 0, 239, 191, 172, 137, 191, 145, 100, 66, 74, 68, 49, 20, 0), # 34
(248, 232, 199, 215, 184, 98, 89, 104, 111, 47, 33, 17, 0, 251, 201, 176, 141, 201, 149, 100, 68, 76, 72, 49, 20, 0), # 35
(263, 240, 205, 225, 195, 100, 91, 109, 112, 49, 35, 17, 0, 256, 211, 180, 145, 209, 155, 106, 69, 78, 80, 50, 20, 0), # 36
(271, 245, 216, 230, 202, 107, 96, 111, 114, 49, 37, 19, 0, 264, 215, 185, 155, 214, 160, 111, 72, 83, 83, 53, 20, 0), # 37
(279, 250, 220, 237, 208, 109, 101, 113, 120, 50, 37, 20, 0, 269, 225, 194, 157, 219, 162, 115, 73, 83, 85, 53, 20, 0), # 38
(287, 257, 229, 241, 211, 111, 104, 117, 122, 50, 39, 20, 0, 275, 227, 203, 162, 228, 167, 119, 75, 86, 88, 57, 21, 0), # 39
(297, 264, 233, 247, 220, 112, 107, 120, 123, 56, 40, 22, 0, 286, 234, 210, 169, 238, 171, 122, 79, 89, 90, 58, 21, 0), # 40
(303, 274, 236, 256, 224, 117, 112, 124, 126, 58, 41, 22, 0, 293, 243, 221, 176, 246, 174, 125, 84, 91, 92, 59, 21, 0), # 41
(316, 283, 246, 260, 231, 117, 115, 127, 127, 62, 43, 22, 0, 300, 249, 229, 179, 254, 181, 128, 85, 93, 93, 60, 23, 0), # 42
(325, 294, 253, 268, 239, 118, 119, 129, 129, 63, 44, 22, 0, 310, 260, 233, 183, 259, 185, 131, 88, 95, 93, 61, 24, 0), # 43
(335, 300, 263, 274, 245, 122, 123, 133, 135, 68, 46, 22, 0, 315, 271, 241, 188, 265, 190, 132, 90, 97, 99, 61, 24, 0), # 44
(342, 315, 268, 281, 249, 124, 128, 134, 138, 71, 47, 23, 0, 321, 282, 250, 190, 272, 193, 135, 93, 98, 103, 62, 24, 0), # 45
(355, 318, 273, 290, 257, 126, 128, 136, 144, 72, 48, 23, 0, 330, 290, 252, 199, 279, 196, 139, 97, 106, 108, 66, 25, 0), # 46
(369, 327, 281, 300, 260, 127, 133, 138, 148, 74, 49, 24, 0, 342, 300, 261, 205, 286, 199, 144, 101, 108, 109, 66, 25, 0), # 47
(374, 336, 288, 313, 269, 130, 136, 138, 151, 74, 49, 25, 0, 349, 309, 267, 208, 292, 207, 149, 102, 115, 117, 68, 26, 0), # 48
(379, 346, 299, 323, 277, 131, 139, 140, 154, 74, 49, 25, 0, 362, 311, 270, 212, 297, 211, 152, 104, 117, 119, 68, 26, 0), # 49
(389, 354, 307, 328, 286, 135, 144, 143, 155, 76, 50, 25, 0, 368, 316, 274, 222, 302, 217, 155, 107, 118, 120, 68, 26, 0), # 50
(401, 360, 313, 342, 294, 138, 144, 149, 155, 76, 51, 27, 0, 374, 325, 278, 226, 312, 224, 158, 107, 120, 121, 68, 26, 0), # 51
(409, 368, 319, 350, 298, 143, 149, 151, 157, 76, 51, 28, 0, 385, 328, 287, 228, 317, 228, 162, 111, 121, 122, 69, 26, 0), # 52
(417, 373, 323, 354, 304, 146, 150, 153, 159, 78, 51, 28, 0, 390, 333, 295, 232, 324, 231, 164, 113, 126, 123, 71, 27, 0), # 53
(424, 379, 329, 358, 309, 148, 153, 153, 166, 79, 52, 28, 0, 400, 333, 299, 234, 328, 236, 167, 116, 129, 125, 72, 27, 0), # 54
(437, 387, 339, 366, 315, 148, 156, 155, 169, 81, 52, 28, 0, 410, 339, 304, 237, 334, 239, 172, 117, 131, 129, 73, 27, 0), # 55
(446, 399, 343, 379, 317, 151, 159, 157, 171, 82, 53, 28, 0, 417, 349, 307, 245, 338, 243, 178, 121, 134, 130, 74, 28, 0), # 56
(450, 407, 348, 388, 323, 151, 162, 161, 175, 83, 53, 29, 0, 422, 357, 312, 248, 341, 247, 184, 125, 137, 135, 75, 28, 0), # 57
(459, 413, 354, 395, 330, 154, 166, 166, 179, 84, 57, 29, 0, 430, 363, 318, 254, 347, 252, 186, 126, 141, 135, 76, 29, 0), # 58
(466, 420, 361, 400, 338, 156, 169, 167, 182, 86, 57, 29, 0, 436, 373, 321, 260, 352, 257, 186, 126, 147, 139, 77, 30, 0), # 59
(471, 424, 369, 407, 344, 160, 174, 170, 184, 88, 58, 29, 0, 440, 376, 326, 265, 358, 261, 189, 129, 153, 141, 81, 32, 0), # 60
(478, 432, 373, 411, 347, 162, 180, 175, 188, 90, 58, 29, 0, 447, 386, 337, 272, 363, 263, 190, 134, 154, 143, 84, 32, 0), # 61
(485, 439, 380, 417, 358, 163, 182, 177, 191, 90, 60, 30, 0, 454, 395, 341, 277, 370, 265, 191, 135, 159, 144, 85, 32, 0), # 62
(497, 445, 390, 421, 364, 168, 184, 178, 193, 90, 60, 31, 0, 462, 401, 347, 281, 375, 266, 193, 137, 163, 146, 85, 34, 0), # 63
(505, 451, 397, 428, 374, 171, 184, 179, 197, 91, 62, 31, 0, 473, 409, 352, 291, 380, 267, 199, 139, 166, 149, 85, 34, 0), # 64
(513, 456, 403, 435, 384, 176, 184, 182, 198, 93, 63, 32, 0, 484, 421, 357, 296, 386, 272, 202, 144, 168, 152, 87, 34, 0), # 65
(523, 459, 411, 439, 389, 180, 187, 184, 199, 95, 66, 34, 0, 492, 431, 363, 300, 393, 272, 205, 146, 170, 156, 88, 35, 0), # 66
(530, 467, 417, 444, 395, 185, 188, 186, 200, 96, 66, 36, 0, 500, 445, 367, 303, 398, 272, 207, 147, 171, 156, 89, 35, 0), # 67
(537, 475, 423, 450, 406, 188, 190, 187, 203, 97, 68, 37, 0, 509, 452, 378, 306, 402, 275, 211, 147, 175, 158, 91, 38, 0), # 68
(546, 482, 427, 456, 411, 192, 193, 188, 205, 99, 69, 37, 0, 526, 457, 379, 309, 409, 279, 215, 150, 177, 159, 93, 38, 0), # 69
(554, 492, 428, 462, 417, 195, 197, 192, 210, 101, 70, 38, 0, 533, 468, 382, 318, 414, 281, 218, 152, 179, 162, 93, 39, 0), # 70
(560, 495, 434, 467, 427, 198, 199, 193, 213, 102, 70, 38, 0, 548, 481, 385, 322, 417, 283, 223, 156, 181, 165, 93, 39, 0), # 71
(572, 504, 436, 475, 435, 202, 202, 200, 218, 102, 70, 39, 0, 557, 484, 388, 327, 427, 292, 228, 159, 184, 166, 95, 40, 0), # 72
(575, 507, 442, 479, 439, 204, 204, 204, 224, 105, 70, 39, 0, 568, 489, 395, 328, 436, 292, 231, 160, 188, 173, 95, 40, 0), # 73
(587, 514, 447, 484, 444, 208, 208, 206, 225, 106, 70, 39, 0, 575, 493, 403, 334, 444, 299, 234, 162, 193, 177, 97, 41, 0), # 74
(595, 519, 450, 490, 451, 214, 211, 207, 225, 109, 70, 39, 0, 579, 497, 407, 338, 450, 304, 234, 163, 195, 177, 98, 41, 0), # 75
(604, 529, 454, 494, 460, 218, 214, 207, 225, 110, 71, 40, 0, 588, 503, 410, 342, 456, 308, 238, 164, 197, 180, 98, 41, 0), # 76
(608, 532, 462, 499, 465, 220, 218, 212, 230, 112, 72, 40, 0, 597, 508, 418, 347, 465, 312, 241, 166, 200, 184, 99, 43, 0), # 77
(620, 538, 469, 502, 469, 220, 223, 213, 232, 113, 72, 42, 0, 605, 513, 422, 352, 468, 313, 244, 167, 201, 188, 101, 46, 0), # 78
(625, 543, 478, 507, 473, 224, 226, 213, 233, 114, 72, 43, 0, 614, 520, 426, 356, 473, 318, 247, 172, 206, 191, 102, 47, 0), # 79
(636, 548, 484, 516, 476, 226, 230, 218, 237, 116, 72, 43, 0, 616, 527, 433, 358, 484, 323, 249, 173, 210, 193, 104, 47, 0), # 80
(647, 556, 489, 522, 492, 227, 231, 219, 240, 116, 73, 43, 0, 625, 535, 436, 361, 491, 325, 250, 174, 211, 196, 105, 48, 0), # 81
(654, 564, 496, 532, 496, 235, 235, 222, 244, 117, 74, 44, 0, 633, 546, 444, 363, 498, 330, 254, 176, 216, 196, 106, 48, 0), # 82
(663, 571, 502, 542, 503, 240, 236, 226, 248, 119, 75, 44, 0, 640, 554, 452, 368, 501, 335, 257, 180, 217, 200, 108, 49, 0), # 83
(668, 577, 509, 550, 508, 244, 239, 230, 252, 120, 76, 44, 0, 647, 561, 454, 372, 506, 336, 261, 182, 219, 205, 110, 50, 0), # 84
(679, 585, 517, 555, 513, 248, 241, 234, 255, 120, 77, 45, 0, 655, 562, 460, 376, 513, 336, 265, 184, 225, 205, 110, 50, 0), # 85
(691, 590, 527, 560, 521, 252, 242, 240, 257, 122, 78, 46, 0, 665, 569, 466, 383, 517, 342, 265, 188, 225, 208, 111, 51, 0), # 86
(696, 598, 533, 569, 527, 254, 247, 241, 260, 126, 79, 46, 0, 671, 578, 468, 386, 524, 347, 270, 192, 227, 209, 112, 52, 0), # 87
(704, 604, 540, 577, 533, 257, 250, 243, 262, 127, 81, 49, 0, 681, 584, 474, 390, 531, 352, 271, 194, 228, 211, 113, 52, 0), # 88
(709, 612, 550, 587, 539, 259, 252, 245, 263, 127, 81, 50, 0, 688, 591, 481, 397, 537, 356, 275, 195, 228, 214, 113, 52, 0), # 89
(717, 616, 554, 597, 548, 261, 253, 247, 270, 127, 82, 50, 0, 700, 603, 486, 401, 543, 360, 276, 199, 233, 214, 116, 52, 0), # 90
(721, 629, 563, 605, 553, 270, 254, 247, 273, 129, 83, 52, 0, 709, 613, 492, 407, 551, 367, 277, 200, 237, 217, 116, 52, 0), # 91
(725, 636, 570, 610, 558, 277, 259, 249, 277, 132, 83, 52, 0, 728, 619, 496, 407, 555, 370, 279, 202, 241, 218, 118, 53, 0), # 92
(731, 643, 580, 617, 567, 281, 260, 250, 279, 132, 83, 52, 0, 735, 622, 501, 411, 561, 371, 281, 204, 244, 222, 118, 53, 0), # 93
(736, 648, 582, 622, 575, 283, 263, 252, 283, 133, 84, 54, 0, 748, 636, 504, 416, 565, 372, 284, 208, 245, 224, 120, 53, 0), # 94
(742, 654, 589, 628, 577, 286, 268, 253, 289, 133, 84, 54, 0, 753, 639, 505, 421, 571, 373, 287, 210, 247, 224, 123, 53, 0), # 95
(752, 657, 595, 631, 581, 287, 272, 254, 291, 133, 84, 54, 0, 762, 646, 509, 424, 581, 377, 289, 214, 249, 226, 124, 53, 0), # 96
(761, 662, 601, 635, 588, 292, 273, 256, 295, 138, 84, 56, 0, 774, 654, 514, 431, 587, 379, 292, 214, 252, 227, 124, 54, 0), # 97
(765, 674, 603, 638, 595, 292, 276, 260, 297, 138, 87, 57, 0, 781, 659, 518, 433, 594, 382, 297, 215, 254, 229, 124, 56, 0), # 98
(774, 680, 608, 645, 599, 294, 277, 264, 300, 140, 90, 57, 0, 789, 666, 524, 439, 603, 384, 298, 217, 255, 231, 125, 57, 0), # 99
(782, 686, 612, 650, 606, 297, 278, 264, 306, 141, 92, 57, 0, 796, 670, 528, 442, 606, 386, 299, 218, 259, 233, 127, 57, 0), # 100
(792, 695, 622, 661, 612, 298, 280, 266, 308, 142, 92, 57, 0, 804, 676, 531, 447, 614, 392, 302, 218, 261, 236, 128, 59, 0), # 101
(802, 699, 626, 665, 616, 299, 287, 267, 311, 142, 94, 57, 0, 813, 681, 540, 454, 618, 396, 303, 222, 263, 238, 130, 61, 0), # 102
(807, 702, 634, 673, 621, 299, 292, 273, 313, 143, 94, 59, 0, 820, 690, 542, 457, 625, 398, 310, 224, 267, 241, 130, 61, 0), # 103
(811, 709, 642, 679, 626, 301, 293, 276, 317, 145, 96, 60, 0, 826, 694, 552, 465, 632, 400, 313, 224, 271, 241, 133, 61, 0), # 104
(824, 714, 646, 687, 630, 303, 300, 277, 319, 148, 97, 61, 0, 836, 694, 561, 467, 640, 401, 317, 225, 271, 243, 133, 62, 0), # 105
(839, 720, 649, 694, 631, 308, 300, 280, 323, 153, 98, 62, 0, 840, 698, 570, 469, 644, 406, 318, 227, 274, 245, 134, 62, 0), # 106
(845, 723, 658, 700, 634, 311, 306, 284, 325, 155, 99, 63, 0, 850, 706, 573, 471, 651, 407, 321, 228, 278, 247, 134, 62, 0), # 107
(852, 729, 666, 709, 636, 312, 308, 287, 327, 156, 100, 64, 0, 856, 714, 576, 473, 656, 409, 323, 229, 282, 249, 134, 63, 0), # 108
(859, 732, 670, 718, 648, 312, 311, 290, 334, 158, 101, 64, 0, 864, 717, 580, 481, 659, 411, 324, 234, 285, 251, 135, 64, 0), # 109
(872, 734, 679, 725, 654, 314, 313, 299, 339, 158, 102, 64, 0, 873, 722, 583, 487, 665, 415, 325, 235, 289, 252, 138, 64, 0), # 110
(877, 737, 683, 737, 656, 319, 316, 300, 340, 158, 102, 64, 0, 877, 728, 585, 492, 668, 417, 327, 235, 290, 252, 138, 66, 0), # 111
(890, 743, 687, 744, 660, 323, 319, 303, 341, 158, 103, 65, 0, 882, 736, 588, 495, 674, 421, 330, 236, 292, 256, 140, 67, 0), # 112
(895, 749, 696, 756, 665, 326, 320, 307, 342, 159, 104, 65, 0, 891, 737, 597, 497, 679, 423, 333, 236, 294, 258, 140, 69, 0), # 113
(904, 753, 699, 768, 670, 327, 324, 311, 342, 160, 106, 65, 0, 901, 742, 601, 503, 689, 426, 333, 238, 296, 260, 142, 71, 0), # 114
(909, 759, 706, 769, 673, 329, 324, 313, 346, 162, 106, 66, 0, 907, 745, 608, 505, 695, 432, 336, 241, 297, 261, 143, 71, 0), # 115
(913, 764, 714, 775, 679, 332, 327, 318, 350, 163, 106, 66, 0, 911, 749, 610, 510, 700, 432, 339, 242, 298, 262, 144, 71, 0), # 116
(925, 773, 718, 778, 688, 337, 329, 320, 351, 163, 106, 67, 0, 919, 757, 615, 511, 707, 435, 341, 245, 300, 266, 145, 71, 0), # 117
(939, 776, 723, 784, 693, 337, 331, 324, 353, 164, 106, 67, 0, 927, 765, 622, 516, 717, 439, 343, 247, 306, 269, 147, 71, 0), # 118
(947, 780, 728, 794, 707, 341, 337, 325, 355, 166, 106, 68, 0, 938, 770, 625, 519, 722, 442, 348, 247, 310, 271, 148, 72, 0), # 119
(955, 789, 731, 798, 712, 343, 338, 325, 357, 166, 106, 68, 0, 944, 776, 629, 524, 729, 443, 351, 250, 312, 272, 149, 74, 0), # 120
(966, 798, 733, 807, 717, 348, 343, 325, 360, 167, 106, 69, 0, 952, 783, 632, 527, 735, 444, 352, 251, 312, 276, 150, 76, 0), # 121
(971, 800, 738, 824, 725, 350, 346, 327, 362, 169, 108, 69, 0, 961, 791, 640, 531, 739, 446, 352, 251, 312, 278, 151, 76, 0), # 122
(978, 802, 743, 826, 726, 353, 349, 334, 365, 173, 109, 72, 0, 968, 798, 645, 533, 744, 448, 354, 256, 313, 279, 153, 76, 0), # 123
(981, 806, 748, 831, 732, 356, 352, 334, 370, 175, 109, 73, 0, 976, 806, 652, 538, 748, 452, 357, 256, 320, 281, 153, 77, 0), # 124
(985, 811, 755, 835, 738, 361, 356, 337, 371, 176, 110, 73, 0, 983, 813, 658, 541, 751, 455, 360, 257, 322, 284, 153, 77, 0), # 125
(987, 814, 760, 837, 743, 362, 358, 339, 375, 177, 110, 73, 0, 987, 818, 665, 542, 755, 458, 360, 258, 326, 286, 154, 77, 0), # 126
(995, 816, 766, 845, 750, 369, 360, 340, 379, 178, 110, 74, 0, 996, 827, 669, 547, 762, 460, 365, 259, 329, 286, 154, 79, 0), # 127
(1001, 822, 776, 847, 757, 372, 361, 342, 381, 179, 112, 74, 0, 1007, 836, 672, 548, 770, 463, 368, 261, 332, 286, 155, 79, 0), # 128
(1005, 831, 785, 855, 766, 375, 362, 343, 383, 182, 112, 74, 0, 1018, 840, 674, 551, 777, 465, 368, 262, 339, 289, 155, 80, 0), # 129
(1013, 837, 793, 862, 772, 378, 365, 346, 387, 184, 112, 75, 0, 1024, 845, 677, 555, 782, 467, 370, 262, 340, 295, 156, 80, 0), # 130
(1019, 843, 803, 867, 780, 380, 367, 347, 389, 185, 115, 75, 0, 1033, 855, 682, 558, 785, 470, 372, 265, 341, 297, 158, 80, 0), # 131
(1025, 848, 803, 874, 784, 385, 368, 348, 390, 186, 115, 76, 0, 1039, 858, 689, 561, 789, 473, 374, 268, 345, 298, 159, 80, 0), # 132
(1031, 854, 810, 883, 788, 387, 370, 348, 395, 187, 118, 76, 0, 1042, 866, 695, 564, 792, 476, 375, 271, 351, 301, 161, 81, 0), # 133
(1039, 855, 812, 890, 795, 392, 370, 351, 397, 189, 118, 76, 0, 1055, 877, 698, 565, 798, 480, 378, 272, 353, 302, 163, 81, 0), # 134
(1046, 864, 824, 894, 801, 393, 371, 351, 399, 189, 119, 76, 0, 1067, 884, 705, 567, 803, 482, 378, 281, 355, 303, 165, 81, 0), # 135
(1051, 868, 829, 901, 808, 394, 373, 352, 405, 190, 120, 76, 0, 1073, 889, 709, 568, 806, 484, 380, 282, 356, 304, 166, 81, 0), # 136
(1058, 871, 832, 909, 812, 396, 374, 354, 406, 190, 121, 76, 0, 1080, 893, 712, 570, 815, 486, 381, 283, 358, 305, 166, 81, 0), # 137
(1065, 873, 835, 910, 816, 398, 376, 354, 413, 191, 121, 76, 0, 1087, 899, 717, 574, 822, 489, 387, 285, 362, 309, 168, 82, 0), # 138
(1073, 880, 838, 915, 820, 400, 379, 357, 417, 193, 121, 76, 0, 1091, 902, 718, 578, 829, 492, 387, 288, 365, 311, 168, 83, 0), # 139
(1079, 887, 844, 920, 826, 403, 380, 359, 418, 196, 122, 76, 0, 1098, 904, 721, 583, 834, 495, 391, 292, 366, 313, 168, 83, 0), # 140
(1083, 891, 848, 928, 833, 407, 380, 360, 422, 197, 126, 76, 0, 1107, 908, 724, 583, 840, 499, 393, 295, 367, 315, 171, 83, 0), # 141
(1089, 893, 851, 935, 841, 411, 382, 362, 425, 199, 126, 76, 0, 1114, 913, 730, 584, 849, 503, 396, 295, 369, 316, 171, 83, 0), # 142
(1095, 898, 859, 942, 850, 412, 383, 366, 426, 201, 129, 76, 0, 1124, 916, 735, 587, 855, 503, 398, 297, 375, 316, 172, 83, 0), # 143
(1101, 902, 862, 944, 858, 414, 383, 370, 431, 205, 130, 76, 0, 1135, 919, 741, 588, 860, 504, 399, 297, 378, 323, 174, 83, 0), # 144
(1104, 905, 867, 945, 861, 416, 383, 370, 434, 205, 133, 76, 0, 1138, 922, 745, 590, 862, 506, 401, 300, 382, 323, 178, 85, 0), # 145
(1113, 910, 872, 948, 864, 416, 384, 373, 438, 206, 135, 78, 0, 1145, 931, 756, 592, 872, 508, 402, 304, 386, 325, 179, 85, 0), # 146
(1118, 912, 878, 958, 873, 419, 384, 373, 441, 207, 135, 78, 0, 1152, 936, 762, 594, 880, 510, 405, 304, 388, 330, 180, 86, 0), # 147
(1126, 915, 881, 966, 880, 421, 386, 374, 441, 210, 135, 78, 0, 1160, 938, 766, 597, 884, 515, 408, 306, 393, 330, 181, 86, 0), # 148
(1131, 917, 885, 972, 886, 424, 386, 375, 445, 211, 135, 79, 0, 1166, 942, 772, 600, 887, 516, 409, 308, 395, 332, 182, 86, 0), # 149
(1135, 923, 887, 981, 889, 428, 386, 378, 450, 211, 136, 79, 0, 1174, 946, 780, 601, 891, 517, 409, 310, 398, 338, 182, 86, 0), # 150
(1141, 926, 898, 990, 893, 430, 389, 380, 454, 211, 137, 79, 0, 1180, 951, 783, 605, 896, 519, 411, 313, 399, 342, 182, 86, 0), # 151
(1148, 932, 905, 997, 895, 434, 391, 381, 456, 214, 137, 79, 0, 1184, 961, 787, 607, 904, 520, 415, 314, 402, 343, 184, 86, 0), # 152
(1155, 938, 908, 1001, 897, 436, 392, 383, 460, 215, 137, 79, 0, 1192, 967, 792, 611, 909, 524, 418, 315, 404, 344, 186, 86, 0), # 153
(1158, 942, 913, 1006, 901, 436, 395, 384, 464, 215, 137, 80, 0, 1197, 972, 798, 616, 915, 526, 420, 316, 406, 349, 187, 88, 0), # 154
(1163, 947, 915, 1011, 906, 436, 396, 385, 466, 220, 139, 80, 0, 1202, 976, 804, 618, 920, 528, 420, 321, 406, 349, 189, 88, 0), # 155
(1164, 953, 922, 1018, 910, 439, 397, 386, 471, 221, 140, 80, 0, 1211, 979, 810, 620, 923, 530, 422, 322, 407, 351, 190, 88, 0), # 156
(1172, 959, 926, 1023, 915, 441, 398, 388, 473, 224, 140, 80, 0, 1214, 983, 813, 624, 928, 534, 424, 323, 408, 354, 192, 88, 0), # 157
(1176, 963, 932, 1024, 922, 443, 400, 392, 478, 225, 142, 80, 0, 1221, 991, 815, 626, 932, 535, 424, 323, 412, 360, 193, 88, 0), # 158
(1187, 969, 937, 1027, 925, 446, 402, 395, 483, 225, 142, 81, 0, 1225, 995, 820, 628, 935, 537, 425, 324, 413, 362, 196, 90, 0), # 159
(1194, 972, 947, 1033, 926, 450, 403, 396, 484, 225, 142, 82, 0, 1231, 999, 824, 631, 942, 538, 427, 327, 417, 365, 197, 91, 0), # 160
(1204, 974, 952, 1040, 928, 454, 404, 399, 486, 227, 142, 83, 0, 1236, 1007, 827, 635, 947, 539, 430, 327, 419, 367, 200, 92, 0), # 161
(1207, 981, 955, 1044, 938, 456, 406, 399, 486, 227, 142, 83, 0, 1239, 1011, 831, 640, 951, 541, 430, 328, 421, 367, 203, 92, 0), # 162
(1222, 985, 958, 1048, 945, 458, 409, 402, 487, 227, 142, 84, 0, 1245, 1015, 836, 640, 957, 544, 431, 328, 422, 368, 203, 92, 0), # 163
(1228, 986, 963, 1053, 948, 461, 413, 404, 492, 229, 142, 84, 0, 1248, 1020, 839, 642, 961, 545, 431, 329, 422, 370, 203, 93, 0), # 164
(1231, 987, 972, 1062, 952, 461, 413, 405, 494, 229, 142, 84, 0, 1256, 1023, 841, 643, 966, 546, 432, 330, 424, 371, 205, 93, 0), # 165
(1234, 993, 975, 1068, 957, 463, 414, 406, 498, 232, 142, 84, 0, 1261, 1031, 845, 643, 972, 550, 433, 331, 429, 373, 207, 93, 0), # 166
(1244, 996, 977, 1069, 963, 466, 416, 406, 499, 235, 142, 84, 0, 1268, 1033, 849, 645, 974, 553, 434, 331, 433, 373, 207, 93, 0), # 167
(1250, 1001, 979, 1074, 966, 470, 417, 407, 502, 235, 143, 84, 0, 1272, 1035, 850, 646, 979, 554, 436, 334, 436, 374, 207, 93, 0), # 168
(1253, 1012, 985, 1077, 966, 473, 418, 407, 503, 235, 144, 84, 0, 1277, 1040, 853, 646, 984, 555, 439, 335, 437, 376, 208, 93, 0), # 169
(1259, 1014, 993, 1082, 968, 477, 419, 407, 505, 236, 145, 84, 0, 1286, 1044, 855, 646, 991, 557, 442, 336, 439, 378, 209, 94, 0), # 170
(1261, 1019, 993, 1084, 969, 479, 420, 408, 506, 237, 145, 86, 0, 1291, 1049, 860, 647, 993, 559, 443, 337, 440, 379, 209, 94, 0), # 171
(1265, 1021, 1005, 1089, 974, 481, 422, 409, 506, 237, 146, 87, 0, 1298, 1052, 863, 649, 995, 560, 444, 339, 441, 381, 212, 94, 0), # 172
(1269, 1026, 1009, 1092, 976, 484, 423, 409, 507, 238, 146, 87, 0, 1303, 1057, 864, 651, 1004, 560, 446, 341, 443, 381, 212, 94, 0), # 173
(1273, 1030, 1010, 1095, 977, 485, 424, 411, 510, 238, 146, 87, 0, 1304, 1060, 866, 652, 1007, 562, 450, 342, 445, 381, 213, 94, 0), # 174
(1276, 1032, 1013, 1103, 979, 485, 426, 411, 513, 238, 147, 87, 0, 1312, 1062, 868, 652, 1009, 564, 450, 342, 446, 381, 214, 94, 0), # 175
(1278, 1036, 1014, 1108, 982, 487, 426, 412, 514, 238, 148, 87, 0, 1315, 1066, 871, 653, 1016, 565, 450, 342, 452, 383, 216, 95, 0), # 176
(1279, 1037, 1018, 1110, 987, 489, 427, 414, 516, 238, 149, 87, 0, 1322, 1067, 873, 654, 1018, 566, 450, 342, 452, 384, 216, 95, 0), # 177
(1285, 1043, 1022, 1113, 989, 491, 428, 414, 518, 239, 149, 88, 0, 1327, 1070, 874, 656, 1024, 566, 450, 343, 453, 385, 216, 97, 0), # 178
(1285, 1043, 1022, 1113, 989, 491, 428, 414, 518, 239, 149, 88, 0, 1327, 1070, 874, 656, 1024, 566, 450, 343, 453, 385, 216, 97, 0), # 179
)
passenger_arriving_rate = (
(4.0166924626974145, 4.051878277108322, 3.4741888197416713, 3.72880066431806, 2.962498990725126, 1.4647056349507583, 1.6584142461495661, 1.5510587243264744, 1.6240264165781353, 0.7916030031044742, 0.5607020218514138, 0.32652767188707826, 0.0, 4.067104170062691, 3.5918043907578605, 2.803510109257069, 2.374809009313422, 3.2480528331562706, 2.171482214057064, 1.6584142461495661, 1.0462183106791132, 1.481249495362563, 1.2429335547726867, 0.6948377639483343, 0.36835257064621113, 0.0), # 0
(4.283461721615979, 4.319377842372822, 3.703564394220102, 3.97508655196597, 3.1586615133195926, 1.561459005886526, 1.7677875765054776, 1.6531712409685695, 1.7312654203554425, 0.8437961384554302, 0.5977461514608177, 0.34808111072095704, 0.0, 4.3358333179518835, 3.8288922179305267, 2.9887307573040878, 2.53138841536629, 3.462530840710885, 2.3144397373559973, 1.7677875765054776, 1.1153278613475186, 1.5793307566597963, 1.3250288506553236, 0.7407128788440204, 0.39267071294298395, 0.0), # 1
(4.549378407183785, 4.585815791986718, 3.9320281903649423, 4.220392622798877, 3.3541135859998636, 1.6578263867724743, 1.8767274031842818, 1.7548750826348067, 1.838076481834013, 0.8957827550041094, 0.6346430865035085, 0.3695488434702037, 0.0, 4.603491862567752, 4.06503727817224, 3.173215432517542, 2.6873482650123277, 3.676152963668026, 2.4568251156887295, 1.8767274031842818, 1.1841617048374817, 1.6770567929999318, 1.4067975409329592, 0.7864056380729886, 0.41689234472606534, 0.0), # 2
(4.81340623451725, 4.850135034753395, 4.1586739128799035, 4.463745844519244, 3.548086227201014, 1.7534256238730528, 1.9848014566591823, 1.8557670524981693, 1.9440360429122914, 0.9473565396852364, 0.6712464549103178, 0.3908457123286974, 0.0, 4.869018245003381, 4.299302835615671, 3.356232274551589, 2.8420696190557084, 3.8880720858245827, 2.598073873497437, 1.9848014566591823, 1.2524468741950376, 1.774043113600507, 1.487915281506415, 0.8317347825759807, 0.4409213667957632, 0.0), # 3
(5.074508918732786, 5.111278479476234, 4.382595266468691, 4.704173184829542, 3.7398104553581293, 1.8478745634527118, 2.0915774674033836, 1.9554439537316386, 2.048720545488722, 0.998311179433536, 0.7074098846120768, 0.41188655949031766, 0.0, 5.131350906351854, 4.530752154393493, 3.5370494230603833, 2.9949335383006073, 4.097441090977444, 2.737621535224294, 2.0915774674033836, 1.3199104024662227, 1.8699052276790646, 1.5680577282765145, 0.8765190532937384, 0.46466167995238505, 0.0), # 4
(5.331650174946809, 5.368189034958631, 4.602885955835013, 4.940701611432236, 3.9285172889062823, 1.9407910517759004, 2.1966231658900894, 2.0535025895081978, 2.151706431461749, 1.048440361183733, 0.7429870035396177, 0.43258622714894324, 0.0, 5.389428287706262, 4.758448498638375, 3.7149350176980884, 3.145321083551198, 4.303412862923498, 2.8749036253114766, 2.1966231658900894, 1.3862793226970715, 1.9642586444531411, 1.6469005371440792, 0.9205771911670025, 0.48801718499623925, 0.0), # 5
(5.583793718275733, 5.619809610003967, 4.8186396856825775, 5.172358092029792, 4.113437746280557, 2.03179293510707, 2.299506282592505, 2.1495397630008295, 2.2525701427298173, 1.097537771870552, 0.777831439623771, 0.45285955749845397, 0.0, 5.642188830159686, 4.981455132482993, 3.889157198118855, 3.2926133156116553, 4.5051402854596345, 3.0093556682011613, 2.299506282592505, 1.4512806679336214, 2.0567188731402783, 1.724119364009931, 0.9637279371365156, 0.5108917827276335, 0.0), # 6
(5.829903263835975, 5.86508311341563, 5.02895016071509, 5.398169594324678, 4.293802845916028, 2.1204980597106697, 2.399794547983834, 2.2431522773825177, 2.350888121191372, 1.1453970984287176, 0.8117968207953693, 0.47262139273272863, 0.0, 5.888570974805216, 5.198835320060014, 4.058984103976846, 3.436191295286152, 4.701776242382744, 3.1404131883355246, 2.399794547983834, 1.514641471221907, 2.146901422958014, 1.799389864774893, 1.0057900321430182, 0.5331893739468755, 0.0), # 7
(6.068942526743948, 6.102952453997006, 5.232911085636264, 5.617163086019357, 4.468843606247779, 2.2065242718511486, 2.497055692537279, 2.333936935826242, 2.446236808744855, 1.1918120277929551, 0.8447367749852429, 0.49178657504564693, 0.0, 6.127513162735934, 5.409652325502115, 4.223683874926214, 3.5754360833788645, 4.89247361748971, 3.2675117101567386, 2.497055692537279, 1.5760887656079634, 2.2344218031238894, 1.872387695339786, 1.046582217127253, 0.5548138594542734, 0.0), # 8
(6.299875222116068, 6.332360540551483, 5.429616165149803, 5.828365534816301, 4.637791045710885, 2.2894894177929594, 2.590857446726048, 2.421490541504988, 2.538192647288713, 1.2365762468979886, 0.8765049301242238, 0.5102699466310877, 0.0, 6.35795383504493, 5.612969412941963, 4.382524650621119, 3.709728740693965, 5.076385294577426, 3.390086758106983, 2.590857446726048, 1.635349584137828, 2.3188955228554424, 1.9427885116054342, 1.0859232330299606, 0.5756691400501349, 0.0), # 9
(6.5216650650687455, 6.552250281882444, 5.6181591039594165, 6.0308039084179725, 4.799876182740427, 2.3690113438005502, 2.680767541023342, 2.505409897591737, 2.6263320787213904, 1.279483442678543, 0.9069549141431433, 0.5279863496829302, 0.0, 6.578831432825289, 5.807849846512232, 4.534774570715716, 3.838450328035629, 5.252664157442781, 3.5075738566284325, 2.680767541023342, 1.6921509598575357, 2.3999380913702133, 2.010267969472658, 1.1236318207918834, 0.5956591165347678, 0.0), # 10
(6.7332757707184046, 6.761564586793285, 5.797633606768811, 6.223505174526839, 4.954330035771484, 2.444707896138372, 2.7663537059023664, 2.585291807259472, 2.7102315449413314, 1.320327302069344, 0.9359403549728333, 0.5448506263950541, 0.0, 6.78908439717009, 5.993356890345594, 4.679701774864166, 3.9609819062080316, 5.420463089882663, 3.619408530163261, 2.7663537059023664, 1.7462199258131228, 2.477165017885742, 2.07450172484228, 1.1595267213537623, 0.6146876897084805, 0.0), # 11
(6.93367105418145, 6.959246364087378, 5.9671333782816935, 6.405496300845368, 5.100383623239134, 2.516196921070873, 2.8471836718363246, 2.6607330736811736, 2.789467487846981, 1.3589015120051147, 0.9633148805441247, 0.5607776189613379, 0.0, 6.987651169172428, 6.168553808574717, 4.816574402720623, 4.0767045360153435, 5.578934975693962, 3.7250263031536432, 2.8471836718363246, 1.7972835150506232, 2.550191811619567, 2.135165433615123, 1.1934266756563388, 0.63265876037158, 0.0), # 12
(7.121814630574301, 7.144238522568122, 6.125752123201774, 6.575804255076027, 5.237267963578454, 2.5830962648625047, 2.9228251692984224, 2.731330500029827, 2.863616349336782, 1.3949997594205812, 0.9889321187878493, 0.5756821695756614, 0.0, 7.173470189925388, 6.332503865332275, 4.944660593939246, 4.184999278261743, 5.727232698673564, 3.8238627000417584, 2.9228251692984224, 1.8450687606160747, 2.618633981789227, 2.1919347516920094, 1.225150424640355, 0.6494762293243748, 0.0), # 13
(7.296670215013373, 7.315483971038899, 6.272583546232765, 6.733456004921276, 5.3642140752245275, 2.6450237737777162, 2.9928459287618647, 2.7966808894784156, 2.932254571309179, 1.428415731250467, 1.0126456976348381, 0.5894791204319041, 0.0, 7.345479900522051, 6.484270324750944, 5.06322848817419, 4.285247193751401, 5.864509142618358, 3.9153532452697823, 2.9928459287618647, 1.8893026955555114, 2.6821070376122638, 2.244485334973759, 1.254516709246553, 0.6650439973671727, 0.0), # 14
(7.457201522615084, 7.471925618303093, 6.406721352078362, 6.877478518083592, 5.480452976612431, 2.701597294080959, 3.0568136806998503, 2.8563810451999188, 2.9949585956626184, 1.4589431144294984, 1.0343092450159228, 0.6020833137239449, 0.0, 7.502618742055505, 6.622916450963392, 5.171546225079613, 4.376829343288494, 5.989917191325237, 3.9989334632798865, 3.0568136806998503, 1.9297123529149707, 2.7402264883062153, 2.2924928393611976, 1.2813442704156726, 0.6792659653002813, 0.0), # 15
(7.602372268495841, 7.612506373164098, 6.527259245442284, 7.006898762265429, 5.585215686177244, 2.7524346720366815, 3.1142961555855906, 2.9100277703673205, 3.0513048642955427, 1.4863755958923994, 1.0537763888619351, 0.6134095916456628, 0.0, 7.643825155618837, 6.747505508102289, 5.268881944309675, 4.459126787677198, 6.102609728591085, 4.074038878514249, 3.1142961555855906, 1.9660247657404866, 2.792607843088622, 2.3356329207551436, 1.3054518490884568, 0.692046033924009, 0.0), # 16
(7.73114616777206, 7.736169144425294, 6.6332909310282355, 7.120743705169268, 5.677733222354047, 2.7971537539093334, 3.1648610838922844, 2.9572178681536063, 3.1008698191063955, 1.510506862573894, 1.0709007571037066, 0.6233727963909371, 0.0, 7.768037582305133, 6.857100760300307, 5.354503785518533, 4.531520587721681, 6.201739638212791, 4.140105015415049, 3.1648610838922844, 1.9979669670780953, 2.8388666111770235, 2.373581235056423, 1.3266581862056472, 0.7032881040386633, 0.0), # 17
(7.842486935560164, 7.841856840890068, 6.723910113539921, 7.218040314497568, 5.757236603577914, 2.8353723859633684, 3.2080761960931405, 2.9975481417317535, 3.1432299019936254, 1.5311306014087078, 1.085535977672068, 0.6318877701536477, 0.0, 7.874194463207477, 6.950765471690124, 5.427679888360339, 4.593391804226123, 6.286459803987251, 4.196567398424455, 3.2080761960931405, 2.0252659899738346, 2.878618301788957, 2.406013438165856, 1.344782022707984, 0.7128960764445517, 0.0), # 18
(7.935358286976559, 7.928512371361812, 6.798210497681052, 7.29781555795279, 5.822956848283928, 2.866708414463231, 3.2435092226613578, 3.030615394274749, 3.1779615548556746, 1.5480404993315662, 1.0975356784978507, 0.6388693551276732, 0.0, 7.961234239418957, 7.027562906404404, 5.4876783924892525, 4.644121497994697, 6.355923109711349, 4.242861551984649, 3.2435092226613578, 2.0476488674737365, 2.911478424141964, 2.4326051859842637, 1.3596420995362106, 0.720773851941983, 0.0), # 19
(8.008723937137665, 7.995078644643906, 6.855285788155336, 7.359096403237412, 5.874124974907169, 2.8907796856733756, 3.270727894070145, 3.0560164289555725, 3.2046412195909864, 1.5610302432771923, 1.106753487511887, 0.6442323935068929, 0.0, 8.02809535203266, 7.08655632857582, 5.533767437559434, 4.683090729831576, 6.409282439181973, 4.278423000537802, 3.270727894070145, 2.0648426326238396, 2.9370624874535847, 2.4530321344124713, 1.3710571576310673, 0.7268253313312643, 0.0), # 20
(8.061547601159893, 8.040498569539743, 6.89422968966648, 7.400909818053892, 5.909972001882714, 2.90720404585825, 3.289299940792704, 3.0733480489472083, 3.222845338098006, 1.5698935201803115, 1.113043032645008, 0.6478917274851863, 0.0, 8.073716242141662, 7.1268090023370485, 5.56521516322504, 4.709680560540933, 6.445690676196012, 4.302687268526092, 3.289299940792704, 2.0765743184701786, 2.954986000941357, 2.466969939351298, 1.378845937933296, 0.730954415412704, 0.0), # 21
(8.092792994159664, 8.063715054852706, 6.91413590691819, 7.422282770104703, 5.92972894764564, 2.915599341282305, 3.29879309330224, 3.0822070574226386, 3.2321503522751773, 1.574424016975649, 1.1162579418280456, 0.6497621992564327, 0.0, 8.097035350839063, 7.147384191820759, 5.581289709140227, 4.723272050926946, 6.464300704550355, 4.315089880391694, 3.29879309330224, 2.0825709580587892, 2.96486447382282, 2.474094256701568, 1.3828271813836381, 0.7330650049866098, 0.0), # 22
(8.104314690674112, 8.066463968907179, 6.916615454961135, 7.424958487654322, 5.9347904298840515, 2.916666666666667, 3.2999216009037355, 3.0831646090534983, 3.2333136625514407, 1.574958454503887, 1.1166610716215655, 0.6499931717725956, 0.0, 8.1, 7.149924889498552, 5.583305358107827, 4.72487536351166, 6.466627325102881, 4.316430452674898, 3.2999216009037355, 2.0833333333333335, 2.9673952149420257, 2.474986162551441, 1.3833230909922272, 0.7333149062642891, 0.0), # 23
(8.112809930427323, 8.06486049382716, 6.916209876543211, 7.4246291666666675, 5.937657393927921, 2.916666666666667, 3.299301525054467, 3.0818333333333334, 3.2331577777777776, 1.5746301234567905, 1.1166166105499442, 0.6499390946502058, 0.0, 8.1, 7.149330041152263, 5.583083052749721, 4.72389037037037, 6.466315555555555, 4.314566666666667, 3.299301525054467, 2.0833333333333335, 2.9688286969639606, 2.4748763888888896, 1.3832419753086422, 0.7331691358024692, 0.0), # 24
(8.121125784169264, 8.06169981710105, 6.915409236396892, 7.423977623456791, 5.940461304317068, 2.916666666666667, 3.298079561042524, 3.0792181069958855, 3.2328497942386836, 1.5739837677183361, 1.1165284532568485, 0.6498323426306966, 0.0, 8.1, 7.148155768937661, 5.5826422662842425, 4.7219513031550076, 6.465699588477367, 4.31090534979424, 3.298079561042524, 2.0833333333333335, 2.970230652158534, 2.474659207818931, 1.3830818472793784, 0.7328818015546411, 0.0), # 25
(8.129261615238427, 8.057030224051212, 6.914224508459078, 7.423011265432098, 5.943202063157923, 2.916666666666667, 3.2962746873234887, 3.0753683127572025, 3.23239366255144, 1.5730301417466854, 1.1163973978467807, 0.6496743789056548, 0.0, 8.1, 7.146418167962202, 5.581986989233903, 4.719090425240055, 6.46478732510288, 4.305515637860084, 3.2962746873234887, 2.0833333333333335, 2.9716010315789614, 2.4743370884773666, 1.3828449016918156, 0.732457293095565, 0.0), # 26
(8.13721678697331, 8.0509, 6.9126666666666665, 7.4217375, 5.945879572556914, 2.916666666666667, 3.2939058823529415, 3.0703333333333336, 3.231793333333333, 1.5717800000000004, 1.1162242424242426, 0.6494666666666669, 0.0, 8.1, 7.144133333333334, 5.581121212121213, 4.715339999999999, 6.463586666666666, 4.298466666666667, 3.2939058823529415, 2.0833333333333335, 2.972939786278457, 2.4739125000000004, 1.3825333333333334, 0.7319000000000001, 0.0), # 27
(8.1449906627124, 8.043357430269776, 6.910746684956561, 7.420163734567902, 5.948493734620481, 2.916666666666667, 3.2909921245864604, 3.06416255144033, 3.231052757201646, 1.570244096936443, 1.116009785093736, 0.6492106691053194, 0.0, 8.1, 7.141317360158513, 5.580048925468679, 4.710732290809328, 6.462105514403292, 4.289827572016462, 3.2909921245864604, 2.0833333333333335, 2.9742468673102405, 2.4733879115226345, 1.3821493369913125, 0.731214311842707, 0.0), # 28
(8.1525826057942, 8.0344508001829, 6.908475537265661, 7.41829737654321, 5.951044451455051, 2.916666666666667, 3.2875523924796264, 3.0569053497942384, 3.2301758847736624, 1.5684331870141752, 1.1157548239597623, 0.6489078494131992, 0.0, 8.1, 7.13798634354519, 5.578774119798812, 4.705299561042525, 6.460351769547325, 4.279667489711934, 3.2875523924796264, 2.0833333333333335, 2.9755222257275253, 2.4727657921810704, 1.3816951074531325, 0.7304046181984455, 0.0), # 29
(8.159991979557198, 8.02422839506173, 6.905864197530864, 7.416145833333333, 5.953531625167059, 2.916666666666667, 3.2836056644880176, 3.048611111111111, 3.2291666666666665, 1.5663580246913587, 1.115460157126824, 0.648559670781893, 0.0, 8.1, 7.134156378600823, 5.57730078563412, 4.699074074074074, 6.458333333333333, 4.268055555555556, 3.2836056644880176, 2.0833333333333335, 2.9767658125835297, 2.4720486111111115, 1.3811728395061729, 0.7294753086419755, 0.0), # 30
(8.167218147339886, 8.012738500228625, 6.902923639689073, 7.41371651234568, 5.955955157862938, 2.916666666666667, 3.279170919067216, 3.039329218106996, 3.2280290534979423, 1.5640293644261551, 1.1151265826994223, 0.6481675964029875, 0.0, 8.1, 7.129843560432862, 5.575632913497111, 4.692088093278464, 6.456058106995885, 4.2550609053497945, 3.279170919067216, 2.0833333333333335, 2.977977578931469, 2.4712388374485603, 1.3805847279378145, 0.7284307727480569, 0.0), # 31
(8.174260472480764, 8.000029401005945, 6.899664837677183, 7.411016820987655, 5.958314951649118, 2.916666666666667, 3.2742671346727996, 3.029109053497943, 3.226766995884774, 1.5614579606767267, 1.1147548987820595, 0.6477330894680691, 0.0, 8.1, 7.125063984148759, 5.573774493910297, 4.684373882030179, 6.453533991769548, 4.24075267489712, 3.2742671346727996, 2.0833333333333335, 2.979157475824559, 2.470338940329219, 1.3799329675354366, 0.7272754000914496, 0.0), # 32
(8.181118318318317, 7.986149382716048, 6.896098765432099, 7.408054166666666, 5.960610908632033, 2.916666666666667, 3.2689132897603486, 3.0180000000000002, 3.2253844444444444, 1.5586545679012351, 1.114345903479237, 0.6472576131687243, 0.0, 8.1, 7.119833744855966, 5.571729517396184, 4.6759637037037045, 6.450768888888889, 4.225200000000001, 3.2689132897603486, 2.0833333333333335, 2.9803054543160163, 2.469351388888889, 1.37921975308642, 0.7260135802469135, 0.0), # 33
(8.187791048191048, 7.971146730681298, 6.892236396890718, 7.404835956790124, 5.962842930918115, 2.916666666666667, 3.263128362785444, 3.006051440329218, 3.2238853497942395, 1.5556299405578424, 1.1139003948954567, 0.6467426306965403, 0.0, 8.1, 7.114168937661942, 5.569501974477284, 4.666889821673526, 6.447770699588479, 4.208472016460905, 3.263128362785444, 2.0833333333333335, 2.9814214654590576, 2.468278652263375, 1.3784472793781437, 0.724649702789209, 0.0), # 34
(8.194278025437447, 7.95506973022405, 6.888088705989941, 7.401369598765432, 5.965010920613797, 2.916666666666667, 3.2569313322036635, 2.9933127572016467, 3.2222736625514408, 1.5523948331047102, 1.1134191711352206, 0.6461896052431033, 0.0, 8.1, 7.108085657674136, 5.5670958556761025, 4.657184499314129, 6.4445473251028815, 4.1906378600823055, 3.2569313322036635, 2.0833333333333335, 2.9825054603068986, 2.4671231995884777, 1.3776177411979884, 0.7231881572930956, 0.0), # 35
(8.200578613396004, 7.937966666666665, 6.8836666666666675, 7.3976625, 5.967114779825512, 2.916666666666667, 3.250341176470588, 2.979833333333334, 3.220553333333333, 1.5489600000000006, 1.1129030303030305, 0.6456000000000002, 0.0, 8.1, 7.101600000000001, 5.564515151515152, 4.64688, 6.441106666666666, 4.1717666666666675, 3.250341176470588, 2.0833333333333335, 2.983557389912756, 2.4658875000000005, 1.3767333333333336, 0.7216333333333333, 0.0), # 36
(8.20669217540522, 7.919885825331503, 6.8789812528577965, 7.393722067901235, 5.969154410659692, 2.916666666666667, 3.2433768740417976, 2.9656625514403294, 3.218728312757202, 1.5453361957018754, 1.1123527705033882, 0.6449752781588174, 0.0, 8.1, 7.09472805974699, 5.561763852516941, 4.636008587105625, 6.437456625514404, 4.1519275720164615, 3.2433768740417976, 2.0833333333333335, 2.984577205329846, 2.4645740226337454, 1.3757962505715595, 0.7199896204846822, 0.0), # 37
(8.212618074803581, 7.9008754915409245, 6.874043438500229, 7.389555709876545, 5.971129715222768, 2.916666666666667, 3.2360574033728717, 2.9508497942386835, 3.2168025514403293, 1.5415341746684963, 1.111769189840795, 0.6443169029111417, 0.0, 8.1, 7.087485932022558, 5.558845949203975, 4.624602524005487, 6.433605102880659, 4.131189711934157, 3.2360574033728717, 2.0833333333333335, 2.985564857611384, 2.4631852366255154, 1.3748086877000458, 0.7182614083219023, 0.0), # 38
(8.218355674929589, 7.880983950617284, 6.868864197530866, 7.3851708333333335, 5.973040595621175, 2.916666666666667, 3.2284017429193903, 2.9354444444444447, 3.21478, 1.5375646913580252, 1.1111530864197532, 0.6436263374485597, 0.0, 8.1, 7.079889711934156, 5.555765432098766, 4.612694074074074, 6.42956, 4.109622222222223, 3.2284017429193903, 2.0833333333333335, 2.9865202978105874, 2.4617236111111116, 1.3737728395061732, 0.7164530864197532, 0.0), # 39
(8.22390433912173, 7.860259487882944, 6.863454503886603, 7.380574845679012, 5.974886953961343, 2.916666666666667, 3.2204288711369324, 2.9194958847736636, 3.212664609053498, 1.5334385002286244, 1.1105052583447648, 0.6429050449626583, 0.0, 8.1, 7.071955494589241, 5.552526291723823, 4.600315500685872, 6.425329218106996, 4.087294238683129, 3.2204288711369324, 2.0833333333333335, 2.9874434769806717, 2.460191615226338, 1.3726909007773205, 0.714569044352995, 0.0), # 40
(8.229263430718502, 7.838750388660264, 6.857825331504345, 7.375775154320989, 5.976668692349708, 2.916666666666667, 3.212157766481078, 2.903053497942387, 3.210460329218107, 1.529166355738455, 1.1098265037203312, 0.6421544886450238, 0.0, 8.1, 7.06369937509526, 5.549132518601655, 4.587499067215363, 6.420920658436214, 4.0642748971193425, 3.212157766481078, 2.0833333333333335, 2.988334346174854, 2.4585917181069967, 1.371565066300869, 0.7126136716963878, 0.0), # 41
(8.2344323130584, 7.816504938271606, 6.85198765432099, 7.370779166666668, 5.978385712892697, 2.916666666666667, 3.2036074074074072, 2.886166666666667, 3.2081711111111115, 1.5247590123456796, 1.1091176206509543, 0.641376131687243, 0.0, 8.1, 7.0551374485596705, 5.5455881032547705, 4.574277037037037, 6.416342222222223, 4.040633333333334, 3.2036074074074072, 2.0833333333333335, 2.9891928564463486, 2.4569263888888897, 1.370397530864198, 0.7105913580246915, 0.0), # 42
(8.239410349479915, 7.7935714220393235, 6.845952446273435, 7.3655942901234575, 5.980037917696748, 2.916666666666667, 3.1947967723715003, 2.868884773662552, 3.2058009053497942, 1.5202272245084596, 1.1083794072411357, 0.6405714372809025, 0.0, 8.1, 7.046285810089926, 5.541897036205678, 4.5606816735253775, 6.4116018106995885, 4.016438683127573, 3.1947967723715003, 2.0833333333333335, 2.990018958848374, 2.4551980967078197, 1.369190489254687, 0.7085064929126659, 0.0), # 43
(8.244196903321543, 7.769998125285779, 6.839730681298583, 7.360227932098766, 5.981625208868291, 2.916666666666667, 3.185744839828936, 2.8512572016460913, 3.2033536625514403, 1.515581746684957, 1.1076126615953779, 0.639741868617589, 0.0, 8.1, 7.037160554793477, 5.538063307976889, 4.54674524005487, 6.4067073251028805, 3.9917600823045283, 3.185744839828936, 2.0833333333333335, 2.9908126044341454, 2.4534093106995893, 1.3679461362597167, 0.7063634659350709, 0.0), # 44
(8.248791337921773, 7.745833333333334, 6.833333333333335, 7.354687500000001, 5.983147488513758, 2.916666666666667, 3.1764705882352944, 2.833333333333334, 3.2008333333333328, 1.510833333333334, 1.106818181818182, 0.638888888888889, 0.0, 8.1, 7.027777777777777, 5.534090909090909, 4.532500000000001, 6.4016666666666655, 3.9666666666666672, 3.1764705882352944, 2.0833333333333335, 2.991573744256879, 2.4515625000000005, 1.366666666666667, 0.7041666666666668, 0.0), # 45
(8.253193016619106, 7.721125331504343, 6.8267713763145865, 7.348980401234568, 5.984604658739582, 2.916666666666667, 3.1669929960461554, 2.81516255144033, 3.198243868312757, 1.5059927389117518, 1.10599676601405, 0.6380139612863894, 0.0, 8.1, 7.018153574150282, 5.5299838300702495, 4.517978216735254, 6.396487736625514, 3.941227572016462, 3.1669929960461554, 2.0833333333333335, 2.992302329369791, 2.4496601337448567, 1.3653542752629175, 0.7019204846822131, 0.0), # 46
(8.257401302752028, 7.695922405121171, 6.8200557841792415, 7.3431140432098765, 5.985996621652196, 2.916666666666667, 3.1573310417170988, 2.7967942386831277, 3.195589218106996, 1.5010707178783727, 1.105149212287484, 0.6371185490016767, 0.0, 8.1, 7.008304039018443, 5.525746061437419, 4.503212153635117, 6.391178436213992, 3.915511934156379, 3.1573310417170988, 2.0833333333333335, 2.992998310826098, 2.4477046810699594, 1.3640111568358484, 0.6996293095564702, 0.0), # 47
(8.261415559659037, 7.670272839506174, 6.8131975308641985, 7.3370958333333345, 5.987323279358032, 2.916666666666667, 3.1475037037037037, 2.7782777777777783, 3.1928733333333335, 1.4960780246913583, 1.1042763187429856, 0.6362041152263375, 0.0, 8.1, 6.998245267489711, 5.521381593714927, 4.488234074074074, 6.385746666666667, 3.88958888888889, 3.1475037037037037, 2.0833333333333335, 2.993661639679016, 2.445698611111112, 1.3626395061728398, 0.6972975308641977, 0.0), # 48
(8.26523515067863, 7.644224919981709, 6.806207590306356, 7.330933179012346, 5.9885845339635235, 2.916666666666667, 3.137529960461551, 2.7596625514403295, 3.190100164609053, 1.491025413808871, 1.1033788834850566, 0.6352721231519587, 0.0, 8.1, 6.987993354671545, 5.5168944174252825, 4.473076241426613, 6.380200329218106, 3.8635275720164617, 3.137529960461551, 2.0833333333333335, 2.9942922669817618, 2.443644393004116, 1.3612415180612714, 0.6949295381801555, 0.0), # 49
(8.268859439149294, 7.617826931870143, 6.799096936442616, 7.324633487654321, 5.989780287575101, 2.916666666666667, 3.12742879044622, 2.7409979423868314, 3.1872736625514397, 1.485923639689072, 1.1024577046181985, 0.6343240359701267, 0.0, 8.1, 6.977564395671393, 5.512288523090993, 4.457770919067215, 6.3745473251028795, 3.8373971193415644, 3.12742879044622, 2.0833333333333335, 2.9948901437875506, 2.441544495884774, 1.3598193872885234, 0.692529721079104, 0.0), # 50
(8.272287788409528, 7.591127160493827, 6.791876543209877, 7.318204166666668, 5.9909104422991994, 2.916666666666667, 3.11721917211329, 2.7223333333333333, 3.184397777777778, 1.4807834567901237, 1.1015135802469138, 0.6333613168724281, 0.0, 8.1, 6.966974485596708, 5.507567901234569, 4.44235037037037, 6.368795555555556, 3.811266666666667, 3.11721917211329, 2.0833333333333335, 2.9954552211495997, 2.4394013888888897, 1.3583753086419754, 0.6901024691358025, 0.0), # 51
(8.275519561797823, 7.564173891175126, 6.78455738454504, 7.311652623456791, 5.991974900242248, 2.916666666666667, 3.1069200839183413, 2.7037181069958844, 3.18147646090535, 1.4756156195701877, 1.1005473084757038, 0.6323854290504498, 0.0, 8.1, 6.956239719554947, 5.502736542378519, 4.4268468587105625, 6.3629529218107, 3.7852053497942384, 3.1069200839183413, 2.0833333333333335, 2.995987450121124, 2.437217541152264, 1.356911476909008, 0.6876521719250116, 0.0), # 52
(8.278554122652675, 7.537015409236398, 6.777150434385004, 7.304986265432099, 5.992973563510682, 2.916666666666667, 3.0965505043169532, 2.6852016460905355, 3.1785136625514405, 1.470430882487426, 1.0995596874090703, 0.6313978356957782, 0.0, 8.1, 6.945376192653559, 5.4977984370453505, 4.411292647462277, 6.357027325102881, 3.7592823045267494, 3.0965505043169532, 2.0833333333333335, 2.996486781755341, 2.4349954218107, 1.355430086877001, 0.6851832190214908, 0.0), # 53
(8.281390834312573, 7.5097000000000005, 6.769666666666667, 7.2982125, 5.993906334210934, 2.916666666666667, 3.086129411764706, 2.6668333333333334, 3.1755133333333334, 1.4652400000000003, 1.098551515151515, 0.6304000000000001, 0.0, 8.1, 6.9344, 5.492757575757575, 4.395720000000001, 6.351026666666667, 3.7335666666666665, 3.086129411764706, 2.0833333333333335, 2.996953167105467, 2.4327375000000004, 1.3539333333333334, 0.6827000000000002, 0.0), # 54
(8.284029060116017, 7.482275948788294, 6.762117055326932, 7.291338734567901, 5.994773114449434, 2.916666666666667, 3.075675784717179, 2.6486625514403292, 3.1724794238683125, 1.4600537265660727, 1.0975235898075406, 0.6293933851547021, 0.0, 8.1, 6.923327236701723, 5.487617949037702, 4.380161179698217, 6.344958847736625, 3.708127572016461, 3.075675784717179, 2.0833333333333335, 2.997386557224717, 2.4304462448559674, 1.3524234110653865, 0.6802069044352995, 0.0), # 55
(8.286468163401498, 7.454791540923639, 6.754512574302698, 7.28437237654321, 5.995573806332619, 2.916666666666667, 3.0652086016299527, 2.6307386831275723, 3.169415884773662, 1.4548828166438048, 1.0964767094816479, 0.6283794543514709, 0.0, 8.1, 6.912173997866179, 5.482383547408239, 4.364648449931414, 6.338831769547324, 3.6830341563786013, 3.0652086016299527, 2.0833333333333335, 2.9977869031663094, 2.4281241255144037, 1.3509025148605398, 0.6777083219021491, 0.0), # 56
(8.288707507507507, 7.427295061728395, 6.746864197530866, 7.277320833333334, 5.996308311966915, 2.916666666666667, 3.0547468409586056, 2.613111111111112, 3.166326666666667, 1.4497380246913585, 1.0954116722783391, 0.627359670781893, 0.0, 8.1, 6.900956378600823, 5.477058361391695, 4.349214074074075, 6.332653333333334, 3.6583555555555565, 3.0547468409586056, 2.0833333333333335, 2.9981541559834577, 2.425773611111112, 1.3493728395061733, 0.6752086419753087, 0.0), # 57
(8.290746455772544, 7.39983479652492, 6.739182898948332, 7.270191512345679, 5.99697653345876, 2.916666666666667, 3.044309481158719, 2.595829218106996, 3.163215720164609, 1.4446301051668957, 1.0943292763021162, 0.6263354976375554, 0.0, 8.1, 6.889690474013108, 5.471646381510581, 4.333890315500686, 6.326431440329218, 3.6341609053497947, 3.044309481158719, 2.0833333333333335, 2.99848826672938, 2.4233971707818935, 1.3478365797896665, 0.6727122542295383, 0.0), # 58
(8.292584371535098, 7.372459030635573, 6.731479652491998, 7.262991820987654, 5.9975783729145835, 2.916666666666667, 3.0339155006858713, 2.578942386831276, 3.160086995884774, 1.4395698125285785, 1.0932303196574802, 0.6253083981100444, 0.0, 8.1, 6.878392379210486, 5.4661515982874, 4.318709437585735, 6.320173991769548, 3.6105193415637866, 3.0339155006858713, 2.0833333333333335, 2.9987891864572918, 2.420997273662552, 1.3462959304984, 0.6702235482395976, 0.0), # 59
(8.294220618133663, 7.345216049382717, 6.723765432098765, 7.255729166666667, 5.998113732440819, 2.916666666666667, 3.0235838779956428, 2.5625000000000004, 3.156944444444445, 1.4345679012345682, 1.092115600448934, 0.6242798353909466, 0.0, 8.1, 6.867078189300411, 5.460578002244669, 4.303703703703704, 6.31388888888889, 3.5875000000000004, 3.0235838779956428, 2.0833333333333335, 2.9990568662204096, 2.4185763888888894, 1.3447530864197532, 0.6677469135802471, 0.0), # 60
(8.295654558906731, 7.3181541380887065, 6.716051211705533, 7.248410956790124, 5.998582514143899, 2.916666666666667, 3.0133335915436135, 2.5465514403292184, 3.1537920164609052, 1.4296351257430273, 1.0909859167809788, 0.623251272671849, 0.0, 8.1, 6.855763999390337, 5.454929583904893, 4.2889053772290815, 6.3075840329218105, 3.5651720164609055, 3.0133335915436135, 2.0833333333333335, 2.9992912570719494, 2.4161369855967085, 1.3432102423411068, 0.6652867398262462, 0.0), # 61
(8.296885557192804, 7.291321582075903, 6.708347965249201, 7.241044598765433, 5.998984620130258, 2.916666666666667, 3.0031836197853625, 2.5311460905349796, 3.1506336625514404, 1.4247822405121175, 1.0898420667581163, 0.6222241731443379, 0.0, 8.1, 6.844465904587715, 5.449210333790581, 4.274346721536352, 6.301267325102881, 3.5436045267489718, 3.0031836197853625, 2.0833333333333335, 2.999492310065129, 2.4136815329218115, 1.3416695930498403, 0.6628474165523549, 0.0), # 62
(8.297912976330368, 7.264766666666667, 6.700666666666668, 7.233637500000001, 5.999319952506323, 2.916666666666667, 2.9931529411764703, 2.5163333333333338, 3.147473333333333, 1.4200200000000003, 1.0886848484848488, 0.6212000000000001, 0.0, 8.1, 6.8332, 5.443424242424244, 4.26006, 6.294946666666666, 3.5228666666666677, 2.9931529411764703, 2.0833333333333335, 2.9996599762531617, 2.411212500000001, 1.3401333333333336, 0.6604333333333334, 0.0), # 63
(8.298736179657919, 7.2385376771833565, 6.693018289894834, 7.226197067901236, 5.999588413378532, 2.916666666666667, 2.983260534172517, 2.5021625514403296, 3.1443149794238683, 1.415359158664838, 1.0875150600656773, 0.6201802164304223, 0.0, 8.1, 6.821982380734645, 5.437575300328387, 4.246077475994513, 6.288629958847737, 3.5030275720164616, 2.983260534172517, 2.0833333333333335, 2.999794206689266, 2.408732355967079, 1.3386036579789669, 0.6580488797439416, 0.0), # 64
(8.29935453051395, 7.212682898948331, 6.685413808870599, 7.218730709876544, 5.999789904853316, 2.916666666666667, 2.9735253772290813, 2.4886831275720165, 3.1411625514403294, 1.4108104709647922, 1.0863334996051048, 0.619166285627191, 0.0, 8.1, 6.8108291418991, 5.431667498025524, 4.232431412894376, 6.282325102880659, 3.484156378600823, 2.9735253772290813, 2.0833333333333335, 2.999894952426658, 2.4062435699588485, 1.33708276177412, 0.6556984453589393, 0.0), # 65
(8.299767392236957, 7.187250617283952, 6.677864197530865, 7.211245833333334, 5.999924329037105, 2.916666666666667, 2.963966448801743, 2.475944444444445, 3.13802, 1.406384691358025, 1.085140965207632, 0.6181596707818932, 0.0, 8.1, 6.799756378600824, 5.425704826038159, 4.2191540740740745, 6.27604, 3.466322222222223, 2.963966448801743, 2.0833333333333335, 2.9999621645185526, 2.4037486111111117, 1.3355728395061732, 0.6533864197530866, 0.0), # 66
(8.299974128165434, 7.162289117512574, 6.670380429812529, 7.203749845679012, 5.999991588036336, 2.916666666666667, 2.9546027273460824, 2.4639958847736634, 3.1348912757201646, 1.4020925743026982, 1.0839382549777616, 0.617161835086115, 0.0, 8.1, 6.788780185947264, 5.419691274888807, 4.206277722908094, 6.269782551440329, 3.4495942386831286, 2.9546027273460824, 2.0833333333333335, 2.999995794018168, 2.401249948559671, 1.3340760859625058, 0.6511171925011432, 0.0), # 67
(8.29983329158466, 7.137715668834903, 6.662937299954276, 7.196185044283415, 5.999934909491917, 2.916612538739013, 2.9454060779318585, 2.452781283340954, 3.131756759640299, 1.3979240883294335, 1.0827047984720504, 0.6161686681266496, 0.0, 8.099900120027435, 6.777855349393144, 5.413523992360251, 4.1937722649883, 6.263513519280598, 3.433893796677336, 2.9454060779318585, 2.0832946705278665, 2.9999674547459585, 2.398728348094472, 1.3325874599908551, 0.648883242621355, 0.0), # 68
(8.298513365539453, 7.112780047789725, 6.655325617283951, 7.188170108695652, 5.999419026870006, 2.916184636488341, 2.9361072725386457, 2.4416995884773662, 3.1284794238683125, 1.3937612781408861, 1.0813150451887295, 0.6151479315572884, 0.0, 8.099108796296298, 6.766627247130171, 5.406575225943647, 4.181283834422658, 6.256958847736625, 3.4183794238683127, 2.9361072725386457, 2.0829890260631005, 2.999709513435003, 2.396056702898551, 1.33106512345679, 0.6466163679808842, 0.0), # 69
(8.295908630047116, 7.087367803885127, 6.647512288523091, 7.179652274557166, 5.998399634202102, 2.9153419194228523, 2.926664053824548, 2.4306508154244786, 3.1250407712238992, 1.3895839048925471, 1.079753184870144, 0.614094850752854, 0.0, 8.097545867626888, 6.755043358281393, 5.3987659243507204, 4.168751714677641, 6.2500815424477985, 3.40291114159427, 2.926664053824548, 2.082387085302037, 2.999199817101051, 2.393217424852389, 1.3295024577046182, 0.6443061639895571, 0.0), # 70
(8.292055728514343, 7.061494123633789, 6.639500057155922, 7.170644102254428, 5.9968896420022055, 2.9140980439973583, 2.9170806638155953, 2.4196386221612562, 3.1214459228776104, 1.3853920718685282, 1.0780249827711816, 0.613010195814181, 0.0, 8.095231910150892, 6.743112153955991, 5.390124913855908, 4.1561762156055835, 6.242891845755221, 3.387494071025759, 2.9170806638155953, 2.081498602855256, 2.9984448210011028, 2.3902147007514767, 1.3279000114311843, 0.6419540112394354, 0.0), # 71
(8.286991304347827, 7.035174193548387, 6.631291666666667, 7.161158152173913, 5.994901960784313, 2.9124666666666674, 2.907361344537815, 2.408666666666667, 3.1177, 1.3811858823529415, 1.0761362041467308, 0.6118947368421054, 0.0, 8.0921875, 6.730842105263158, 5.380681020733653, 4.143557647058824, 6.2354, 3.3721333333333336, 2.907361344537815, 2.080333333333334, 2.9974509803921565, 2.3870527173913048, 1.3262583333333333, 0.6395612903225807, 0.0), # 72
(8.280752000954257, 7.008423200141599, 6.622889860539551, 7.151206984702094, 5.992449501062428, 2.9104614438855867, 2.897510338017237, 2.397738606919677, 3.113808123761622, 1.376965439629899, 1.0740926142516787, 0.6107492439374613, 0.0, 8.0884332133059, 6.7182416833120735, 5.370463071258393, 4.130896318889696, 6.227616247523244, 3.356834049687548, 2.897510338017237, 2.0789010313468475, 2.996224750531214, 2.383735661567365, 1.3245779721079105, 0.6371293818310545, 0.0), # 73
(8.273374461740323, 6.981256329926103, 6.614297382258802, 7.140803160225442, 5.989545173350547, 2.908096032108927, 2.887531886279889, 2.3868581008992535, 3.1097754153330284, 1.3727308469835127, 1.0718999783409144, 0.6095744872010845, 0.0, 8.083989626200276, 6.705319359211929, 5.359499891704571, 4.118192540950537, 6.219550830666057, 3.3416013412589547, 2.887531886279889, 2.0772114515063764, 2.9947725866752735, 2.380267720075148, 1.3228594764517605, 0.6346596663569185, 0.0), # 74
(8.26489533011272, 6.953688769414575, 6.605516975308642, 7.129959239130434, 5.986201888162673, 2.905384087791496, 2.8774302313518003, 2.376028806584362, 3.1056069958847736, 1.3684822076978942, 1.069564061669325, 0.6083712367338099, 0.0, 8.078877314814816, 6.692083604071907, 5.347820308346624, 4.105446623093682, 6.211213991769547, 3.3264403292181073, 2.8774302313518003, 2.0752743484224974, 2.9931009440813363, 2.3766530797101453, 1.3211033950617284, 0.6321535244922342, 0.0), # 75
(8.255351249478142, 6.925735705119696, 6.596551383173297, 7.118687781803542, 5.982432556012803, 2.9023392673881023, 2.8672096152589983, 2.365254381953971, 3.1013079865874102, 1.364219625057156, 1.067090629491799, 0.6071402626364722, 0.0, 8.073116855281206, 6.678542889001194, 5.335453147458995, 4.092658875171468, 6.2026159731748205, 3.311356134735559, 2.8672096152589983, 2.0730994767057873, 2.9912162780064016, 2.372895927267848, 1.3193102766346596, 0.6296123368290635, 0.0), # 76
(8.244778863243274, 6.897412323554141, 6.587403349336991, 7.10700134863124, 5.9782500874149385, 2.8989752273535543, 2.8568742800275118, 2.354538484987045, 3.0968835086114925, 1.3599432023454103, 1.0644854470632252, 0.6058823350099072, 0.0, 8.06672882373114, 6.664705685108978, 5.322427235316125, 4.07982960703623, 6.193767017222985, 3.296353878981863, 2.8568742800275118, 2.0706965909668247, 2.9891250437074692, 2.369000449543747, 1.3174806698673982, 0.6270374839594675, 0.0), # 77
(8.233214814814815, 6.8687338112305865, 6.578075617283951, 7.0949125, 5.97366739288308, 2.895305624142661, 2.84642846768337, 2.343884773662552, 3.092338683127571, 1.3556530428467686, 1.0617542796384905, 0.6045982239549493, 0.0, 8.059733796296298, 6.650580463504441, 5.308771398192452, 4.066959128540305, 6.184677366255142, 3.2814386831275724, 2.84642846768337, 2.0680754458161865, 2.98683369644154, 2.364970833333334, 1.3156151234567903, 0.624430346475508, 0.0), # 78
(8.220695747599452, 6.8397153546617115, 6.5685709304984, 7.082433796296296, 5.968697382931225, 2.891344114210232, 2.8358764202526006, 2.333296905959458, 3.0876786313062032, 1.351349249845343, 1.058902892472483, 0.6032886995724337, 0.0, 8.052152349108367, 6.63617569529677, 5.294514462362415, 4.0540477495360285, 6.1753572626124065, 3.266615668343241, 2.8358764202526006, 2.0652457958644517, 2.9843486914656125, 2.3608112654320994, 1.3137141860996802, 0.6217923049692465, 0.0), # 79
(8.207258305003878, 6.810372140360193, 6.558892032464563, 7.069577797906602, 5.963352968073375, 2.8871043540110755, 2.8252223797612324, 2.3227785398567296, 3.0829084743179394, 1.3470319266252455, 1.055937050820092, 0.6019545319631957, 0.0, 8.04400505829904, 6.621499851595152, 5.2796852541004595, 4.041095779875736, 6.165816948635879, 3.2518899557994216, 2.8252223797612324, 2.0622173957221968, 2.9816764840366874, 2.3565259326355346, 1.3117784064929128, 0.619124740032745, 0.0), # 80
(8.192939130434784, 6.78071935483871, 6.5490416666666675, 7.056357065217393, 5.957647058823529, 2.8826000000000005, 2.8144705882352943, 2.3123333333333336, 3.078033333333333, 1.3427011764705885, 1.0528625199362043, 0.6005964912280702, 0.0, 8.0353125, 6.606561403508772, 5.264312599681022, 4.028103529411765, 6.156066666666666, 3.237266666666667, 2.8144705882352943, 2.059, 2.9788235294117644, 2.3521190217391315, 1.3098083333333335, 0.6164290322580647, 0.0), # 81
(8.177774867298861, 6.750772184609939, 6.539022576588936, 7.042784158615137, 5.951592565695688, 2.877844708631815, 2.8036252877008145, 2.301964944368237, 3.0730583295229383, 1.3383571026654835, 1.0496850650757086, 0.5992153474678925, 0.0, 8.026095250342937, 6.5913688221468165, 5.248425325378542, 4.0150713079964495, 6.146116659045877, 3.2227509221155315, 2.8036252877008145, 2.0556033633084394, 2.975796282847844, 2.3475947195383795, 1.3078045153177873, 0.6137065622372673, 0.0), # 82
(8.161802159002804, 6.720545816186557, 6.528837505715592, 7.028871638486312, 5.945202399203851, 2.8728521363613275, 2.7926907201838214, 2.2916770309404058, 3.067988584057308, 1.3339998084940425, 1.0464104514934927, 0.5978118707834975, 0.0, 8.016373885459535, 6.575930578618472, 5.232052257467463, 4.001999425482127, 6.135977168114616, 3.208347843316568, 2.7926907201838214, 2.052037240258091, 2.9726011996019257, 2.3429572128287712, 1.3057675011431187, 0.6109587105624144, 0.0), # 83
(8.145057648953301, 6.690055436081242, 6.518489197530864, 7.014632065217392, 5.938489469862018, 2.867635939643347, 2.7816711277103434, 2.2814732510288067, 3.0628292181069954, 1.329629397240378, 1.0430444444444447, 0.5963868312757202, 0.0, 8.006168981481482, 6.560255144032922, 5.215222222222223, 3.9888881917211334, 6.125658436213991, 3.194062551440329, 2.7816711277103434, 2.0483113854595336, 2.969244734931009, 2.338210688405798, 1.303697839506173, 0.6081868578255676, 0.0), # 84
(8.127577980557048, 6.659316230806673, 6.507980395518976, 7.000077999194847, 5.931466688184191, 2.862209774932684, 2.77057075230641, 2.2713572626124074, 3.057585352842554, 1.3252459721886014, 1.0395928091834528, 0.5949409990453959, 0.0, 7.995501114540467, 6.544350989499354, 5.197964045917263, 3.9757379165658033, 6.115170705685108, 3.17990016765737, 2.77057075230641, 2.0444355535233454, 2.9657333440920954, 2.3333593330649496, 1.3015960791037953, 0.6053923846187885, 0.0), # 85
(8.10939979722073, 6.6283433868755255, 6.497313843164153, 6.985222000805154, 5.924146964684365, 2.8565872986841443, 2.7593938359980483, 2.2613327236701726, 3.0522621094345377, 1.320849636622825, 1.0360613109654049, 0.5934751441933597, 0.0, 7.984390860768176, 6.528226586126955, 5.180306554827023, 3.9625489098684747, 6.104524218869075, 3.1658658131382413, 2.7593938359980483, 2.040419499060103, 2.9620734823421824, 2.3284073336017186, 1.2994627686328306, 0.6025766715341389, 0.0), # 86
(8.090559742351045, 6.597152090800478, 6.486492283950617, 6.970076630434782, 5.9165432098765445, 2.8507821673525378, 2.7481446208112876, 2.2514032921810703, 3.0468646090534985, 1.3164404938271608, 1.0324557150451887, 0.5919900368204463, 0.0, 7.972858796296297, 6.511890405024908, 5.162278575225944, 3.9493214814814817, 6.093729218106997, 3.1519646090534983, 2.7481446208112876, 2.036272976680384, 2.9582716049382722, 2.3233588768115947, 1.2972984567901236, 0.5997410991636799, 0.0), # 87
(8.071094459354686, 6.565757529094207, 6.475518461362597, 6.95465444847021, 5.908668334274726, 2.8448080373926743, 2.7368273487721564, 2.2415726261240665, 3.0413979728699894, 1.3120186470857205, 1.0287817866776934, 0.5904864470274911, 0.0, 7.960925497256517, 6.495350917302401, 5.143908933388466, 3.9360559412571607, 6.082795945739979, 3.138201676573693, 2.7368273487721564, 2.032005740994767, 2.954334167137363, 2.3182181494900704, 1.2951036922725196, 0.5968870480994735, 0.0), # 88
(8.051040591638339, 6.534174888269392, 6.464395118884317, 6.938968015297907, 5.90053524839291, 2.8386785652593614, 2.7254462619066833, 2.2318443834781285, 3.035867322054565, 1.3075841996826167, 1.025045291117806, 0.5889651449153291, 0.0, 7.948611539780521, 6.478616594068619, 5.125226455589029, 3.9227525990478496, 6.07173464410913, 3.12458213686938, 2.7254462619066833, 2.0276275466138296, 2.950267624196455, 2.312989338432636, 1.2928790237768635, 0.5940158989335812, 0.0), # 89
(8.030434782608696, 6.502419354838709, 6.453125000000001, 6.923029891304349, 5.892156862745098, 2.8324074074074077, 2.7140056022408965, 2.2222222222222223, 3.030277777777778, 1.303137254901961, 1.021251993620415, 0.5874269005847954, 0.0, 7.9359375000000005, 6.461695906432748, 5.106259968102074, 3.9094117647058826, 6.060555555555556, 3.111111111111111, 2.7140056022408965, 2.0231481481481484, 2.946078431372549, 2.3076766304347833, 1.2906250000000001, 0.5911290322580646, 0.0), # 90
(8.00931367567245, 6.470506115314836, 6.441710848193873, 6.906852636876007, 5.883546087845287, 2.826008220291622, 2.7025096118008247, 2.2127098003353147, 3.024634461210182, 1.2986779160278654, 1.0174076594404082, 0.585872484136725, 0.0, 7.922923954046638, 6.444597325503974, 5.0870382972020405, 3.8960337480835956, 6.049268922420364, 3.097793720469441, 2.7025096118008247, 2.0185773002083014, 2.9417730439226437, 2.302284212292003, 1.2883421696387747, 0.5882278286649852, 0.0), # 91
(7.9877139142362985, 6.438450356210453, 6.43015540695016, 6.890448812399356, 5.874715834207482, 2.8194946603668143, 2.690962532612497, 2.203310775796373, 3.018942493522329, 1.2942062863444421, 1.013518053832674, 0.5843026656719533, 0.0, 7.909591478052126, 6.427329322391485, 5.067590269163369, 3.8826188590333257, 6.037884987044658, 3.0846350861149223, 2.690962532612497, 2.0139247574048675, 2.937357917103741, 2.296816270799786, 1.2860310813900322, 0.5853136687464049, 0.0), # 92
(7.965672141706924, 6.406267264038233, 6.418461419753087, 6.873830978260871, 5.865679012345678, 2.8128803840877916, 2.6793686067019404, 2.1940288065843623, 3.013206995884774, 1.2897224691358027, 1.0095889420521, 0.5827182152913147, 0.0, 7.895960648148147, 6.409900368204461, 5.0479447102605, 3.8691674074074074, 6.026413991769548, 3.0716403292181074, 2.6793686067019404, 2.0092002743484225, 2.932839506172839, 2.291276992753624, 1.2836922839506175, 0.5823879330943849, 0.0), # 93
(7.943225001491024, 6.373972025310855, 6.406631630086878, 6.857011694847022, 5.856448532773877, 2.806179047909364, 2.6677320760951844, 2.1848675506782507, 3.007433089468069, 1.2852265676860597, 1.005626089353575, 0.581119903095645, 0.0, 7.882052040466393, 6.392318934052094, 5.028130446767873, 3.855679703058178, 6.014866178936138, 3.058814570949551, 2.6677320760951844, 2.0044136056495456, 2.9282242663869384, 2.2856705649490077, 1.2813263260173757, 0.5794520023009869, 0.0), # 94
(7.920409136995288, 6.341579826540998, 6.394668781435757, 6.840003522544284, 5.847037306006079, 2.799404308286339, 2.6560571828182575, 2.1758306660570037, 3.001625895442768, 1.2807186852793244, 1.0016352609919863, 0.5795084991857787, 0.0, 7.867886231138546, 6.374593491043566, 5.008176304959932, 3.8421560558379726, 6.003251790885536, 3.046162932479805, 2.6560571828182575, 1.9995745059188135, 2.9235186530030397, 2.2800011741814283, 1.2789337562871517, 0.5765072569582727, 0.0), # 95
(7.89726119162641, 6.30910585424134, 6.382575617283951, 6.8228190217391305, 5.8374582425562815, 2.7925698216735255, 2.6443481688971886, 2.1669218106995887, 2.995790534979424, 1.27619892519971, 0.9976222222222224, 0.5778847736625516, 0.0, 7.853483796296297, 6.356732510288067, 4.988111111111112, 3.828596775599129, 5.991581069958848, 3.0336905349794243, 2.6443481688971886, 1.9946927297668038, 2.9187291212781408, 2.2742730072463773, 1.2765151234567904, 0.5735550776583037, 0.0), # 96
(7.873817808791078, 6.276565294924556, 6.370354881115684, 6.805470752818035, 5.827724252938488, 2.7856892445257326, 2.6326092763580053, 2.1581446425849724, 2.9899321292485905, 1.2716673907313272, 0.9935927382991712, 0.576249496626798, 0.0, 7.838865312071332, 6.338744462894778, 4.967963691495855, 3.8150021721939806, 5.979864258497181, 3.0214024996189615, 2.6326092763580053, 1.9897780318040947, 2.913862126469244, 2.2684902509393456, 1.2740709762231368, 0.5705968449931414, 0.0), # 97
(7.850115631895988, 6.243973335103323, 6.35800931641518, 6.787971276167473, 5.817848247666694, 2.7787762332977706, 2.6208447472267373, 2.1495028196921204, 2.9840557994208194, 1.2671241851582886, 0.9895525744777209, 0.5746034381793533, 0.0, 7.824051354595337, 6.320637819972885, 4.947762872388605, 3.801372555474865, 5.968111598841639, 3.0093039475689687, 2.6208447472267373, 1.9848401666412645, 2.908924123833347, 2.2626570920558247, 1.2716018632830361, 0.5676339395548476, 0.0), # 98
(7.826191304347827, 6.211345161290323, 6.3455416666666675, 6.770333152173913, 5.807843137254903, 2.7718444444444446, 2.6090588235294123, 2.1410000000000005, 2.9781666666666666, 1.2625694117647062, 0.9855074960127594, 0.5729473684210528, 0.0, 7.8090625000000005, 6.302421052631579, 4.927537480063797, 3.787708235294118, 5.956333333333333, 2.9974000000000007, 2.6090588235294123, 1.9798888888888888, 2.9039215686274513, 2.256777717391305, 1.2691083333333337, 0.564667741935484, 0.0), # 99
(7.80208146955329, 6.178695959998229, 6.332954675354367, 6.752568941223833, 5.797721832217111, 2.764907534420566, 2.597255747292058, 2.1326398414875785, 2.9722698521566837, 1.258003173834692, 0.9814632681591747, 0.5712820574527312, 0.0, 7.79391932441701, 6.284102631980042, 4.907316340795873, 3.774009521504075, 5.944539704313367, 2.98569577808261, 2.597255747292058, 1.9749339531575472, 2.8988609161085557, 2.250856313741278, 1.2665909350708735, 0.5616996327271119, 0.0), # 100
(7.777822770919068, 6.1460409177397235, 6.320251085962506, 6.734691203703704, 5.787497243067323, 2.757979159680943, 2.585439760540705, 2.124426002133821, 2.9663704770614236, 1.253425574652358, 0.9774256561718551, 0.5696082753752236, 0.0, 7.7786424039780515, 6.265691029127459, 4.887128280859275, 3.760276723957073, 5.932740954122847, 2.9741964029873493, 2.585439760540705, 1.9699851140578162, 2.8937486215336614, 2.244897067901235, 1.2640502171925014, 0.5587309925217931, 0.0), # 101
(7.753451851851853, 6.11339522102748, 6.307433641975309, 6.716712500000001, 5.7771822803195345, 2.7510729766803848, 2.5736151053013803, 2.1163621399176957, 2.9604736625514403, 1.248836717501816, 0.9734004253056887, 0.5679267922893655, 0.0, 7.763252314814816, 6.24719471518302, 4.867002126528443, 3.746510152505447, 5.920947325102881, 2.962906995884774, 2.5736151053013803, 1.965052126200275, 2.8885911401597673, 2.2389041666666674, 1.261486728395062, 0.5557632019115891, 0.0), # 102
(7.729005355758336, 6.080774056374176, 6.294505086877001, 6.698645390499196, 5.766789854487748, 2.7442026418736987, 2.561786023600112, 2.1084519128181682, 2.9545845297972866, 1.2442367056671781, 0.9693933408155633, 0.5662383782959916, 0.0, 7.747769633058984, 6.228622161255906, 4.846966704077817, 3.7327101170015338, 5.909169059594573, 2.951832677945436, 2.561786023600112, 1.960144744195499, 2.883394927243874, 2.2328817968330656, 1.2589010173754003, 0.5527976414885616, 0.0), # 103
(7.704519926045208, 6.048192610292491, 6.281468164151806, 6.680502435587762, 5.756332876085962, 2.7373818117156943, 2.5499567574629305, 2.1006989788142056, 2.948708199969517, 1.2396256424325565, 0.9654101679563669, 0.564543803495937, 0.0, 7.732214934842251, 6.209981838455306, 4.827050839781834, 3.7188769272976687, 5.897416399939034, 2.9409785703398876, 2.5499567574629305, 1.9552727226540672, 2.878166438042981, 2.2268341451959213, 1.2562936328303613, 0.549835691844772, 0.0), # 104
(7.680032206119162, 6.015666069295101, 6.268325617283951, 6.662296195652173, 5.745824255628177, 2.7306241426611804, 2.5381315489158633, 2.0931069958847743, 2.942849794238683, 1.235003631082063, 0.961456671982988, 0.562843837990037, 0.0, 7.716608796296296, 6.1912822178904054, 4.80728335991494, 3.705010893246188, 5.885699588477366, 2.930349794238684, 2.5381315489158633, 1.9504458161865572, 2.8729121278140886, 2.220765398550725, 1.2536651234567902, 0.546878733572282, 0.0), # 105
(7.655578839386891, 5.983209619894685, 6.255080189757659, 6.644039231078905, 5.735276903628392, 2.723943291164965, 2.526314639984938, 2.0856796220088403, 2.9370144337753388, 1.2303707748998092, 0.9575386181503142, 0.5611392518791264, 0.0, 7.700971793552812, 6.172531770670389, 4.787693090751571, 3.691112324699427, 5.8740288675506775, 2.9199514708123764, 2.526314639984938, 1.9456737794035461, 2.867638451814196, 2.214679743692969, 1.2510160379515318, 0.5439281472631533, 0.0), # 106
(7.631196469255085, 5.950838448603921, 6.241734625057157, 6.625744102254428, 5.724703730600607, 2.7173529136818577, 2.5145102726961848, 2.0784205151653716, 2.931207239750038, 1.225727177169908, 0.9536617717132337, 0.5594308152640404, 0.0, 7.685324502743484, 6.153738967904443, 4.768308858566169, 3.6771815315097234, 5.862414479500076, 2.9097887212315205, 2.5145102726961848, 1.9409663669156128, 2.8623518653003037, 2.208581367418143, 1.2483469250114314, 0.5409853135094475, 0.0), # 107
(7.606921739130435, 5.918567741935485, 6.228291666666668, 6.607423369565218, 5.714117647058822, 2.7108666666666674, 2.5027226890756302, 2.0713333333333335, 2.9254333333333333, 1.221072941176471, 0.9498318979266349, 0.5577192982456142, 0.0, 7.669687500000001, 6.134912280701755, 4.749159489633174, 3.6632188235294123, 5.850866666666667, 2.899866666666667, 2.5027226890756302, 1.9363333333333337, 2.857058823529411, 2.20247445652174, 1.2456583333333338, 0.538051612903226, 0.0), # 108
(7.582791292419635, 5.886412686402053, 6.214754058070417, 6.589089593397745, 5.70353156351704, 2.7044982065742014, 2.490956131149305, 2.064421734491694, 2.9196978356957777, 1.2164081702036098, 0.9460547620454054, 0.5560054709246826, 0.0, 7.654081361454047, 6.116060180171507, 4.730273810227027, 3.6492245106108285, 5.839395671391555, 2.8901904282883715, 2.490956131149305, 1.9317844332672867, 2.85176578175852, 2.196363197799249, 1.2429508116140835, 0.5351284260365504, 0.0), # 109
(7.558841772529373, 5.854388468516307, 6.201124542752631, 6.570755334138486, 5.692958390489256, 2.6982611898592697, 2.4792148409432357, 2.0576893766194178, 2.9140058680079255, 1.211732967535437, 0.9423361293244336, 0.554290103402081, 0.0, 7.638526663237312, 6.0971911374228895, 4.711680646622168, 3.63519890260631, 5.828011736015851, 2.880765127267185, 2.4792148409432357, 1.9273294213280499, 2.846479195244628, 2.1902517780461626, 1.2402249085505264, 0.5322171335014826, 0.0), # 110
(7.535109822866345, 5.82251027479092, 6.187405864197532, 6.552433152173913, 5.68241103848947, 2.6921692729766806, 2.4675030604834527, 2.0511399176954734, 2.9083625514403293, 1.2070474364560642, 0.9386817650186072, 0.5525739657786443, 0.0, 7.623043981481482, 6.078313623565086, 4.693408825093036, 3.621142309368192, 5.816725102880659, 2.871595884773663, 2.4675030604834527, 1.9229780521262005, 2.841205519244735, 2.1841443840579715, 1.2374811728395065, 0.5293191158900837, 0.0), # 111
(7.51163208683724, 5.790793291738572, 6.173600765889348, 6.5341356078905, 5.671902418031685, 2.686236112381243, 2.4558250317959835, 2.0447770156988265, 2.9027730071635416, 1.2023516802496035, 0.9350974343828147, 0.5508578281552075, 0.0, 7.607653892318244, 6.059436109707281, 4.675487171914074, 3.6070550407488096, 5.805546014327083, 2.862687821978357, 2.4558250317959835, 1.9187400802723165, 2.8359512090158425, 2.178045202630167, 1.2347201531778695, 0.5264357537944157, 0.0), # 112
(7.488403378962436, 5.759305653776365, 6.159745218834713, 6.515900329495224, 5.661427029425976, 2.6804725589667733, 2.444210385462708, 2.038617522926869, 2.8972567496689656, 1.1976609473225461, 0.9315898541537156, 0.549146195766962, 0.0, 7.592355120674577, 6.0406081534365805, 4.657949270768578, 3.592982841967638, 5.794513499337931, 2.8540645320976163, 2.444210385462708, 1.914623256404838, 2.830713514712988, 2.1719667764984085, 1.2319490437669427, 0.5235732412523969, 0.0), # 113
(7.465184718320052, 5.728357934585393, 6.146030450014413, 6.497873652766401, 5.6508764557687075, 2.674865483980621, 2.432807283364232, 2.0327370865017067, 2.891898409523483, 1.1930630335825567, 0.9281659116150931, 0.5474608114741984, 0.0, 7.577020331328028, 6.022068926216181, 4.640829558075465, 3.5791891007476693, 5.783796819046966, 2.8458319211023895, 2.432807283364232, 1.9106182028433005, 2.8254382278843537, 2.1659578842554676, 1.2292060900028827, 0.5207598122350358, 0.0), # 114
(7.441907922403196, 5.697961279034234, 6.132464621804878, 6.480050703109068, 5.640217428207254, 2.669400305832757, 2.421623860076625, 2.027134218092903, 2.886699994311677, 1.1885650655976157, 0.9248206015236127, 0.5458025055039235, 0.0, 7.561605305328301, 6.003827560543158, 4.6241030076180625, 3.5656951967928463, 5.773399988623354, 2.8379879053300643, 2.421623860076625, 1.9067145041662548, 2.820108714103627, 2.1600169010363564, 1.226492924360976, 0.5179964799122032, 0.0), # 115
(7.418543898590108, 5.668071406280581, 6.119021459989249, 6.462399690159842, 5.629433880738015, 2.664064142733979, 2.4106419270111576, 2.021793437632998, 2.8816483571274216, 1.1841586716899097, 0.9215474575028644, 0.5441682131658231, 0.0, 7.546085807804713, 5.985850344824053, 4.607737287514321, 3.5524760150697285, 5.763296714254843, 2.8305108126861973, 2.4106419270111576, 1.9029029590956992, 2.8147169403690073, 2.154133230053281, 1.22380429199785, 0.5152792187527803, 0.0), # 116
(7.395063554259018, 5.638644035482129, 6.105674690350658, 6.444888823555345, 5.6185097473573915, 2.6588441128950824, 2.399843295579101, 2.0166992650545286, 2.8767303510645874, 1.179835480181626, 0.9183400131764379, 0.5425548697695834, 0.0, 7.53043760388658, 5.968103567465417, 4.591700065882189, 3.5395064405448773, 5.753460702129175, 2.8233789710763397, 2.399843295579101, 1.8991743663536302, 2.8092548736786958, 2.148296274518449, 1.2211349380701317, 0.5126040032256481, 0.0), # 117
(7.371437796788169, 5.60963488579657, 6.092398038672245, 6.427486312932199, 5.607428962061783, 2.6537273345268653, 2.3892097771917262, 2.0118362202900326, 2.871932829217049, 1.175587119394952, 0.9151918021679234, 0.5409594106248901, 0.0, 7.51463645870322, 5.950553516873789, 4.575959010839616, 3.5267613581848556, 5.743865658434098, 2.8165707084060454, 2.3892097771917262, 1.8955195246620464, 2.8037144810308914, 2.142495437644067, 1.218479607734449, 0.5099668077996883, 0.0), # 118
(7.347637533555794, 5.580999676381602, 6.079165230737149, 6.410160367927023, 5.5961754588475845, 2.648700925840122, 2.3787231832603024, 2.0071888232720485, 2.867242644678678, 1.1714052176520746, 0.9120963581009105, 0.5393787710414291, 0.0, 7.498658137383946, 5.933166481455719, 4.560481790504553, 3.5142156529562234, 5.734485289357356, 2.810064352580868, 2.3787231832603024, 1.8919292327429442, 2.7980877294237922, 2.1367201226423416, 1.21583304614743, 0.507363606943782, 0.0), # 119
(7.323633671940129, 5.552694126394916, 6.065949992328509, 6.392879198176436, 5.584733171711198, 2.6437520050456507, 2.3683653251961014, 2.0027415939331146, 2.8626466505433488, 1.1672814032751813, 0.909047214598989, 0.5378098863288866, 0.0, 7.482478405058078, 5.915908749617751, 4.545236072994944, 3.501844209825543, 5.7252933010866975, 2.80383823150636, 2.3683653251961014, 1.8883942893183219, 2.792366585855599, 2.1309597327254792, 1.2131899984657017, 0.5047903751268107, 0.0), # 120
(7.299397119319415, 5.524673954994208, 6.052726049229459, 6.3756110133170605, 5.573086034649023, 2.638867690354248, 2.358118014410392, 1.9984790522057692, 2.858131699904933, 1.1632073045864595, 0.906037905285749, 0.5362496917969483, 0.0, 7.466073026854929, 5.898746609766429, 4.530189526428744, 3.489621913759378, 5.716263399809866, 2.797870673088077, 2.358118014410392, 1.884905493110177, 2.7865430173245116, 2.1252036711056874, 1.2105452098458918, 0.5022430868176554, 0.0), # 121
(7.274898783071883, 5.496894881337171, 6.039467127223141, 6.358324022985514, 5.561217981657458, 2.634035099976709, 2.347963062314447, 1.9943857180225497, 2.8536846458573035, 1.1591745499080957, 0.9030619637847803, 0.5346951227553002, 0.0, 7.4494177679038165, 5.8816463503083005, 4.515309818923901, 3.4775236497242865, 5.707369291714607, 2.7921400052315697, 2.347963062314447, 1.8814536428405064, 2.780608990828729, 2.119441340995172, 1.2078934254446283, 0.49971771648519747, 0.0), # 122
(7.250109570575775, 5.469312624581501, 6.026146952092692, 6.340986436818417, 5.549112946732902, 2.629241352123832, 2.3378822803195356, 1.9904461113159944, 2.8492923414943343, 1.1551747675622777, 0.9001129237196728, 0.5331431145136282, 0.0, 7.432488393334058, 5.864574259649909, 4.500564618598363, 3.4655243026868323, 5.698584682988669, 2.7866245558423923, 2.3378822803195356, 1.8780295372313083, 2.774556473366451, 2.1136621456061393, 1.2052293904185383, 0.49721023859831837, 0.0), # 123
(7.225000389209324, 5.441882903884891, 6.012739249621247, 6.323566464452393, 5.536754863871753, 2.624473565006412, 2.327857479836928, 1.9866447520186423, 2.844941639909897, 1.1511995858711925, 0.897184318714016, 0.5315906023816185, 0.0, 7.4152606682749695, 5.847496626197802, 4.4859215935700805, 3.4535987576135767, 5.689883279819794, 2.781302652826099, 2.327857479836928, 1.87462397500458, 2.7683774319358765, 2.107855488150798, 1.2025478499242495, 0.49471662762589924, 0.0), # 124
(7.199542146350767, 5.414561438405035, 5.99921774559195, 6.306032315524057, 5.524127667070411, 2.619718856835246, 2.3178704722778956, 1.9829661600630304, 2.840619394197865, 1.147240633157027, 0.8942696823914004, 0.5300345216689567, 0.0, 7.397710357855863, 5.8303797383585225, 4.471348411957002, 3.4417218994710805, 5.68123878839573, 2.7761526240882426, 2.3178704722778956, 1.8712277548823186, 2.7620638335352057, 2.1020107718413525, 1.19984354911839, 0.49223285803682143, 0.0), # 125
(7.1737057493783425, 5.387303947299629, 5.985556165787933, 6.288352199670033, 5.511215290325276, 2.614964345821132, 2.307903069053708, 1.9793948553816976, 2.8363124574521112, 1.1432895377419687, 0.8913625483754153, 0.5284718076853291, 0.0, 7.379813227206063, 5.813189884538619, 4.4568127418770755, 3.4298686132259055, 5.6726249149042225, 2.7711527975343766, 2.307903069053708, 1.8678316755865225, 2.755607645162638, 2.0961173998900113, 1.1971112331575866, 0.4897549042999664, 0.0), # 126
(7.147462105670289, 5.360066149726364, 5.9717282359923365, 6.27049432652694, 5.498001667632746, 2.610197150174864, 2.2979370815756375, 1.975915357907182, 2.832007682766508, 1.139337927948205, 0.8884564502896507, 0.5268993957404212, 0.0, 7.361545041454879, 5.795893353144632, 4.442282251448253, 3.4180137838446143, 5.664015365533016, 2.766281501070055, 2.2979370815756375, 1.8644265358391885, 2.749000833816373, 2.0901647755089803, 1.1943456471984675, 0.487278740884215, 0.0), # 127
(7.120782122604837, 5.332803764842939, 5.957707681988301, 6.252426905731399, 5.484470732989221, 2.6054043881072406, 2.287954321254953, 1.9725121875720208, 2.827691923234929, 1.1353774320979229, 0.8855449217576967, 0.5253142211439193, 0.0, 7.34288156573163, 5.778456432583111, 4.427724608788483, 3.4061322962937677, 5.655383846469858, 2.7615170626008294, 2.287954321254953, 1.8610031343623146, 2.7422353664946106, 2.084142301910467, 1.1915415363976603, 0.4848003422584491, 0.0), # 128
(7.093636707560226, 5.305472511807044, 5.9434682295589605, 6.2341181469200295, 5.4706064203911, 2.600573177829058, 2.2779365995029255, 1.9691698643087534, 2.823352031951247, 1.1313996785133094, 0.882621496403143, 0.5237132192055092, 0.0, 7.323798565165631, 5.7608454112606, 4.413107482015715, 3.3941990355399274, 5.646704063902494, 2.756837810032255, 2.2779365995029255, 1.8575522698778983, 2.73530321019555, 2.078039382306677, 1.188693645911792, 0.48231568289154947, 0.0), # 129
(7.065996767914694, 5.2780281097763755, 5.9289836044874535, 6.215536259729452, 5.45639266383478, 2.595690637551111, 2.267865727730825, 1.9658729080499169, 2.818974862009333, 1.1273962955165517, 0.8796797078495794, 0.522093325234877, 0.0, 7.3042718048861985, 5.743026577583645, 4.398398539247896, 3.3821888865496543, 5.637949724018666, 2.7522220712698835, 2.267865727730825, 1.8540647411079363, 2.72819633191739, 2.0718454199098177, 1.1857967208974907, 0.4798207372523978, 0.0), # 130
(7.037833211046475, 5.250426277908626, 5.914227532556921, 6.196649453796286, 5.441813397316663, 2.590743885484198, 2.2577235173499237, 1.9626058387280498, 2.814547266503063, 1.1233589114298372, 0.8767130897205959, 0.5204514745417084, 0.0, 7.2842770500226495, 5.724966219958791, 4.383565448602979, 3.370076734289511, 5.629094533006126, 2.74764817421927, 2.2577235173499237, 1.850531346774427, 2.7209066986583315, 2.0655498179320957, 1.1828455065113843, 0.4773114798098752, 0.0), # 131
(7.009116944333808, 5.222622735361492, 5.8991737395504975, 6.1774259387571515, 5.4268525548331485, 2.5857200398391145, 2.24749177977149, 1.959353176275691, 2.8100560985263074, 1.119279154575353, 0.8737151756397821, 0.5187846024356896, 0.0, 7.263790065704301, 5.706630626792584, 4.36857587819891, 3.3578374637260584, 5.620112197052615, 2.7430944467859675, 2.24749177977149, 1.8469428855993675, 2.7134262774165743, 2.0591419795857178, 1.1798347479100997, 0.474783885032863, 0.0), # 132
(6.979818875154931, 5.194573201292665, 5.883795951251323, 6.1578339242486715, 5.411494070380632, 2.5806062188266576, 2.237152326406796, 1.9560994406253773, 2.80548821117294, 1.1151486532752868, 0.8706794992307283, 0.5170896442265063, 0.0, 7.242786617060469, 5.687986086491568, 4.353397496153641, 3.3454459598258595, 5.61097642234588, 2.7385392168755285, 2.237152326406796, 1.8432901563047555, 2.705747035190316, 2.052611308082891, 1.1767591902502648, 0.4722339273902424, 0.0), # 133
(6.949909910888076, 5.166233394859844, 5.868067893442536, 6.137841619907462, 5.395721877955516, 2.575389540657624, 2.2266869686671114, 1.9528291517096479, 2.8008304575368346, 1.1109590358518249, 0.8675995941170239, 0.5153635352238445, 0.0, 7.221242469220467, 5.668998887462289, 4.3379979705851195, 3.3328771075554737, 5.601660915073669, 2.7339608123935073, 2.2266869686671114, 1.8395639576125886, 2.697860938977758, 2.0459472066358213, 1.1736135786885074, 0.46965758135089497, 0.0), # 134
(6.919360958911483, 5.137559035220717, 5.851963291907273, 6.117417235370148, 5.379519911554198, 2.57005712354281, 2.2160775179637073, 1.9495268294610402, 2.796069690711861, 1.1067019306271555, 0.8644689939222592, 0.5136032107373902, 0.0, 7.199133387313616, 5.649635318111292, 4.322344969611295, 3.320105791881466, 5.592139381423722, 2.7293375612454565, 2.2160775179637073, 1.835755088244864, 2.689759955777099, 2.0391390784567163, 1.1703926583814546, 0.4670508213837017, 0.0), # 135
(6.888142926603388, 5.108505841532984, 5.835455872428673, 6.096528980273343, 5.362872105173076, 2.564596085693012, 2.205305785707854, 1.9461769938120925, 2.7911927637918947, 1.1023689659234648, 0.8612812322700237, 0.5118056060768296, 0.0, 7.176435136469229, 5.629861666845124, 4.306406161350118, 3.3071068977703937, 5.5823855275837895, 2.72464779133693, 2.205305785707854, 1.8318543469235802, 2.681436052586538, 2.0321763267577815, 1.1670911744857346, 0.46440962195754404, 0.0), # 136
(6.856226721342027, 5.079029532954335, 5.818519360789875, 6.075145064253675, 5.345762392808551, 2.558993545319026, 2.1943535833108223, 1.942764164695343, 2.7861865298708084, 1.0979517700629406, 0.8580298427839075, 0.5099676565518481, 0.0, 7.153123481816621, 5.609644222070328, 4.290149213919538, 3.293855310188821, 5.572373059741617, 2.7198698305734803, 2.1943535833108223, 1.8278525323707329, 2.6728811964042754, 2.0250483547512257, 1.1637038721579749, 0.46172995754130325, 0.0), # 137
(6.823583250505639, 5.0490858286424665, 5.801127482774012, 6.053233696947759, 5.3281747084570235, 2.5532366206316497, 2.1832027221838817, 1.9392728620433302, 2.781037842042475, 1.0934419713677697, 0.8547083590875004, 0.508086297472132, 0.0, 7.129174188485113, 5.58894927219345, 4.273541795437502, 3.280325914103308, 5.56207568408495, 2.7149820068606623, 2.1832027221838817, 1.8237404433083213, 2.6640873542285117, 2.017744565649253, 1.1602254965548024, 0.45900780260386065, 0.0), # 138
(6.790183421472455, 5.018630447755072, 5.783253964164227, 6.030763087992216, 5.3100929861148884, 2.547312429841679, 2.171835013738304, 1.9356876057885917, 2.775733553400766, 1.0888311981601397, 0.8513103148043922, 0.5061584641473672, 0.0, 7.104563021604015, 5.567743105621037, 4.256551574021961, 3.2664935944804183, 5.551467106801532, 2.709962648104028, 2.171835013738304, 1.8195088784583422, 2.6550464930574442, 2.0102543626640723, 1.1566507928328456, 0.4562391316140975, 0.0), # 139
(6.755998141620719, 4.987619109449845, 5.764872530743658, 6.007701447023667, 5.291501159778549, 2.5412080911599104, 2.1602322693853586, 1.9319929158636655, 2.770260517039555, 1.0841110787622374, 0.8478292435581727, 0.5041810918872395, 0.0, 7.079265746302652, 5.545992010759633, 4.2391462177908625, 3.2523332362867117, 5.54052103407911, 2.704790082209132, 2.1602322693853586, 1.8151486365427931, 2.6457505798892744, 2.0025671490078896, 1.1529745061487318, 0.45341991904089507, 0.0), # 140
(6.720998318328665, 4.956007532884482, 5.745956908295441, 5.984016983678732, 5.272383163444402, 2.5349107227971404, 2.148376300536318, 1.9281733122010902, 2.7646055860527143, 1.0792732414962505, 0.844258678972432, 0.502151116001435, 0.0, 7.053258127710331, 5.523662276015784, 4.221293394862159, 3.2378197244887508, 5.529211172105429, 2.6994426370815265, 2.148376300536318, 1.8106505162836717, 2.636191581722201, 1.994672327892911, 1.1491913816590882, 0.4505461393531348, 0.0), # 141
(6.685154858974525, 4.923751437216675, 5.726480822602714, 5.959677907594033, 5.252722931108846, 2.5284074429641663, 2.1362489186024507, 1.924213314733404, 2.7587556135341176, 1.0743093146843659, 0.8405921546707598, 0.5000654717996397, 0.0, 7.026515930956373, 5.500720189796036, 4.202960773353798, 3.222927944053097, 5.517511227068235, 2.6938986406267658, 2.1362489186024507, 1.806005316402976, 2.626361465554423, 1.9865593025313446, 1.1452961645205428, 0.4476137670196978, 0.0), # 142
(6.64843867093654, 4.890806541604119, 5.706417999448617, 5.934652428406185, 5.232504396768282, 2.521685369871783, 2.1238319349950276, 1.920097443393144, 2.7526974525776393, 1.0692109266487708, 0.8368232042767458, 0.4979210945915394, 0.0, 6.999014921170094, 5.477132040506932, 4.184116021383729, 3.207632779946312, 5.505394905155279, 2.6881364207504017, 2.1238319349950276, 1.8012038356227023, 2.616252198384141, 1.9782174761353954, 1.1412835998897235, 0.44461877650946546, 0.0), # 143
(6.610820661592948, 4.857128565204509, 5.685742164616285, 5.908908755751814, 5.2117114944191085, 2.5147316217307885, 2.1111071611253194, 1.9158102181128498, 2.746417956277149, 1.0639697057116522, 0.8329453614139802, 0.49571491968682, 0.0, 6.970730863480812, 5.452864116555019, 4.164726807069901, 3.191909117134956, 5.492835912554298, 2.6821343053579896, 2.1111071611253194, 1.796236872664849, 2.6058557472095543, 1.9696362519172719, 1.1371484329232573, 0.44155714229131915, 0.0), # 144
(6.572271738321982, 4.82267322717554, 5.6644270438888595, 5.882415099267537, 5.190328158057724, 2.507533316751979, 2.0980564084045974, 1.9113361588250588, 2.739903977726521, 1.0585772801951978, 0.8289521597060527, 0.4934438823951677, 0.0, 6.94163952301784, 5.4278827063468436, 4.144760798530264, 3.175731840585593, 5.479807955453042, 2.6758706223550823, 2.0980564084045974, 1.7910952262514135, 2.595164079028862, 1.9608050330891795, 1.132885408777772, 0.4384248388341401, 0.0), # 145
(6.5327628085018805, 4.787396246674904, 5.642446363049478, 5.855139668589976, 5.16833832168053, 2.5000775731461515, 2.084661488244132, 1.906659785462309, 2.7331423700196282, 1.0530252784215943, 0.8248371327765532, 0.4911049180262681, 0.0, 6.911716664910495, 5.402154098288948, 4.124185663882766, 3.1590758352647823, 5.4662847400392565, 2.669323699647233, 2.084661488244132, 1.7857696951043938, 2.584169160840265, 1.9517132228633256, 1.1284892726098958, 0.4352178406068095, 0.0), # 146
(6.49226477951088, 4.751253342860296, 5.619773847881273, 5.827050673355748, 5.145725919283921, 2.4923515091241004, 2.0709042120551926, 1.9017656179571385, 2.7261199862503442, 1.0473053287130294, 0.8205938142490716, 0.48869496188980743, 0.0, 6.8809380542880945, 5.375644580787881, 4.102969071245358, 3.1419159861390877, 5.4522399725006885, 2.662471865139994, 2.0709042120551926, 1.7802510779457859, 2.5728629596419603, 1.9423502244519164, 1.1239547695762548, 0.43193212207820875, 0.0), # 147
(6.450748558727217, 4.714200234889411, 5.596383224167389, 5.798116323201478, 5.1224748848643, 2.4843422428966253, 2.0567663912490506, 1.8966381762420859, 2.718823679512541, 1.0414090593916896, 0.8162157377471978, 0.48621094929547143, 0.0, 6.8492794562799535, 5.348320442250185, 4.081078688735989, 3.124227178175068, 5.437647359025082, 2.6552934467389204, 2.0567663912490506, 1.7745301734975893, 2.56123744243215, 1.9327054410671598, 1.1192766448334779, 0.42856365771721927, 0.0), # 148
(6.40818505352913, 4.676192641919942, 5.572248217690963, 5.768304827763782, 5.098569152418064, 2.4760368926745198, 2.0422298372369765, 1.8912619802496888, 2.71124030290009, 1.0353280987797628, 0.8116964368945213, 0.48364981555294617, 0.0, 6.81671663601539, 5.320147971082407, 4.058482184472607, 3.1059842963392876, 5.42248060580018, 2.6477667723495646, 2.0422298372369765, 1.7685977804817998, 2.549284576209032, 1.922768275921261, 1.1144496435381928, 0.42510842199272214, 0.0), # 149
(6.364545171294852, 4.6371862831095845, 5.54734255423513, 5.737584396679283, 5.0739926559416135, 2.467422576668583, 2.0272763614302405, 1.8856215499124855, 2.7033567095068674, 1.0290540751994355, 0.8070294453146325, 0.48100849597191764, 0.0, 6.783225358623717, 5.291093455691093, 4.035147226573162, 3.0871622255983056, 5.406713419013735, 2.63987016987748, 2.0272763614302405, 1.7624446976204164, 2.5369963279708068, 1.912528132226428, 1.1094685108470261, 0.4215623893735987, 0.0), # 150
(6.31979981940262, 4.597136877616033, 5.521639959583029, 5.705923239584598, 5.048729329431348, 2.4584864130896094, 2.011887775240113, 1.8797014051630145, 2.695159752426744, 1.0225786169728959, 0.8022082966311207, 0.4782839258620715, 0.0, 6.748781389234255, 5.261123184482786, 4.011041483155603, 3.067735850918687, 5.390319504853488, 2.6315819672282204, 2.011887775240113, 1.7560617236354352, 2.524364664715674, 1.9019744131948664, 1.1043279919166058, 0.41792153432873036, 0.0), # 151
(6.273919905230675, 4.55600014459698, 5.495114159517802, 5.673289566116352, 5.022763106883663, 2.4492155201483965, 1.996045890077866, 1.8734860659338137, 2.686636284753592, 1.0158933524223301, 0.7972265244675764, 0.475473040533094, 0.0, 6.713360492976318, 5.230203445864033, 3.9861326223378812, 3.04768005726699, 5.373272569507184, 2.622880492307339, 1.996045890077866, 1.7494396572488546, 2.5113815534418316, 1.8910965220387843, 1.0990228319035604, 0.4141818313269982, 0.0), # 152
(6.226876336157249, 4.5137318032101215, 5.467738879822579, 5.63965158591116, 4.996077922294963, 2.4395970160557408, 1.9797325173547677, 1.8669600521574208, 2.677773159581286, 1.008989909869926, 0.7920776624475889, 0.472572775294671, 0.0, 6.676938434979222, 5.19830052824138, 3.9603883122379444, 3.0269697296097773, 5.355546319162572, 2.6137440730203894, 1.9797325173547677, 1.742569297182672, 2.4980389611474814, 1.879883861970387, 1.093547775964516, 0.41033925483728384, 0.0), # 153
(6.178640019560583, 4.4702875726131515, 5.439487846280506, 5.604977508605646, 4.968657709661643, 2.429618019022439, 1.9629294684820913, 1.8601078837663743, 2.6685572300036977, 1.0018599176378709, 0.7867552441947484, 0.4695800654564884, 0.0, 6.639490980372286, 5.165380720021371, 3.9337762209737415, 3.005579752913612, 5.337114460007395, 2.604151037272924, 1.9629294684820913, 1.7354414421588849, 2.4843288548308213, 1.8683258362018824, 1.0878975692561013, 0.40638977932846837, 0.0), # 154
(6.129181862818909, 4.425623171963762, 5.410334784674718, 5.569235543836427, 4.940486402980104, 2.419265647259287, 1.9456185548711045, 1.852914080693212, 2.6589753491147006, 0.9944950040483511, 0.7812528033326445, 0.4664918463282322, 0.0, 6.600993894284821, 5.131410309610554, 3.906264016663222, 2.983485012145053, 5.317950698229401, 2.594079712970497, 1.9456185548711045, 1.7280468908994906, 2.470243201490052, 1.856411847945476, 1.0820669569349437, 0.402329379269433, 0.0), # 155
(6.078472773310465, 4.3796943204196515, 5.3802534207883514, 5.532393901240125, 4.911547936246746, 2.408527018977082, 1.92778158793308, 1.845363162870473, 2.649014370008167, 0.9868867974235548, 0.7755638734848673, 0.46330505321958826, 0.0, 6.561422941846148, 5.09635558541547, 3.8778193674243364, 2.960660392270664, 5.298028740016334, 2.5835084280186624, 1.92778158793308, 1.720376442126487, 2.455773968123373, 1.8441313004133755, 1.0760506841576702, 0.39815402912905923, 0.0), # 156
(6.02648365841349, 4.332456737138511, 5.349217480404546, 5.494420790453363, 4.881826243457965, 2.39738925238662, 1.9094003790792877, 1.8374396502306942, 2.63866114577797, 0.9790269260856685, 0.7696819882750067, 0.4600166214402426, 0.0, 6.520753888185581, 5.060182835842667, 3.848409941375033, 2.937080778257005, 5.27732229155594, 2.5724155103229718, 1.9094003790792877, 1.7124208945618713, 2.4409131217289826, 1.831473596817788, 1.0698434960809091, 0.3938597033762283, 0.0), # 157
(5.971744757124192, 4.28299895523299, 5.315727969268237, 5.453861748990747, 4.849963256464532, 2.3851447556146512, 1.890042688371143, 1.8285989841164574, 2.6271098910930926, 0.9706731832582289, 0.7634127670051923, 0.45650663761295607, 0.0, 6.477188687532276, 5.021573013742516, 3.817063835025962, 2.912019549774686, 5.254219782186185, 2.5600385777630406, 1.890042688371143, 1.7036748254390366, 2.424981628232266, 1.8179539163302492, 1.0631455938536476, 0.38936354138481727, 0.0), # 158
(5.9058294135827225, 4.226247901039617, 5.271158545601992, 5.402386295273073, 4.808102031883535, 2.3677218357366487, 1.8672851053542865, 1.8157378442547942, 2.609713936325905, 0.9604561988197493, 0.7556555914158659, 0.4520908349122073, 0.0, 6.420342117536156, 4.97299918403428, 3.7782779570793297, 2.8813685964592475, 5.21942787265181, 2.542032981956712, 1.8672851053542865, 1.6912298826690346, 2.4040510159417674, 1.8007954317576913, 1.0542317091203985, 0.3842043546399652, 0.0), # 159
(5.827897675923448, 4.161737600929857, 5.214613971970593, 5.339146506245316, 4.755424070051625, 2.344692604822253, 1.8408974993535137, 1.7985330631757823, 2.5859800605943066, 0.948241130372579, 0.7463012678146054, 0.4467001299258565, 0.0, 6.349136487114865, 4.913701429184421, 3.731506339073027, 2.844723391117736, 5.171960121188613, 2.5179462884460952, 1.8408974993535137, 1.6747804320158948, 2.3777120350258123, 1.7797155020817725, 1.0429227943941186, 0.3783397819027143, 0.0), # 160
(5.738577643668768, 4.0898886365923435, 5.146697981273539, 5.264743502254037, 4.69247633295046, 2.3163360460661466, 1.8110725784027506, 1.7772001777032602, 2.556221271199738, 0.9341316386341878, 0.7354322206132944, 0.44038449792717144, 0.0, 6.264299235855278, 4.844229477198885, 3.6771611030664717, 2.8023949159025627, 5.112442542399476, 2.4880802487845646, 1.8110725784027506, 1.6545257471901047, 2.34623816647523, 1.754914500751346, 1.029339596254708, 0.37180805787203125, 0.0), # 161
(5.638497416341085, 4.011121589715708, 5.068014306410331, 5.179778403645797, 4.619805782561709, 2.282931142663013, 1.7780030505359237, 1.7519547246610676, 2.5207505754436363, 0.9182313843220465, 0.7231308742238162, 0.43319391418941966, 0.0, 6.166557803344267, 4.765133056083616, 3.615654371119081, 2.754694152966139, 5.041501150887273, 2.4527366145254947, 1.7780030505359237, 1.630665101902152, 2.3099028912808546, 1.7265928012152658, 1.0136028612820662, 0.36464741724688265, 0.0), # 162
(5.528285093462799, 3.9258570419885843, 4.979166680280469, 5.084852330767161, 4.537959380867034, 2.244756877807534, 1.7418816237869603, 1.7230122408730417, 2.4798809806274416, 0.9006440281536252, 0.7094796530580545, 0.42517835398586895, 0.0, 6.0566396291687035, 4.676961893844558, 3.5473982652902722, 2.701932084460875, 4.959761961254883, 2.4122171372222585, 1.7418816237869603, 1.6033977698625244, 2.268979690433517, 1.6949507769223873, 0.9958333360560938, 0.356896094726235, 0.0), # 163
(5.408568774556308, 3.834515575099602, 4.8807588357834515, 4.980566403964691, 4.447484089848101, 2.2020922346943936, 1.7029010061897865, 1.6905882631630231, 2.433925494052593, 0.881473230846394, 0.6945609815278929, 0.4163877925897869, 0.0, 5.935272152915463, 4.580265718487656, 3.472804907639464, 2.644419692539181, 4.867850988105186, 2.3668235684282326, 1.7029010061897865, 1.5729230247817099, 2.2237420449240504, 1.660188801321564, 0.9761517671566904, 0.34859232500905474, 0.0), # 164
(5.279976559144014, 3.7375177707373965, 4.773394505818779, 4.867521743584952, 4.348926871486572, 2.155216196518274, 1.6612539057783289, 1.6548983283548488, 2.383197123020528, 0.8608226531178229, 0.678457284045215, 0.4068722052744414, 0.0, 5.803182814171416, 4.475594258018854, 3.3922864202260747, 2.582467959353468, 4.766394246041056, 2.3168576596967885, 1.6612539057783289, 1.5394401403701956, 2.174463435743286, 1.622507247861651, 0.954678901163756, 0.33977434279430885, 0.0), # 165
(5.143136546748318, 3.6352842105905996, 4.657677423285953, 4.746319469974501, 4.242834687764114, 2.1044077464738575, 1.6171330305865146, 1.6161579732723592, 2.328008874832686, 0.8387959556853827, 0.661250985021904, 0.39668156731310017, 0.0, 5.661099052523436, 4.363497240444101, 3.3062549251095197, 2.5163878670561473, 4.656017749665372, 2.262621162581303, 1.6171330305865146, 1.5031483903384697, 2.121417343882057, 1.5821064899915007, 0.9315354846571906, 0.33048038278096364, 0.0), # 166
(4.998676836891619, 3.528235476347844, 4.53421132108447, 4.617560703479906, 4.129754500662389, 2.0499458677558273, 1.57073108864827, 1.5745827347393924, 2.2686737567905064, 0.8154967992665431, 0.6430245088698437, 0.3858658539790306, 0.0, 5.509748307558397, 4.244524393769336, 3.215122544349218, 2.4464903977996286, 4.537347513581013, 2.2044158286351494, 1.57073108864827, 1.4642470483970196, 2.0648772503311945, 1.5391869011599693, 0.9068422642168941, 0.32074867966798587, 0.0), # 167
(4.847225529096317, 3.416792149697761, 4.403599932113832, 4.481846564447728, 4.010233272163062, 1.9921095435588663, 1.5222407879975217, 1.5303881495797866, 2.205504776195428, 0.7910288445787746, 0.6238602800009175, 0.3744750405455008, 0.0, 5.34985801886317, 4.119225446000509, 3.1193014000045878, 2.3730865337363234, 4.411009552390856, 2.1425434094117013, 1.5222407879975217, 1.4229353882563331, 2.005116636081531, 1.4939488548159094, 0.8807199864227666, 0.31061746815434194, 0.0), # 168
(4.689410722884812, 3.3013748123289846, 4.26644698927354, 4.33977817322453, 3.884817964247797, 1.9311777570776578, 1.4718548366681967, 1.4837897546173817, 2.1388149403488903, 0.7654957523395476, 0.6038407228270092, 0.3625591022857782, 0.0, 5.182155626024628, 3.9881501251435596, 3.019203614135046, 2.296487257018642, 4.277629880697781, 2.0773056564643344, 1.4718548366681967, 1.3794126836268983, 1.9424089821238986, 1.4465927244081769, 0.853289397854708, 0.30012498293899864, 0.0), # 169
(4.525860517779507, 3.1824040459301473, 4.12335622546309, 4.191956650156872, 3.7540555388982577, 1.8674294915068832, 1.4197659426942213, 1.435003086676016, 2.0689172565523304, 0.7390011832663317, 0.5830482617600022, 0.3501680144731306, 0.0, 5.007368568629644, 3.8518481592044362, 2.9152413088000113, 2.217003549798995, 4.137834513104661, 2.0090043213464224, 1.4197659426942213, 1.3338782082192022, 1.8770277694491289, 1.3973188833856243, 0.824671245092618, 0.28930945872092256, 0.0), # 170
(4.3572030133028, 3.06030043218988, 3.9749313735819856, 4.038983115591321, 3.61849295809611, 1.801143730041226, 1.3661668141095222, 1.3842436825795277, 1.9961247321071884, 0.7116487980765979, 0.5615653212117798, 0.33735175238082576, 0.0, 4.826224286265092, 3.710869276189083, 2.807826606058899, 2.134946394229793, 3.992249464214377, 1.9379411556113388, 1.3661668141095222, 1.2865312357437328, 1.809246479048055, 1.3463277051971074, 0.7949862747163972, 0.27820913019908006, 0.0), # 171
(4.184066308977092, 2.9354845527968174, 3.8217761665297245, 3.881458689874438, 3.4786771838230153, 1.7325994558753692, 1.3112501589480263, 1.331727079151757, 1.9207503743149028, 0.6835422574878162, 0.5394743255942259, 0.3241602912821315, 0.0, 4.639450218517843, 3.5657632041034453, 2.6973716279711297, 2.050626772463448, 3.8415007486298056, 1.8644179108124599, 1.3112501589480263, 1.237571039910978, 1.7393385919115076, 1.2938195632914795, 0.764355233305945, 0.26686223207243803, 0.0), # 172
(4.007078504324784, 2.808376989439591, 3.664494337205808, 3.7199844933527855, 3.3351551780606408, 1.6620756522039952, 1.25520868524366, 1.2776688132165412, 1.8431071904769127, 0.6547852222174565, 0.5168576993192239, 0.310643606450315, 0.0, 4.44777380497477, 3.417079670953465, 2.584288496596119, 1.9643556666523692, 3.6862143809538255, 1.7887363385031578, 1.25520868524366, 1.187196894431425, 1.6675775890303204, 1.2399948311175955, 0.7328988674411617, 0.25530699903996285, 0.0), # 173
(3.8268676988682753, 2.6793983238068333, 3.503689618509735, 3.5551616463729245, 3.1884739027906486, 1.5898513022217866, 1.1982351010303502, 1.2222844215977202, 1.763508187894657, 0.6254813529829895, 0.4937978667986571, 0.2968516731586446, 0.0, 4.251922485222747, 3.26536840474509, 2.468989333993285, 1.8764440589489682, 3.527016375789314, 1.7111981902368083, 1.1982351010303502, 1.1356080730155618, 1.5942369513953243, 1.1850538821243084, 0.700737923701947, 0.24358166580062124, 0.0), # 174
(3.6440619921299646, 2.548969137587176, 3.3399657433410055, 3.3875912692814207, 3.039180319994703, 1.5162053891234268, 1.1405221143420232, 1.165789441119132, 1.682266373869575, 0.595734310501885, 0.4703772524444093, 0.28283446668038764, 0.0, 4.052623698848646, 3.1111791334842636, 2.3518862622220467, 1.7872029315056546, 3.36453274773915, 1.632105217566785, 1.1405221143420232, 1.0830038493738763, 1.5195901599973516, 1.1291970897604737, 0.6679931486682011, 0.23172446705337968, 0.0), # 175
(3.459289483632255, 2.4175100124692537, 3.173926444599119, 3.2178744824248353, 2.8878213916544695, 1.441416896103598, 1.082262433212606, 1.1083994086046165, 1.5996947557031045, 0.5656477554916135, 0.44667828066836407, 0.268641962288812, 0.0, 3.8506048854393393, 2.9550615851769315, 2.23339140334182, 1.69694326647484, 3.199389511406209, 1.551759172046463, 1.082262433212606, 1.0295834972168558, 1.4439106958272347, 1.0726248274749453, 0.6347852889198239, 0.2197736374972049, 0.0), # 176
(3.273178272897546, 2.2854415301416977, 3.006175455183576, 3.0466124061497295, 2.7349440797516125, 1.365764806356983, 1.0236487656760251, 1.050329860878011, 1.5161063406966853, 0.535325348669645, 0.4227833758824049, 0.2543241352571853, 0.0, 3.6465934845817, 2.7975654878290377, 2.113916879412024, 1.6059760460089345, 3.0322126813933705, 1.4704618052292153, 1.0236487656760251, 0.9755462902549877, 1.3674720398758062, 1.0155374687165768, 0.6012350910367152, 0.20776741183106345, 0.0), # 177
(3.0863564594482376, 2.153184272293141, 2.8373165079938762, 2.87440616080267, 2.581095346267794, 1.2895281030782653, 0.964873819766207, 0.9917963347631552, 1.431814136151756, 0.5048707507534501, 0.39877496249841504, 0.2399309608587752, 0.0, 3.4413169358626017, 2.6392405694465264, 1.993874812492075, 1.51461225226035, 2.863628272303512, 1.3885148686684172, 0.964873819766207, 0.9210915021987609, 1.290547673133897, 0.9581353869342235, 0.5674633015987752, 0.1957440247539219, 0.0), # 178
(0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0), # 179
)
passenger_allighting_rate = (
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 0
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 1
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 2
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 3
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 4
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 5
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 6
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 7
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 8
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 9
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 10
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 11
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 12
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 13
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 14
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 15
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 16
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 17
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 18
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 19
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 20
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 21
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 22
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 23
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 24
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 25
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 26
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 27
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 28
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 29
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 30
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 31
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 32
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 33
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 34
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 35
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 36
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 37
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 38
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 39
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 40
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 41
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 42
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 43
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 44
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 45
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 46
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 47
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 48
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 49
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 50
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 51
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 52
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 53
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 54
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 55
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 56
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 57
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 58
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 59
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 60
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 61
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 62
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 63
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 64
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 65
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 66
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 67
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 68
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 69
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 70
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 71
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 72
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 73
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 74
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 75
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 76
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 77
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 78
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 79
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 80
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 81
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 82
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 83
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 84
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 85
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 86
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 87
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 88
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 89
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 90
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 91
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 92
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 93
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 94
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 95
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 96
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 97
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 98
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 99
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 100
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 101
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 102
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 103
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 104
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 105
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 106
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 107
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 108
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 109
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 110
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 111
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 112
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 113
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 114
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 115
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 116
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 117
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 118
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 119
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 120
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 121
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 122
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 123
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 124
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 125
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 126
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 127
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 128
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 129
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 130
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 131
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 132
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 133
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 134
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 135
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 136
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 137
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 138
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 139
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 140
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 141
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 142
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 143
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 144
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 145
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 146
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 147
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 148
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 149
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 150
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 151
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 152
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 153
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 154
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 155
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 156
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 157
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 158
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 159
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 160
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 161
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 162
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 163
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 164
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 165
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 166
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 167
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 168
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 169
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 170
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 171
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 172
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 173
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 174
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 175
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 176
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 177
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 178
(0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 179
)
"""
parameters for reproducibiliy. More information: https://numpy.org/doc/stable/reference/random/parallel.html
"""
#initial entropy
entropy = 8991598675325360468762009371570610170
#index for seed sequence child
child_seed_index = (
1, # 0
79, # 1
)
| """
PASSENGERS
"""
num_passengers = 15240
passenger_arriving = ((0, 2, 3, 6, 2, 2, 1, 1, 1, 0, 0, 0, 0, 3, 3, 7, 0, 3, 2, 1, 1, 3, 1, 2, 1, 0), (2, 1, 1, 10, 0, 3, 3, 0, 1, 1, 1, 0, 0, 2, 6, 5, 3, 3, 3, 2, 4, 3, 0, 2, 0, 0), (5, 6, 1, 2, 5, 0, 2, 3, 2, 0, 1, 0, 0, 1, 5, 4, 2, 4, 3, 0, 3, 1, 5, 1, 0, 0), (9, 4, 4, 6, 3, 2, 1, 1, 2, 0, 0, 1, 0, 7, 4, 4, 6, 5, 1, 5, 2, 1, 1, 1, 0, 0), (2, 2, 2, 5, 2, 2, 4, 4, 1, 0, 2, 0, 0, 6, 5, 4, 3, 1, 2, 2, 2, 1, 2, 1, 0, 0), (5, 8, 6, 5, 2, 5, 1, 2, 3, 0, 2, 0, 0, 3, 5, 4, 4, 2, 2, 1, 2, 1, 0, 1, 1, 0), (9, 7, 4, 5, 3, 1, 1, 4, 2, 0, 0, 0, 0, 6, 2, 1, 1, 4, 4, 1, 0, 2, 3, 1, 0, 0), (3, 6, 3, 4, 4, 2, 3, 1, 4, 2, 1, 0, 0, 1, 6, 4, 4, 4, 1, 2, 2, 2, 2, 1, 0, 0), (6, 4, 3, 3, 4, 3, 3, 5, 2, 0, 1, 0, 0, 6, 6, 4, 3, 8, 7, 1, 1, 1, 2, 1, 2, 0), (6, 8, 4, 4, 5, 3, 4, 5, 1, 4, 1, 2, 0, 4, 4, 5, 7, 4, 4, 5, 1, 4, 5, 2, 0, 0), (2, 7, 6, 4, 5, 4, 0, 5, 2, 2, 0, 0, 0, 5, 6, 4, 1, 8, 3, 5, 0, 1, 2, 0, 2, 0), (6, 5, 7, 5, 9, 1, 3, 1, 2, 2, 1, 0, 0, 9, 8, 5, 2, 7, 4, 5, 1, 2, 0, 3, 0, 0), (5, 10, 3, 3, 8, 0, 5, 0, 3, 0, 0, 0, 0, 6, 4, 9, 5, 6, 3, 3, 2, 3, 3, 2, 2, 0), (5, 4, 7, 9, 5, 2, 3, 2, 6, 0, 0, 1, 0, 5, 4, 2, 8, 4, 5, 3, 2, 1, 0, 1, 1, 0), (13, 12, 8, 2, 8, 4, 2, 3, 4, 0, 1, 1, 0, 6, 5, 9, 2, 6, 1, 3, 1, 1, 2, 0, 0, 0), (8, 9, 5, 8, 5, 2, 3, 1, 7, 0, 0, 0, 0, 8, 7, 5, 2, 6, 3, 2, 0, 1, 1, 1, 0, 0), (7, 6, 10, 9, 5, 3, 1, 3, 3, 2, 1, 2, 0, 9, 2, 2, 3, 5, 3, 3, 1, 4, 0, 2, 1, 0), (5, 8, 6, 9, 8, 2, 1, 3, 4, 0, 4, 1, 0, 7, 6, 4, 3, 7, 5, 3, 1, 1, 2, 0, 0, 0), (7, 3, 6, 10, 8, 4, 3, 3, 4, 1, 3, 1, 0, 11, 8, 5, 4, 4, 8, 7, 1, 2, 3, 1, 1, 0), (4, 7, 11, 11, 2, 4, 5, 3, 3, 1, 1, 0, 0, 14, 2, 2, 6, 4, 1, 4, 0, 3, 2, 0, 1, 0), (5, 8, 6, 4, 2, 1, 4, 3, 2, 2, 2, 0, 0, 8, 4, 3, 1, 7, 3, 0, 1, 3, 1, 0, 2, 0), (9, 5, 5, 3, 7, 4, 3, 4, 2, 1, 2, 1, 0, 15, 8, 6, 6, 5, 3, 2, 1, 4, 2, 2, 0, 0), (8, 4, 6, 8, 7, 5, 3, 7, 2, 0, 0, 2, 0, 3, 6, 11, 7, 7, 6, 3, 6, 0, 2, 5, 0, 0), (14, 4, 8, 4, 5, 3, 1, 6, 4, 0, 1, 0, 0, 5, 7, 6, 4, 5, 4, 3, 0, 2, 0, 1, 0, 0), (10, 9, 3, 5, 6, 2, 1, 5, 2, 3, 1, 1, 0, 5, 6, 4, 4, 6, 7, 5, 1, 1, 5, 0, 1, 0), (7, 8, 9, 7, 5, 3, 3, 7, 4, 1, 1, 0, 0, 5, 2, 2, 1, 1, 9, 5, 1, 2, 1, 1, 0, 0), (7, 5, 4, 5, 3, 4, 2, 7, 2, 4, 1, 2, 0, 3, 5, 4, 7, 8, 6, 4, 3, 2, 3, 4, 0, 0), (5, 5, 2, 8, 5, 3, 7, 1, 5, 2, 0, 1, 0, 12, 9, 8, 5, 10, 4, 2, 5, 3, 1, 0, 0, 0), (7, 9, 7, 8, 4, 3, 2, 2, 3, 2, 0, 0, 0, 10, 7, 3, 2, 8, 4, 2, 3, 2, 2, 3, 0, 0), (10, 3, 5, 6, 4, 3, 3, 2, 3, 0, 1, 0, 0, 11, 4, 4, 5, 5, 5, 2, 2, 4, 1, 3, 2, 0), (4, 7, 6, 6, 7, 4, 1, 1, 10, 3, 0, 0, 0, 8, 4, 7, 4, 7, 2, 2, 4, 0, 3, 2, 1, 0), (8, 7, 5, 8, 9, 1, 2, 3, 2, 2, 0, 0, 0, 5, 4, 10, 6, 10, 8, 4, 4, 3, 7, 2, 0, 0), (15, 8, 9, 5, 6, 1, 1, 2, 4, 3, 1, 0, 0, 13, 13, 8, 3, 5, 7, 3, 4, 2, 1, 2, 0, 0), (10, 11, 8, 6, 7, 3, 2, 2, 3, 1, 1, 0, 0, 11, 9, 6, 7, 5, 8, 2, 3, 1, 1, 1, 2, 0), (12, 12, 6, 4, 7, 5, 2, 1, 3, 4, 2, 0, 0, 6, 5, 1, 6, 7, 4, 3, 1, 7, 2, 0, 0, 0), (8, 8, 10, 8, 7, 4, 3, 1, 3, 4, 0, 1, 0, 12, 10, 4, 4, 10, 4, 0, 2, 2, 4, 0, 0, 0), (15, 8, 6, 10, 11, 2, 2, 5, 1, 2, 2, 0, 0, 5, 10, 4, 4, 8, 6, 6, 1, 2, 8, 1, 0, 0), (8, 5, 11, 5, 7, 7, 5, 2, 2, 0, 2, 2, 0, 8, 4, 5, 10, 5, 5, 5, 3, 5, 3, 3, 0, 0), (8, 5, 4, 7, 6, 2, 5, 2, 6, 1, 0, 1, 0, 5, 10, 9, 2, 5, 2, 4, 1, 0, 2, 0, 0, 0), (8, 7, 9, 4, 3, 2, 3, 4, 2, 0, 2, 0, 0, 6, 2, 9, 5, 9, 5, 4, 2, 3, 3, 4, 1, 0), (10, 7, 4, 6, 9, 1, 3, 3, 1, 6, 1, 2, 0, 11, 7, 7, 7, 10, 4, 3, 4, 3, 2, 1, 0, 0), (6, 10, 3, 9, 4, 5, 5, 4, 3, 2, 1, 0, 0, 7, 9, 11, 7, 8, 3, 3, 5, 2, 2, 1, 0, 0), (13, 9, 10, 4, 7, 0, 3, 3, 1, 4, 2, 0, 0, 7, 6, 8, 3, 8, 7, 3, 1, 2, 1, 1, 2, 0), (9, 11, 7, 8, 8, 1, 4, 2, 2, 1, 1, 0, 0, 10, 11, 4, 4, 5, 4, 3, 3, 2, 0, 1, 1, 0), (10, 6, 10, 6, 6, 4, 4, 4, 6, 5, 2, 0, 0, 5, 11, 8, 5, 6, 5, 1, 2, 2, 6, 0, 0, 0), (7, 15, 5, 7, 4, 2, 5, 1, 3, 3, 1, 1, 0, 6, 11, 9, 2, 7, 3, 3, 3, 1, 4, 1, 0, 0), (13, 3, 5, 9, 8, 2, 0, 2, 6, 1, 1, 0, 0, 9, 8, 2, 9, 7, 3, 4, 4, 8, 5, 4, 1, 0), (14, 9, 8, 10, 3, 1, 5, 2, 4, 2, 1, 1, 0, 12, 10, 9, 6, 7, 3, 5, 4, 2, 1, 0, 0, 0), (5, 9, 7, 13, 9, 3, 3, 0, 3, 0, 0, 1, 0, 7, 9, 6, 3, 6, 8, 5, 1, 7, 8, 2, 1, 0), (5, 10, 11, 10, 8, 1, 3, 2, 3, 0, 0, 0, 0, 13, 2, 3, 4, 5, 4, 3, 2, 2, 2, 0, 0, 0), (10, 8, 8, 5, 9, 4, 5, 3, 1, 2, 1, 0, 0, 6, 5, 4, 10, 5, 6, 3, 3, 1, 1, 0, 0, 0), (12, 6, 6, 14, 8, 3, 0, 6, 0, 0, 1, 2, 0, 6, 9, 4, 4, 10, 7, 3, 0, 2, 1, 0, 0, 0), (8, 8, 6, 8, 4, 5, 5, 2, 2, 0, 0, 1, 0, 11, 3, 9, 2, 5, 4, 4, 4, 1, 1, 1, 0, 0), (8, 5, 4, 4, 6, 3, 1, 2, 2, 2, 0, 0, 0, 5, 5, 8, 4, 7, 3, 2, 2, 5, 1, 2, 1, 0), (7, 6, 6, 4, 5, 2, 3, 0, 7, 1, 1, 0, 0, 10, 0, 4, 2, 4, 5, 3, 3, 3, 2, 1, 0, 0), (13, 8, 10, 8, 6, 0, 3, 2, 3, 2, 0, 0, 0, 10, 6, 5, 3, 6, 3, 5, 1, 2, 4, 1, 0, 0), (9, 12, 4, 13, 2, 3, 3, 2, 2, 1, 1, 0, 0, 7, 10, 3, 8, 4, 4, 6, 4, 3, 1, 1, 1, 0), (4, 8, 5, 9, 6, 0, 3, 4, 4, 1, 0, 1, 0, 5, 8, 5, 3, 3, 4, 6, 4, 3, 5, 1, 0, 0), (9, 6, 6, 7, 7, 3, 4, 5, 4, 1, 4, 0, 0, 8, 6, 6, 6, 6, 5, 2, 1, 4, 0, 1, 1, 0), (7, 7, 7, 5, 8, 2, 3, 1, 3, 2, 0, 0, 0, 6, 10, 3, 6, 5, 5, 0, 0, 6, 4, 1, 1, 0), (5, 4, 8, 7, 6, 4, 5, 3, 2, 2, 1, 0, 0, 4, 3, 5, 5, 6, 4, 3, 3, 6, 2, 4, 2, 0), (7, 8, 4, 4, 3, 2, 6, 5, 4, 2, 0, 0, 0, 7, 10, 11, 7, 5, 2, 1, 5, 1, 2, 3, 0, 0), (7, 7, 7, 6, 11, 1, 2, 2, 3, 0, 2, 1, 0, 7, 9, 4, 5, 7, 2, 1, 1, 5, 1, 1, 0, 0), (12, 6, 10, 4, 6, 5, 2, 1, 2, 0, 0, 1, 0, 8, 6, 6, 4, 5, 1, 2, 2, 4, 2, 0, 2, 0), (8, 6, 7, 7, 10, 3, 0, 1, 4, 1, 2, 0, 0, 11, 8, 5, 10, 5, 1, 6, 2, 3, 3, 0, 0, 0), (8, 5, 6, 7, 10, 5, 0, 3, 1, 2, 1, 1, 0, 11, 12, 5, 5, 6, 5, 3, 5, 2, 3, 2, 0, 0), (10, 3, 8, 4, 5, 4, 3, 2, 1, 2, 3, 2, 0, 8, 10, 6, 4, 7, 0, 3, 2, 2, 4, 1, 1, 0), (7, 8, 6, 5, 6, 5, 1, 2, 1, 1, 0, 2, 0, 8, 14, 4, 3, 5, 0, 2, 1, 1, 0, 1, 0, 0), (7, 8, 6, 6, 11, 3, 2, 1, 3, 1, 2, 1, 0, 9, 7, 11, 3, 4, 3, 4, 0, 4, 2, 2, 3, 0), (9, 7, 4, 6, 5, 4, 3, 1, 2, 2, 1, 0, 0, 17, 5, 1, 3, 7, 4, 4, 3, 2, 1, 2, 0, 0), (8, 10, 1, 6, 6, 3, 4, 4, 5, 2, 1, 1, 0, 7, 11, 3, 9, 5, 2, 3, 2, 2, 3, 0, 1, 0), (6, 3, 6, 5, 10, 3, 2, 1, 3, 1, 0, 0, 0, 15, 13, 3, 4, 3, 2, 5, 4, 2, 3, 0, 0, 0), (12, 9, 2, 8, 8, 4, 3, 7, 5, 0, 0, 1, 0, 9, 3, 3, 5, 10, 9, 5, 3, 3, 1, 2, 1, 0), (3, 3, 6, 4, 4, 2, 2, 4, 6, 3, 0, 0, 0, 11, 5, 7, 1, 9, 0, 3, 1, 4, 7, 0, 0, 0), (12, 7, 5, 5, 5, 4, 4, 2, 1, 1, 0, 0, 0, 7, 4, 8, 6, 8, 7, 3, 2, 5, 4, 2, 1, 0), (8, 5, 3, 6, 7, 6, 3, 1, 0, 3, 0, 0, 0, 4, 4, 4, 4, 6, 5, 0, 1, 2, 0, 1, 0, 0), (9, 10, 4, 4, 9, 4, 3, 0, 0, 1, 1, 1, 0, 9, 6, 3, 4, 6, 4, 4, 1, 2, 3, 0, 0, 0), (4, 3, 8, 5, 5, 2, 4, 5, 5, 2, 1, 0, 0, 9, 5, 8, 5, 9, 4, 3, 2, 3, 4, 1, 2, 0), (12, 6, 7, 3, 4, 0, 5, 1, 2, 1, 0, 2, 0, 8, 5, 4, 5, 3, 1, 3, 1, 1, 4, 2, 3, 0), (5, 5, 9, 5, 4, 4, 3, 0, 1, 1, 0, 1, 0, 9, 7, 4, 4, 5, 5, 3, 5, 5, 3, 1, 1, 0), (11, 5, 6, 9, 3, 2, 4, 5, 4, 2, 0, 0, 0, 2, 7, 7, 2, 11, 5, 2, 1, 4, 2, 2, 0, 0), (11, 8, 5, 6, 16, 1, 1, 1, 3, 0, 1, 0, 0, 9, 8, 3, 3, 7, 2, 1, 1, 1, 3, 1, 1, 0), (7, 8, 7, 10, 4, 8, 4, 3, 4, 1, 1, 1, 0, 8, 11, 8, 2, 7, 5, 4, 2, 5, 0, 1, 0, 0), (9, 7, 6, 10, 7, 5, 1, 4, 4, 2, 1, 0, 0, 7, 8, 8, 5, 3, 5, 3, 4, 1, 4, 2, 1, 0), (5, 6, 7, 8, 5, 4, 3, 4, 4, 1, 1, 0, 0, 7, 7, 2, 4, 5, 1, 4, 2, 2, 5, 2, 1, 0), (11, 8, 8, 5, 5, 4, 2, 4, 3, 0, 1, 1, 0, 8, 1, 6, 4, 7, 0, 4, 2, 6, 0, 0, 0, 0), (12, 5, 10, 5, 8, 4, 1, 6, 2, 2, 1, 1, 0, 10, 7, 6, 7, 4, 6, 0, 4, 0, 3, 1, 1, 0), (5, 8, 6, 9, 6, 2, 5, 1, 3, 4, 1, 0, 0, 6, 9, 2, 3, 7, 5, 5, 4, 2, 1, 1, 1, 0), (8, 6, 7, 8, 6, 3, 3, 2, 2, 1, 2, 3, 0, 10, 6, 6, 4, 7, 5, 1, 2, 1, 2, 1, 0, 0), (5, 8, 10, 10, 6, 2, 2, 2, 1, 0, 0, 1, 0, 7, 7, 7, 7, 6, 4, 4, 1, 0, 3, 0, 0, 0), (8, 4, 4, 10, 9, 2, 1, 2, 7, 0, 1, 0, 0, 12, 12, 5, 4, 6, 4, 1, 4, 5, 0, 3, 0, 0), (4, 13, 9, 8, 5, 9, 1, 0, 3, 2, 1, 2, 0, 9, 10, 6, 6, 8, 7, 1, 1, 4, 3, 0, 0, 0), (4, 7, 7, 5, 5, 7, 5, 2, 4, 3, 0, 0, 0, 19, 6, 4, 0, 4, 3, 2, 2, 4, 1, 2, 1, 0), (6, 7, 10, 7, 9, 4, 1, 1, 2, 0, 0, 0, 0, 7, 3, 5, 4, 6, 1, 2, 2, 3, 4, 0, 0, 0), (5, 5, 2, 5, 8, 2, 3, 2, 4, 1, 1, 2, 0, 13, 14, 3, 5, 4, 1, 3, 4, 1, 2, 2, 0, 0), (6, 6, 7, 6, 2, 3, 5, 1, 6, 0, 0, 0, 0, 5, 3, 1, 5, 6, 1, 3, 2, 2, 0, 3, 0, 0), (10, 3, 6, 3, 4, 1, 4, 1, 2, 0, 0, 0, 0, 9, 7, 4, 3, 10, 4, 2, 4, 2, 2, 1, 0, 0), (9, 5, 6, 4, 7, 5, 1, 2, 4, 5, 0, 2, 0, 12, 8, 5, 7, 6, 2, 3, 0, 3, 1, 0, 1, 0), (4, 12, 2, 3, 7, 0, 3, 4, 2, 0, 3, 1, 0, 7, 5, 4, 2, 7, 3, 5, 1, 2, 2, 0, 2, 0), (9, 6, 5, 7, 4, 2, 1, 4, 3, 2, 3, 0, 0, 8, 7, 6, 6, 9, 2, 1, 2, 1, 2, 1, 1, 0), (8, 6, 4, 5, 7, 3, 1, 0, 6, 1, 2, 0, 0, 7, 4, 4, 3, 3, 2, 1, 1, 4, 2, 2, 0, 0), (10, 9, 10, 11, 6, 1, 2, 2, 2, 1, 0, 0, 0, 8, 6, 3, 5, 8, 6, 3, 0, 2, 3, 1, 2, 0), (10, 4, 4, 4, 4, 1, 7, 1, 3, 0, 2, 0, 0, 9, 5, 9, 7, 4, 4, 1, 4, 2, 2, 2, 2, 0), (5, 3, 8, 8, 5, 0, 5, 6, 2, 1, 0, 2, 0, 7, 9, 2, 3, 7, 2, 7, 2, 4, 3, 0, 0, 0), (4, 7, 8, 6, 5, 2, 1, 3, 4, 2, 2, 1, 0, 6, 4, 10, 8, 7, 2, 3, 0, 4, 0, 3, 0, 0), (13, 5, 4, 8, 4, 2, 7, 1, 2, 3, 1, 1, 0, 10, 0, 9, 2, 8, 1, 4, 1, 0, 2, 0, 1, 0), (15, 6, 3, 7, 1, 5, 0, 3, 4, 5, 1, 1, 0, 4, 4, 9, 2, 4, 5, 1, 2, 3, 2, 1, 0, 0), (6, 3, 9, 6, 3, 3, 6, 4, 2, 2, 1, 1, 0, 10, 8, 3, 2, 7, 1, 3, 1, 4, 2, 0, 0, 0), (7, 6, 8, 9, 2, 1, 2, 3, 2, 1, 1, 1, 0, 6, 8, 3, 2, 5, 2, 2, 1, 4, 2, 0, 1, 0), (7, 3, 4, 9, 12, 0, 3, 3, 7, 2, 1, 0, 0, 8, 3, 4, 8, 3, 2, 1, 5, 3, 2, 1, 1, 0), (13, 2, 9, 7, 6, 2, 2, 9, 5, 0, 1, 0, 0, 9, 5, 3, 6, 6, 4, 1, 1, 4, 1, 3, 0, 0), (5, 3, 4, 12, 2, 5, 3, 1, 1, 0, 0, 0, 0, 4, 6, 2, 5, 3, 2, 2, 0, 1, 0, 0, 2, 0), (13, 6, 4, 7, 4, 4, 3, 3, 1, 0, 1, 1, 0, 5, 8, 3, 3, 6, 4, 3, 1, 2, 4, 2, 1, 0), (5, 6, 9, 12, 5, 3, 1, 4, 1, 1, 1, 0, 0, 9, 1, 9, 2, 5, 2, 3, 0, 2, 2, 0, 2, 0), (9, 4, 3, 12, 5, 1, 4, 4, 0, 1, 2, 0, 0, 10, 5, 4, 6, 10, 3, 0, 2, 2, 2, 2, 2, 0), (5, 6, 7, 1, 3, 2, 0, 2, 4, 2, 0, 1, 0, 6, 3, 7, 2, 6, 6, 3, 3, 1, 1, 1, 0, 0), (4, 5, 8, 6, 6, 3, 3, 5, 4, 1, 0, 0, 0, 4, 4, 2, 5, 5, 0, 3, 1, 1, 1, 1, 0, 0), (12, 9, 4, 3, 9, 5, 2, 2, 1, 0, 0, 1, 0, 8, 8, 5, 1, 7, 3, 2, 3, 2, 4, 1, 0, 0), (14, 3, 5, 6, 5, 0, 2, 4, 2, 1, 0, 0, 0, 8, 8, 7, 5, 10, 4, 2, 2, 6, 3, 2, 0, 0), (8, 4, 5, 10, 14, 4, 6, 1, 2, 2, 0, 1, 0, 11, 5, 3, 3, 5, 3, 5, 0, 4, 2, 1, 1, 0), (8, 9, 3, 4, 5, 2, 1, 0, 2, 0, 0, 0, 0, 6, 6, 4, 5, 7, 1, 3, 3, 2, 1, 1, 2, 0), (11, 9, 2, 9, 5, 5, 5, 0, 3, 1, 0, 1, 0, 8, 7, 3, 3, 6, 1, 1, 1, 0, 4, 1, 2, 0), (5, 2, 5, 17, 8, 2, 3, 2, 2, 2, 2, 0, 0, 9, 8, 8, 4, 4, 2, 0, 0, 0, 2, 1, 0, 0), (7, 2, 5, 2, 1, 3, 3, 7, 3, 4, 1, 3, 0, 7, 7, 5, 2, 5, 2, 2, 5, 1, 1, 2, 0, 0), (3, 4, 5, 5, 6, 3, 3, 0, 5, 2, 0, 1, 0, 8, 8, 7, 5, 4, 4, 3, 0, 7, 2, 0, 1, 0), (4, 5, 7, 4, 6, 5, 4, 3, 1, 1, 1, 0, 0, 7, 7, 6, 3, 3, 3, 3, 1, 2, 3, 0, 0, 0), (2, 3, 5, 2, 5, 1, 2, 2, 4, 1, 0, 0, 0, 4, 5, 7, 1, 4, 3, 0, 1, 4, 2, 1, 0, 0), (8, 2, 6, 8, 7, 7, 2, 1, 4, 1, 0, 1, 0, 9, 9, 4, 5, 7, 2, 5, 1, 3, 0, 0, 2, 0), (6, 6, 10, 2, 7, 3, 1, 2, 2, 1, 2, 0, 0, 11, 9, 3, 1, 8, 3, 3, 2, 3, 0, 1, 0, 0), (4, 9, 9, 8, 9, 3, 1, 1, 2, 3, 0, 0, 0, 11, 4, 2, 3, 7, 2, 0, 1, 7, 3, 0, 1, 0), (8, 6, 8, 7, 6, 3, 3, 3, 4, 2, 0, 1, 0, 6, 5, 3, 4, 5, 2, 2, 0, 1, 6, 1, 0, 0), (6, 6, 10, 5, 8, 2, 2, 1, 2, 1, 3, 0, 0, 9, 10, 5, 3, 3, 3, 2, 3, 1, 2, 2, 0, 0), (6, 5, 0, 7, 4, 5, 1, 1, 1, 1, 0, 1, 0, 6, 3, 7, 3, 4, 3, 2, 3, 4, 1, 1, 0, 0), (6, 6, 7, 9, 4, 2, 2, 0, 5, 1, 3, 0, 0, 3, 8, 6, 3, 3, 3, 1, 3, 6, 3, 2, 1, 0), (8, 1, 2, 7, 7, 5, 0, 3, 2, 2, 0, 0, 0, 13, 11, 3, 1, 6, 4, 3, 1, 2, 1, 2, 0, 0), (7, 9, 12, 4, 6, 1, 1, 0, 2, 0, 1, 0, 0, 12, 7, 7, 2, 5, 2, 0, 9, 2, 1, 2, 0, 0), (5, 4, 5, 7, 7, 1, 2, 1, 6, 1, 1, 0, 0, 6, 5, 4, 1, 3, 2, 2, 1, 1, 1, 1, 0, 0), (7, 3, 3, 8, 4, 2, 1, 2, 1, 0, 1, 0, 0, 7, 4, 3, 2, 9, 2, 1, 1, 2, 1, 0, 0, 0), (7, 2, 3, 1, 4, 2, 2, 0, 7, 1, 0, 0, 0, 7, 6, 5, 4, 7, 3, 6, 2, 4, 4, 2, 1, 0), (8, 7, 3, 5, 4, 2, 3, 3, 4, 2, 0, 0, 0, 4, 3, 1, 4, 7, 3, 0, 3, 3, 2, 0, 1, 0), (6, 7, 6, 5, 6, 3, 1, 2, 1, 3, 1, 0, 0, 7, 2, 3, 5, 5, 3, 4, 4, 1, 2, 0, 0, 0), (4, 4, 4, 8, 7, 4, 0, 1, 4, 1, 4, 0, 0, 9, 4, 3, 0, 6, 4, 2, 3, 1, 2, 3, 0, 0), (6, 2, 3, 7, 8, 4, 2, 2, 3, 2, 0, 0, 0, 7, 5, 6, 1, 9, 4, 3, 0, 2, 1, 0, 0, 0), (6, 5, 8, 7, 9, 1, 1, 4, 1, 2, 3, 0, 0, 10, 3, 5, 3, 6, 0, 2, 2, 6, 0, 1, 0, 0), (6, 4, 3, 2, 8, 2, 0, 4, 5, 4, 1, 0, 0, 11, 3, 6, 1, 5, 1, 1, 0, 3, 7, 2, 0, 0), (3, 3, 5, 1, 3, 2, 0, 0, 3, 0, 3, 0, 0, 3, 3, 4, 2, 2, 2, 2, 3, 4, 0, 4, 2, 0), (9, 5, 5, 3, 3, 0, 1, 3, 4, 1, 2, 2, 0, 7, 9, 11, 2, 10, 2, 1, 4, 4, 2, 1, 0, 0), (5, 2, 6, 10, 9, 3, 0, 0, 3, 1, 0, 0, 0, 7, 5, 6, 2, 8, 2, 3, 0, 2, 5, 1, 1, 0), (8, 3, 3, 8, 7, 2, 2, 1, 0, 3, 0, 0, 0, 8, 2, 4, 3, 4, 5, 3, 2, 5, 0, 1, 0, 0), (5, 2, 4, 6, 6, 3, 0, 1, 4, 1, 0, 1, 0, 6, 4, 6, 3, 3, 1, 1, 2, 2, 2, 1, 0, 0), (4, 6, 2, 9, 3, 4, 0, 3, 5, 0, 1, 0, 0, 8, 4, 8, 1, 4, 1, 0, 2, 3, 6, 0, 0, 0), (6, 3, 11, 9, 4, 2, 3, 2, 4, 0, 1, 0, 0, 6, 5, 3, 4, 5, 2, 2, 3, 1, 4, 0, 0, 0), (7, 6, 7, 7, 2, 4, 2, 1, 2, 3, 0, 0, 0, 4, 10, 4, 2, 8, 1, 4, 1, 3, 1, 2, 0, 0), (7, 6, 3, 4, 2, 2, 1, 2, 4, 1, 0, 0, 0, 8, 6, 5, 4, 5, 4, 3, 1, 2, 1, 2, 0, 0), (3, 4, 5, 5, 4, 0, 3, 1, 4, 0, 0, 1, 0, 5, 5, 6, 5, 6, 2, 2, 1, 2, 5, 1, 2, 0), (5, 5, 2, 5, 5, 0, 1, 1, 2, 5, 2, 0, 0, 5, 4, 6, 2, 5, 2, 0, 5, 0, 0, 2, 0, 0), (1, 6, 7, 7, 4, 3, 1, 1, 5, 1, 1, 0, 0, 9, 3, 6, 2, 3, 2, 2, 1, 1, 2, 1, 0, 0), (8, 6, 4, 5, 5, 2, 1, 2, 2, 3, 0, 0, 0, 3, 4, 3, 4, 5, 4, 2, 1, 1, 3, 2, 0, 0), (4, 4, 6, 1, 7, 2, 2, 4, 5, 1, 2, 0, 0, 7, 8, 2, 2, 4, 1, 0, 0, 4, 6, 1, 0, 0), (11, 6, 5, 3, 3, 3, 2, 3, 5, 0, 0, 1, 0, 4, 4, 5, 2, 3, 2, 1, 1, 1, 2, 3, 2, 0), (7, 3, 10, 6, 1, 4, 1, 1, 1, 0, 0, 1, 0, 6, 4, 4, 3, 7, 1, 2, 3, 4, 3, 1, 1, 0), (10, 2, 5, 7, 2, 4, 1, 3, 2, 2, 0, 1, 0, 5, 8, 3, 4, 5, 1, 3, 0, 2, 2, 3, 1, 0), (3, 7, 3, 4, 10, 2, 2, 0, 0, 0, 0, 0, 0, 3, 4, 4, 5, 4, 2, 0, 1, 2, 0, 3, 0, 0), (15, 4, 3, 4, 7, 2, 3, 3, 1, 0, 0, 1, 0, 6, 4, 5, 0, 6, 3, 1, 0, 1, 1, 0, 0, 0), (6, 1, 5, 5, 3, 3, 4, 2, 5, 2, 0, 0, 0, 3, 5, 3, 2, 4, 1, 0, 1, 0, 2, 0, 1, 0), (3, 1, 9, 9, 4, 0, 0, 1, 2, 0, 0, 0, 0, 8, 3, 2, 1, 5, 1, 1, 1, 2, 1, 2, 0, 0), (3, 6, 3, 6, 5, 2, 1, 1, 4, 3, 0, 0, 0, 5, 8, 4, 0, 6, 4, 1, 1, 5, 2, 2, 0, 0), (10, 3, 2, 1, 6, 3, 2, 0, 1, 3, 0, 0, 0, 7, 2, 4, 2, 2, 3, 1, 0, 4, 0, 0, 0, 0), (6, 5, 2, 5, 3, 4, 1, 1, 3, 0, 1, 0, 0, 4, 2, 1, 1, 5, 1, 2, 3, 3, 1, 0, 0, 0), (3, 11, 6, 3, 0, 3, 1, 0, 1, 0, 1, 0, 0, 5, 5, 3, 0, 5, 1, 3, 1, 1, 2, 1, 0, 0), (6, 2, 8, 5, 2, 4, 1, 0, 2, 1, 1, 0, 0, 9, 4, 2, 0, 7, 2, 3, 1, 2, 2, 1, 1, 0), (2, 5, 0, 2, 1, 2, 1, 1, 1, 1, 0, 2, 0, 5, 5, 5, 1, 2, 2, 1, 1, 1, 1, 0, 0, 0), (4, 2, 12, 5, 5, 2, 2, 1, 0, 0, 1, 1, 0, 7, 3, 3, 2, 2, 1, 1, 2, 1, 2, 3, 0, 0), (4, 5, 4, 3, 2, 3, 1, 0, 1, 1, 0, 0, 0, 5, 5, 1, 2, 9, 0, 2, 2, 2, 0, 0, 0, 0), (4, 4, 1, 3, 1, 1, 1, 2, 3, 0, 0, 0, 0, 1, 3, 2, 1, 3, 2, 4, 1, 2, 0, 1, 0, 0), (3, 2, 3, 8, 2, 0, 2, 0, 3, 0, 1, 0, 0, 8, 2, 2, 0, 2, 2, 0, 0, 1, 0, 1, 0, 0), (2, 4, 1, 5, 3, 2, 0, 1, 1, 0, 1, 0, 0, 3, 4, 3, 1, 7, 1, 0, 0, 6, 2, 2, 1, 0), (1, 1, 4, 2, 5, 2, 1, 2, 2, 0, 1, 0, 0, 7, 1, 2, 1, 2, 1, 0, 0, 0, 1, 0, 0, 0), (6, 6, 4, 3, 2, 2, 1, 0, 2, 1, 0, 1, 0, 5, 3, 1, 2, 6, 0, 0, 1, 1, 1, 0, 2, 0), (0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0))
station_arriving_intensity = ((4.0166924626974145, 4.420230847754533, 4.169026583690005, 4.971734219090746, 4.4437484860876895, 2.5109239456298713, 3.3168284922991322, 3.7225409383835384, 4.872079249734406, 3.166412012417896, 3.3642121311084825, 3.918332062644939, 4.067104170062691), (4.283461721615979, 4.712048555315807, 4.444277273064122, 5.3001154026212935, 4.737992269979389, 2.6767868672340445, 3.535575153010955, 3.9676109783245668, 5.1937962610663275, 3.37518455382172, 3.5864769087649053, 4.176973328651484, 4.3358333179518835), (4.549378407183785, 5.0027081367127835, 4.718433828437931, 5.627190163731836, 5.0311703789997955, 2.841988091609956, 3.7534548063685635, 4.211700198323536, 5.514229445502039, 3.583131020016437, 3.8078585190210505, 4.434586121642444, 4.603491862567752), (4.81340623451725, 5.291056401549158, 4.9904086954558835, 5.951661126025659, 5.322129340801522, 3.0058724980680904, 3.9696029133183646, 4.453840925995606, 5.832108128736874, 3.7894261587409446, 4.027478729461906, 4.690148547944369, 4.869018245003381), (5.074508918732786, 5.57594015942862, 5.259114319762429, 6.272230913106056, 5.609715683037194, 3.1677849659189343, 4.183154934806767, 4.6930654889559325, 6.146161636466166, 3.993244717734143, 4.24445930767246, 4.942638713883811, 5.131350906351854), (5.331650174946809, 5.856206219954871, 5.523463147002015, 6.587602148576315, 5.892775933359424, 3.3270703744729717, 4.393246331780179, 4.928406214819674, 6.455119294385248, 4.193761444734931, 4.457922021237706, 5.191034725787318, 5.389428287706262), (5.583793718275733, 6.130701392731601, 5.782367622819093, 6.896477456039722, 6.170156619420835, 3.4830736030406912, 4.59901256518501, 5.158895431201991, 6.757710428189452, 4.390151087482207, 4.666988637742626, 5.434314689981447, 5.642188830159686), (5.829903263835975, 6.398272487362505, 6.034740192858108, 7.19755945909957, 6.440704268874043, 3.6351395309325767, 4.799589095967668, 5.383565465718042, 7.052664363574116, 4.58158839371487, 4.870780924772215, 5.671456712792743, 5.888570974805216), (6.068942526743948, 6.65776631345128, 6.279493302763517, 7.489550781359142, 6.703265409371669, 3.782613037459112, 4.994111385074558, 5.60144864598298, 7.338710426234565, 4.76724811117182, 5.068420649911457, 5.901438900547762, 6.127513162735934), (6.299875222116068, 6.908029680601619, 6.515539398179763, 7.771154046421735, 6.956686568566328, 3.924839001930787, 5.181714893452096, 5.811577299611971, 7.6145779418661395, 4.946304987591954, 5.259029580745342, 6.123239359573051, 6.35795383504493), (6.5216650650687455, 7.147909398417212, 6.7417909247512995, 8.04107187789063, 7.199814274110641, 4.061162303658086, 5.361535082046684, 6.012983754220169, 7.878996236164172, 5.117933770714171, 5.441729484858859, 6.335836196195162, 6.578831432825289), (6.7332757707184046, 7.3762522765017655, 6.957160328122573, 8.298006899369119, 7.431495053657227, 4.190927821951495, 5.532707411804733, 6.204700337422732, 8.130694634823994, 5.281309208277375, 5.615642129836999, 6.538207516740648, 6.78908439717009), (6.93367105418145, 7.591905124458958, 7.160560053938032, 8.54066173446049, 7.650575434858702, 4.313480436121496, 5.694367343672649, 6.385759376834817, 8.368402463540944, 5.435606048020458, 5.7798892832647475, 6.729331427536055, 6.987651169172428), (7.121814630574301, 7.793714751892496, 7.3509025478421295, 8.767739006768036, 7.855901945367681, 4.428165025478579, 5.845650338596845, 6.555193200071585, 8.590849048010346, 5.579999037682324, 5.933592712727095, 6.908186034907937, 7.173470189925388), (7.296670215013373, 7.980527968406071, 7.527100255479318, 8.977941339895034, 8.046321112836791, 4.5343264693332275, 5.9856918575237295, 6.7120341347481975, 8.796763713927538, 5.713662925001867, 6.0758741858090275, 7.073749445182848, 7.345479900522051), (7.457201522615084, 8.151191583603374, 7.688065622494034, 9.169971357444789, 8.220679464918646, 4.63130964699593, 6.1136273613997005, 6.855314508479805, 8.984875786987855, 5.835772457717993, 6.2058554700955355, 7.224999764687337, 7.502618742055505), (7.602372268495841, 8.304552407088106, 7.83271109453074, 9.342531683020573, 8.377823529265866, 4.718459437777168, 6.228592311171181, 6.984066648881569, 9.153914592886629, 5.945502383569597, 6.32265833317161, 7.360915099747952, 7.643825155618837), (7.73114616777206, 8.439457248463958, 7.959949117233882, 9.49432494022569, 8.516599833531071, 4.795120720987429, 6.329722167784569, 7.097322883568655, 9.302609457319187, 6.042027450295574, 6.425404542622239, 7.480473556691244, 7.768037582305133), (7.842486935560164, 8.55475291733462, 8.068692136247904, 9.624053752663423, 8.635854905366871, 4.860638375937203, 6.416152392186281, 7.194115540156209, 9.429689705980877, 6.1245224056348295, 6.513215866032407, 7.582653241843772, 7.874194463207477), (7.935358286976559, 8.649286223303795, 8.157852597217262, 9.730420743937053, 8.734435272425893, 4.914357281936967, 6.4870184453227155, 7.273476946259397, 9.533884664567024, 6.192161997326263, 6.585214070987103, 7.666432261532077, 7.961234239418957), (8.008723937137665, 8.72190397597517, 8.226342945786403, 9.812128537649883, 8.811187462360754, 4.955622318297215, 6.54145578814029, 7.334439429493374, 9.61392365877296, 6.2441209731087675, 6.64052092507132, 7.730788722082713, 8.02809535203266), (8.061547601159893, 8.771452984952447, 8.273075627599775, 9.86787975740519, 8.864958002824071, 4.983778364328429, 6.578599881585408, 7.376035317473299, 9.668536014294018, 6.279574080721244, 6.678258195870048, 7.774700729822235, 8.073716242141662), (8.092792994159664, 8.796780059839316, 8.296963088301828, 9.89637702680627, 8.89459342146846, 4.998170299341094, 6.59758618660448, 7.397296937814332, 9.696451056825532, 6.297696067902594, 6.697547650968272, 7.797146391077192, 8.097035350839063), (8.104314690674112, 8.799778875171468, 8.299938545953362, 9.899944650205763, 8.902185644826078, 5.0, 6.599843201807471, 7.399595061728395, 9.699940987654323, 6.299833818015546, 6.699966429729392, 7.799918061271147, 8.1), (8.112809930427323, 8.79802962962963, 8.299451851851853, 9.899505555555557, 8.906486090891882, 5.0, 6.598603050108934, 7.3964, 9.699473333333334, 6.29852049382716, 6.699699663299665, 7.799269135802469, 8.1), (8.121125784169264, 8.794581618655693, 8.29849108367627, 9.898636831275722, 8.910691956475603, 5.0, 6.596159122085048, 7.390123456790125, 9.69854938271605, 6.295935070873343, 6.69917071954109, 7.797988111568358, 8.1), (8.129261615238427, 8.789487517146778, 8.297069410150893, 9.897348353909464, 8.914803094736884, 5.0, 6.592549374646977, 7.380883950617285, 9.69718098765432, 6.29212056698674, 6.698384387080684, 7.7960925468678575, 8.1), (8.13721678697331, 8.7828, 8.2952, 9.89565, 8.918819358835371, 5.0, 6.587811764705883, 7.3688, 9.69538, 6.28712, 6.697345454545455, 7.793600000000001, 8.1), (8.1449906627124, 8.774571742112483, 8.292896021947874, 9.893551646090536, 8.922740601930721, 5.0, 6.581984249172921, 7.353990123456791, 9.693158271604938, 6.2809763877457705, 6.696058710562415, 7.790528029263832, 8.1), (8.1525826057942, 8.764855418381345, 8.290170644718794, 9.89106316872428, 8.926566677182576, 5.0, 6.575104784959253, 7.3365728395061724, 9.690527654320988, 6.273732748056699, 6.6945289437585735, 7.78689419295839, 8.1), (8.159991979557198, 8.753703703703705, 8.287037037037036, 9.888194444444444, 8.930297437750589, 5.0, 6.567211328976035, 7.316666666666666, 9.6875, 6.265432098765433, 6.692760942760943, 7.782716049382715, 8.1), (8.167218147339886, 8.741169272976682, 8.283508367626887, 9.88495534979424, 8.933932736794407, 5.0, 6.558341838134432, 7.2943901234567905, 9.684087160493828, 6.256117457704619, 6.6907594961965335, 7.778011156835849, 8.1), (8.174260472480764, 8.727304801097395, 8.27959780521262, 9.881355761316874, 8.937472427473677, 5.0, 6.548534269345599, 7.269861728395063, 9.680300987654322, 6.245831842706905, 6.688529392692356, 7.772797073616828, 8.1), (8.181118318318317, 8.712162962962962, 8.27531851851852, 9.877405555555555, 8.94091636294805, 5.0, 6.537826579520697, 7.243200000000001, 9.676153333333334, 6.234618271604939, 6.6860754208754205, 7.7670913580246905, 8.1), (8.187791048191048, 8.695796433470507, 8.270683676268861, 9.873114609053498, 8.944264396377173, 5.0, 6.526256725570888, 7.214523456790123, 9.671656049382719, 6.222519762231368, 6.68340236937274, 7.760911568358482, 8.1), (8.194278025437447, 8.678257887517146, 8.26570644718793, 9.868492798353909, 8.947516380920696, 5.0, 6.513862664407327, 7.183950617283951, 9.666820987654322, 6.209579332418839, 6.680515026811323, 7.754275262917239, 8.1), (8.200578613396004, 8.6596, 8.2604, 9.86355, 8.950672169738269, 5.0, 6.500682352941176, 7.151600000000001, 9.66166, 6.1958400000000005, 6.677418181818182, 7.747200000000001, 8.1), (8.20669217540522, 8.639875445816186, 8.254777503429356, 9.85829609053498, 8.953731615989538, 5.0, 6.486753748083595, 7.11759012345679, 9.656184938271606, 6.1813447828075, 6.674116623020328, 7.739703337905808, 8.1), (8.212618074803581, 8.619136899862827, 8.248852126200275, 9.85274094650206, 8.956694572834152, 5.0, 6.4721148067457435, 7.0820395061728405, 9.650407654320988, 6.166136698673983, 6.670615139044769, 7.7318028349337, 8.1), (8.218355674929589, 8.597437037037038, 8.242637037037039, 9.846894444444445, 8.959560893431762, 5.0, 6.456803485838781, 7.045066666666667, 9.644340000000001, 6.150258765432099, 6.666918518518519, 7.723516049382716, 8.1), (8.22390433912173, 8.574828532235939, 8.236145404663922, 9.84076646090535, 8.962330430942016, 5.0, 6.440857742273865, 7.006790123456792, 9.637993827160495, 6.133754000914496, 6.663031550068587, 7.714860539551899, 8.1), (8.229263430718502, 8.551364060356653, 8.229390397805213, 9.834366872427985, 8.965003038524562, 5.0, 6.424315532962156, 6.967328395061729, 9.631380987654321, 6.116665422953818, 6.658959022321986, 7.705853863740284, 8.1), (8.2344323130584, 8.527096296296298, 8.222385185185187, 9.827705555555557, 8.967578569339047, 5.0, 6.4072148148148145, 6.9268, 9.624513333333335, 6.0990360493827165, 6.654705723905725, 7.696513580246914, 8.1), (8.239410349479915, 8.50207791495199, 8.215142935528121, 9.820792386831277, 8.970056876545122, 5.0, 6.389593544743001, 6.8853234567901245, 9.617402716049384, 6.080908898033837, 6.650276443446813, 7.6868572473708285, 8.1), (8.244196903321543, 8.47636159122085, 8.2076768175583, 9.813637242798356, 8.972437813302436, 5.0, 6.371489679657872, 6.843017283950619, 9.610060987654322, 6.062326986739826, 6.645675969572266, 7.676902423411066, 8.1), (8.248791337921773, 8.450000000000001, 8.200000000000001, 9.80625, 8.974721232770637, 5.0, 6.352941176470589, 6.800000000000001, 9.6025, 6.043333333333334, 6.640909090909091, 7.666666666666666, 8.1), (8.253193016619106, 8.423045816186557, 8.192125651577504, 9.798640534979425, 8.976906988109373, 5.0, 6.333985992092311, 6.756390123456791, 9.594731604938271, 6.023970955647005, 6.635980596084299, 7.656167535436672, 8.1), (8.257401302752028, 8.39555171467764, 8.18406694101509, 9.790818724279836, 8.978994932478294, 5.0, 6.3146620834341975, 6.712306172839506, 9.586767654320989, 6.004282871513489, 6.630895273724903, 7.64542258802012, 8.1), (8.261415559659037, 8.367570370370371, 8.175837037037038, 9.782794444444447, 8.980984919037049, 5.0, 6.295007407407407, 6.667866666666668, 9.57862, 5.984312098765432, 6.625657912457912, 7.634449382716049, 8.1), (8.26523515067863, 8.339154458161865, 8.167449108367627, 9.774577572016462, 8.982876800945286, 5.0, 6.275059920923102, 6.623190123456791, 9.57030049382716, 5.964101655235483, 6.6202733009103385, 7.623265477823503, 8.1), (8.268859439149294, 8.310356652949247, 8.15891632373114, 9.766177983539094, 8.984670431362652, 5.0, 6.25485758089244, 6.578395061728395, 9.56182098765432, 5.943694558756287, 6.61474622770919, 7.611888431641519, 8.1), (8.272287788409528, 8.28122962962963, 8.150251851851852, 9.757605555555557, 8.9863656634488, 5.0, 6.23443834422658, 6.5336, 9.553193333333335, 5.923133827160494, 6.609081481481482, 7.600335802469137, 8.1), (8.275519561797823, 8.251826063100138, 8.141468861454047, 9.748870164609054, 8.987962350363372, 5.0, 6.213840167836683, 6.488923456790123, 9.54442938271605, 5.90246247828075, 6.603283850854222, 7.588625148605397, 8.1), (8.278554122652675, 8.222198628257889, 8.132580521262005, 9.739981687242798, 8.989460345266023, 5.0, 6.1931010086339064, 6.444483950617284, 9.535540987654322, 5.881723529949703, 6.597358124454421, 7.576774028349337, 8.1), (8.281390834312573, 8.192400000000001, 8.1236, 9.73095, 8.990859501316402, 5.0, 6.172258823529412, 6.400399999999999, 9.52654, 5.86096, 6.59130909090909, 7.5648, 8.1), (8.284029060116017, 8.162482853223594, 8.114540466392318, 9.721784979423868, 8.992159671674152, 5.0, 6.151351569434358, 6.35679012345679, 9.517438271604938, 5.84021490626429, 6.585141538845242, 7.552720621856425, 8.1), (8.286468163401498, 8.132499862825789, 8.105415089163237, 9.712496502057613, 8.993360709498928, 5.0, 6.130417203259905, 6.313772839506173, 9.508247654320988, 5.819531266575218, 6.578860256889887, 7.54055345221765, 8.1), (8.288707507507507, 8.102503703703704, 8.096237037037039, 9.703094444444446, 8.994462467950374, 5.0, 6.109493681917211, 6.271466666666668, 9.498980000000001, 5.798952098765433, 6.572470033670034, 7.528316049382716, 8.1), (8.290746455772544, 8.072547050754459, 8.087019478737998, 9.693588683127572, 8.99546480018814, 5.0, 6.088618962317438, 6.2299901234567905, 9.489647160493828, 5.778520420667582, 6.565975657812697, 7.516025971650663, 8.1), (8.292584371535098, 8.042682578875171, 8.077775582990398, 9.683989094650206, 8.996367559371876, 5.0, 6.067831001371743, 6.189461728395062, 9.480260987654322, 5.758279250114313, 6.55938191794488, 7.503700777320531, 8.1), (8.294220618133663, 8.012962962962964, 8.068518518518518, 9.674305555555556, 8.99717059866123, 5.0, 6.0471677559912855, 6.15, 9.470833333333335, 5.738271604938272, 6.552693602693603, 7.491358024691358, 8.1), (8.295654558906731, 7.983440877914953, 8.05926145404664, 9.664547942386832, 8.997873771215849, 5.0, 6.026667183087227, 6.1117234567901235, 9.461376049382716, 5.718540502972108, 6.545915500685871, 7.4790152720621865, 8.1), (8.296885557192804, 7.954168998628258, 8.050017558299041, 9.654726131687244, 8.998476930195388, 5.0, 6.006367239570725, 6.074750617283951, 9.451900987654321, 5.699128962048469, 6.539052400548697, 7.4666900777320535, 8.1), (8.297912976330368, 7.9252, 8.0408, 9.644850000000002, 8.998979928759486, 5.0, 5.986305882352941, 6.039200000000001, 9.44242, 5.68008, 6.532109090909092, 7.4544, 8.1), (8.298736179657919, 7.896586556927298, 8.0316219478738, 9.634929423868314, 8.999382620067799, 5.0, 5.966521068345034, 6.005190123456791, 9.432944938271605, 5.661436634659351, 6.5250903603940635, 7.442162597165067, 8.1), (8.29935453051395, 7.86838134430727, 8.02249657064472, 9.624974279835392, 8.999684857279973, 5.0, 5.947050754458163, 5.972839506172839, 9.423487654320988, 5.643241883859168, 6.518000997630629, 7.429995427526291, 8.1), (8.299767392236957, 7.840637037037038, 8.013437037037038, 9.614994444444445, 8.999886493555659, 5.0, 5.927932897603486, 5.942266666666668, 9.414060000000001, 5.625538765432099, 6.510845791245791, 7.417916049382717, 8.1), (8.299974128165434, 7.813406310013717, 8.004456515775034, 9.604999794238683, 8.999987382054504, 5.0, 5.909205454692165, 5.913590123456792, 9.404673827160494, 5.608370297210792, 6.5036295298665685, 7.405942021033379, 8.1), (8.29983329158466, 7.786598911456259, 7.9955247599451305, 9.594913392377887, 8.999902364237876, 4.99990720926688, 5.890812155863717, 5.88667508001829, 9.395270278920897, 5.591696353317733, 6.496228790832301, 7.394024017519794, 8.099900120027435), (8.298513365539453, 7.75939641577061, 7.98639074074074, 9.584226811594203, 8.99912854030501, 4.999173662551441, 5.872214545077291, 5.860079012345679, 9.385438271604938, 5.575045112563544, 6.487890271132376, 7.38177517868746, 8.099108796296298), (8.295908630047116, 7.731673967874684, 7.977014746227709, 9.572869699409555, 8.997599451303154, 4.9977290047248895, 5.853328107649096, 5.833561957018748, 9.375122313671698, 5.558335619570188, 6.478519109220864, 7.369138209034247, 8.097545867626888), (8.292055728514343, 7.703448134873224, 7.967400068587105, 9.560858803005905, 8.995334463003308, 4.995596646852614, 5.8341613276311906, 5.807132693187015, 9.364337768632831, 5.541568287474112, 6.468149896627089, 7.356122349770172, 8.095231910150892), (8.286991304347827, 7.674735483870967, 7.9575499999999995, 9.548210869565217, 8.99235294117647, 4.992800000000001, 5.81472268907563, 5.7808, 9.353100000000001, 5.524743529411765, 6.456817224880384, 7.342736842105264, 8.0921875), (8.280752000954257, 7.6455525819726535, 7.947467832647462, 9.534942646269458, 8.988674251593642, 4.989362475232434, 5.795020676034474, 5.754572656607225, 9.341424371284866, 5.507861758519595, 6.444555685510071, 7.328990927249535, 8.0884332133059), (8.273374461740323, 7.615915996283022, 7.937156858710562, 9.52107088030059, 8.98431776002582, 4.985307483615303, 5.775063772559778, 5.728459442158208, 9.329326245999086, 5.49092338793405, 6.431399870045485, 7.314893846413014, 8.083989626200276), (8.26489533011272, 7.5858422939068095, 7.92662037037037, 9.50661231884058, 8.97930283224401, 4.980658436213993, 5.754860462703601, 5.7024691358024695, 9.31682098765432, 5.473928830791576, 6.417384370015949, 7.300454840805718, 8.078877314814816), (8.255351249478142, 7.55534804194876, 7.915861659807956, 9.49158370907139, 8.973648834019205, 4.975438744093889, 5.734419230517997, 5.6766105166895295, 9.303923959762232, 5.4568785002286235, 6.402543776950793, 7.2856831516376666, 8.073116855281206), (8.244778863243274, 7.524449807513609, 7.904884019204388, 9.476001798174986, 8.967375131122408, 4.9696718183203785, 5.7137485600550235, 5.650892363968908, 9.290650525834478, 5.43977280938164, 6.38691268237935, 7.270588020118885, 8.06672882373114), (8.233214814814815, 7.493164157706095, 7.893690740740741, 9.459883333333334, 8.96050108932462, 4.963381069958848, 5.69285693536674, 5.625323456790124, 9.277016049382715, 5.422612171387073, 6.370525677830941, 7.255178687459391, 8.059733796296298), (8.220695747599452, 7.461507659630958, 7.88228511659808, 9.443245061728396, 8.953046074396838, 4.956589910074683, 5.671752840505201, 5.5999125743026985, 9.26303589391861, 5.405396999381371, 6.353417354834898, 7.239464394869204, 8.052152349108367), (8.207258305003878, 7.429496880392938, 7.870670438957475, 9.426103730542136, 8.945029452110063, 4.949321749733272, 5.650444759522465, 5.574668495656151, 9.248725422953818, 5.388127706500981, 6.335622304920551, 7.223454383558348, 8.04400505829904), (8.192939130434784, 7.397148387096775, 7.85885, 9.408476086956524, 8.936470588235293, 4.9416, 5.628941176470589, 5.549600000000001, 9.2341, 5.370804705882353, 6.317175119617225, 7.207157894736842, 8.0353125), (8.177774867298861, 7.364478746847206, 7.8468270919067225, 9.390378878153516, 8.927388848543533, 4.933448071940254, 5.607250575401629, 5.524715866483768, 9.219174988568815, 5.353428410661933, 6.298110390454251, 7.190584169614709, 8.026095250342937), (8.161802159002804, 7.331504526748971, 7.834605006858711, 9.371828851315083, 8.917803598805778, 4.924889376619419, 5.585381440367643, 5.500024874256973, 9.203965752171925, 5.335999233976169, 6.278462708960955, 7.17374244940197, 8.016373885459535), (8.145057648953301, 7.29824229390681, 7.822187037037037, 9.35284275362319, 8.907734204793028, 4.915947325102881, 5.563342255420687, 5.475535802469135, 9.188487654320987, 5.3185175889615115, 6.258266666666667, 7.156641975308642, 8.006168981481482), (8.127577980557048, 7.264708615425461, 7.80957647462277, 9.333437332259797, 8.897200032276286, 4.906645328456029, 5.54114150461282, 5.451257430269777, 9.172756058527662, 5.300983888754405, 6.237556855100715, 7.13929198854475, 7.995501114540467), (8.10939979722073, 7.230920058409665, 7.796776611796983, 9.313629334406873, 8.886220447026547, 4.897006797744247, 5.518787671996097, 5.4271985368084135, 9.156786328303614, 5.283398546491299, 6.216367865792428, 7.121701730320315, 7.984390860768176), (8.090559742351045, 7.1968931899641575, 7.7837907407407405, 9.293435507246377, 8.874814814814817, 4.887055144032922, 5.496289241622575, 5.403367901234568, 9.140593827160496, 5.265761975308642, 6.194734290271132, 7.103880441845354, 7.972858796296297), (8.071094459354686, 7.162644577193681, 7.7706221536351165, 9.27287259796028, 8.863002501412089, 4.876813778387441, 5.473654697544313, 5.37977430269776, 9.124193918609969, 5.248074588342881, 6.172690720066159, 7.085837364329892, 7.960925497256517), (8.051040591638339, 7.128190787202974, 7.75727414266118, 9.251957353730543, 8.850802872589366, 4.8663061118731905, 5.4508925238133665, 5.356426520347508, 9.107601966163696, 5.230336798730466, 6.150271746706835, 7.067581738983948, 7.948611539780521), (8.030434782608696, 7.093548387096774, 7.74375, 9.230706521739132, 8.838235294117649, 4.855555555555556, 5.428011204481793, 5.333333333333333, 9.090833333333334, 5.2125490196078434, 6.1275119617224885, 7.049122807017544, 7.9359375000000005), (8.00931367567245, 7.058733943979822, 7.730053017832647, 9.20913684916801, 8.825319131767932, 4.8445855204999235, 5.405019223601649, 5.3105035208047555, 9.073903383630546, 5.194711664111461, 6.104445956642448, 7.0304698096406995, 7.922923954046638), (7.9877139142362985, 7.023764024956858, 7.716186488340192, 9.187265083199142, 8.812073751311223, 4.833419417771681, 5.381925065224994, 5.287945861911295, 9.056827480566987, 5.176825145377768, 6.081108322996043, 7.011631988063439, 7.909591478052126), (7.965672141706924, 6.988655197132617, 7.702153703703704, 9.165107971014494, 8.798518518518518, 4.822080658436214, 5.358737213403881, 5.26566913580247, 9.039620987654322, 5.15888987654321, 6.0575336523126, 6.992618583495776, 7.895960648148147), (7.943225001491024, 6.953424027611842, 7.6879579561042535, 9.142682259796029, 8.784672799160816, 4.810592653558909, 5.335464152190369, 5.243682121627802, 9.022299268404208, 5.140906270744238, 6.033756536121448, 6.973438837147739, 7.882052040466393), (7.920409136995288, 6.9180870834992705, 7.673602537722909, 9.120004696725712, 8.770555959009119, 4.798978814205152, 5.312114365636515, 5.221993598536809, 9.004877686328305, 5.122874741117297, 6.009811565951917, 6.954101990229344, 7.867886231138546), (7.89726119162641, 6.882660931899643, 7.659090740740742, 9.097092028985507, 8.756187363834423, 4.787262551440329, 5.288696337794377, 5.200612345679013, 8.987371604938271, 5.104795700798839, 5.985733333333334, 6.934617283950619, 7.853483796296297), (7.873817808791078, 6.847162139917697, 7.64442585733882, 9.07396100375738, 8.741586379407732, 4.775467276329827, 5.265218552716011, 5.179547142203933, 8.969796387745772, 5.086669562925308, 5.961556429795026, 6.914993959521576, 7.838865312071332), (7.850115631895988, 6.811607274658171, 7.629611179698216, 9.050628368223297, 8.726772371500042, 4.763616399939035, 5.241689494453475, 5.158806767261089, 8.952167398262459, 5.068496740633154, 5.937315446866325, 6.895241258152239, 7.824051354595337), (7.826191304347827, 6.776012903225807, 7.614650000000001, 9.027110869565218, 8.711764705882354, 4.751733333333333, 5.218117647058825, 5.138400000000001, 8.9345, 5.050277647058824, 5.913044976076556, 6.875368421052632, 7.8090625000000005), (7.80208146955329, 6.740395592725341, 7.59954561042524, 9.00342525496511, 8.696582748325667, 4.739841487578113, 5.194511494584116, 5.118335619570188, 8.916809556470051, 5.032012695338767, 5.888779608955048, 6.855384689432774, 7.79391932441701), (7.777822770919068, 6.704771910261517, 7.584301303155008, 8.979588271604939, 8.681245864600985, 4.727964273738759, 5.17087952108141, 5.09862240512117, 8.899111431184272, 5.013702298609431, 5.86455393703113, 6.835299304502683, 7.7786424039780515), (7.753451851851853, 6.669158422939069, 7.56892037037037, 8.955616666666668, 8.665773420479303, 4.7161251028806594, 5.1472302106027605, 5.07926913580247, 8.881420987654321, 4.995346870007263, 5.840402551834131, 6.815121507472385, 7.763252314814816), (7.729005355758336, 6.633571697862738, 7.5534061042524, 8.93152718733226, 8.650184781731623, 4.704347386069197, 5.123572047200224, 5.060284590763604, 8.86375358939186, 4.976946822668712, 5.816360044893379, 6.794860539551898, 7.747769633058984), (7.704519926045208, 6.598028302137263, 7.537761796982167, 8.907336580783683, 8.634499314128943, 4.692654534369761, 5.099913514925861, 5.041677549154093, 8.846124599908551, 4.958502569730225, 5.792461007738201, 6.774525641951243, 7.732214934842251), (7.680032206119162, 6.562544802867383, 7.5219907407407405, 8.883061594202898, 8.618736383442267, 4.681069958847737, 5.076263097831727, 5.023456790123458, 8.82854938271605, 4.940014524328251, 5.768740031897927, 6.754126055880443, 7.716608796296296), (7.655578839386891, 6.527137767157839, 7.5060962277091905, 8.858718974771874, 8.602915355442589, 4.669617070568511, 5.052629279969876, 5.005631092821217, 8.811043301326016, 4.921483099599236, 5.745231708901884, 6.733671022549515, 7.700971793552812), (7.631196469255085, 6.491823762113369, 7.490081550068588, 8.83432546967257, 8.587055595900912, 4.65831928059747, 5.0290205453923695, 4.988209236396892, 8.793621719250115, 4.9029087086796315, 5.721970630279402, 6.713169783168484, 7.685324502743484), (7.606921739130435, 6.456619354838711, 7.473950000000001, 8.809897826086958, 8.571176470588235, 4.647200000000001, 5.0054453781512604, 4.9712000000000005, 8.7763, 4.884291764705883, 5.698991387559809, 6.69263157894737, 7.669687500000001), (7.582791292419635, 6.421541112438604, 7.4577048696845, 8.785452791196994, 8.55529734527556, 4.636282639841488, 4.98191226229861, 4.954612162780065, 8.759093507087334, 4.865632680814438, 5.676328572272432, 6.67206565109619, 7.654081361454047), (7.558841772529373, 6.38660560201779, 7.441349451303157, 8.761007112184648, 8.539437585733884, 4.625590611187319, 4.9584296818864715, 4.938454503886603, 8.742017604023777, 4.846931870141747, 5.654016775946601, 6.651481240824971, 7.638526663237312), (7.535109822866345, 6.351829390681004, 7.424887037037038, 8.736577536231884, 8.523616557734206, 4.615147325102881, 4.935006120966905, 4.922735802469136, 8.725087654320989, 4.828189745824256, 5.632090590111643, 6.630887589343731, 7.623043981481482), (7.51163208683724, 6.317229045532987, 7.408320919067217, 8.712180810520666, 8.507853627047528, 4.6049761926535595, 4.911650063591967, 4.907464837677184, 8.708319021490626, 4.809406720998413, 5.610584606296888, 6.6102939378624885, 7.607653892318244), (7.488403378962436, 6.282878895028762, 7.391694262601655, 8.687867105993632, 8.492140544138964, 4.595095815371611, 4.888420770925416, 4.892682055024485, 8.691770249006897, 4.790643789290184, 5.589539124922293, 6.589754349203543, 7.592355120674577), (7.465184718320052, 6.249117746820429, 7.375236540017295, 8.663831537021869, 8.476314683653062, 4.585483686823921, 4.865614566728464, 4.878569007604096, 8.675695228570449, 4.772252134330226, 5.568995469690558, 6.56952973769038, 7.577020331328028), (7.441907922403196, 6.215957758946438, 7.358957546165854, 8.640067604145424, 8.460326142310882, 4.576114809999011, 4.84324772015325, 4.865122123422967, 8.660099982935032, 4.754260262390462, 5.548923609141675, 6.549630066047081, 7.561605305328301), (7.418543898590108, 6.183350625033362, 7.342825751987099, 8.616532920213123, 8.444150821107023, 4.566967101829678, 4.821283854022315, 4.852304250319195, 8.644945071382265, 4.736634686759638, 5.529284745017185, 6.530018557989877, 7.546085807804713), (7.395063554259018, 6.151248038707777, 7.326809628420789, 8.593185098073794, 8.427764621036088, 4.558018479248712, 4.799686591158202, 4.840078236130868, 8.630191053193762, 4.719341920726503, 5.510040079058626, 6.5106584372350005, 7.53043760388658), (7.371437796788169, 6.119601693596259, 7.310877646406694, 8.569981750576266, 8.411143443092675, 4.549246859188911, 4.7784195543834524, 4.828406928696078, 8.615798487651148, 4.7023484775798075, 5.49115081300754, 6.49151292749868, 7.51463645870322), (7.347637533555794, 6.088363283325384, 7.294998276884579, 8.546880490569364, 8.394263188271378, 4.540630158583066, 4.757446366520605, 4.817253175852916, 8.601727934036035, 4.685620870608298, 5.4725781486054625, 6.472545252497148, 7.498658137383946), (7.323633671940129, 6.057484501521727, 7.27913999079421, 8.523838930901915, 8.377099757566798, 4.532146294363972, 4.736730650392203, 4.806579825439474, 8.587939951630046, 4.669125613100724, 5.454283287593933, 6.453718635946638, 7.482478405058078), (7.299397119319415, 6.026917041811863, 7.26327125907535, 8.500814684422748, 8.359629051973535, 4.523773183464424, 4.716236028820784, 4.796349725293846, 8.574395099714799, 4.652829218345837, 5.436227431714493, 6.434996301563378, 7.466073026854929), (7.274898783071883, 5.996612597822369, 7.247360552667769, 8.477765363980685, 8.341826972486187, 4.515488742817215, 4.695926124628894, 4.786525723254119, 8.561053937571911, 4.636698199632382, 5.4183717827086815, 6.416341473063601, 7.4494177679038165), (7.250109570575775, 5.9665228631798195, 7.231376342511229, 8.454648582424555, 8.323669420099353, 4.50727088935514, 4.675764560639071, 4.7770706671583865, 8.547877024483004, 4.62069907024911, 5.400677542318036, 6.397717374163538, 7.432488393334058), (7.225000389209324, 5.93659953151079, 7.215287099545496, 8.43142195260319, 8.30513229580763, 4.499097540010991, 4.655714959673856, 4.767947404844741, 8.534824919729692, 4.604798343484769, 5.383105912284096, 6.3790872285794205, 7.4152606682749695), (7.199542146350767, 5.9067942964418565, 7.199061294710339, 8.408043087365408, 8.286191500605618, 4.490946611717565, 4.635740944555791, 4.759118784151273, 8.521858182593595, 4.588962532628107, 5.3656180943484015, 6.360414260027479, 7.397710357855863), (7.1737057493783425, 5.877058851599596, 7.182667398945519, 8.384469599560044, 8.266822935487914, 4.482796021407654, 4.615806138107416, 4.750547652916074, 8.508937372356334, 4.573158150967874, 5.348175290252491, 6.341661692223948, 7.379813227206063), (7.147462105670289, 5.84734489061058, 7.166073883190804, 8.36065910203592, 8.247002501449119, 4.474623686014052, 4.595874163151275, 4.742196858977237, 8.496023048299525, 4.557351711792819, 5.3307387017379035, 6.322792748885053, 7.361545041454879), (7.120782122604837, 5.817604107101388, 7.14924921838596, 8.336569207641865, 8.226706099483833, 4.466407522469555, 4.575908642509906, 4.73402925017285, 8.483075769704788, 4.5415097283916905, 5.3132695305461795, 6.303770653727031, 7.34288156573163), (7.093636707560226, 5.787788194698593, 7.132161875470752, 8.312157529226706, 8.20590963058665, 4.458125447706956, 4.555873199005851, 4.726007674341008, 8.47005609585374, 4.5255987140532365, 5.2957289784188575, 6.284558630466109, 7.323798565165631), (7.065996767914694, 5.757848847028773, 7.1147803253849435, 8.28738167963927, 8.18458899575217, 4.449755378659047, 4.53573145546165, 4.7180949793198, 8.456924586028, 4.509585182066206, 5.278078247097476, 6.2651199028185225, 7.3042718048861985), (7.037833211046475, 5.727737757718502, 7.097073039068305, 8.262199271728381, 8.162720095974995, 4.441275232258625, 4.515447034699847, 4.71025401294732, 8.443641799509189, 4.493435645719348, 5.260278538323575, 6.2454176945004996, 7.2842770500226495), (7.009116944333808, 5.697406620394355, 7.079008487460597, 8.23656791834287, 8.140278832249724, 4.432662925438482, 4.49498355954298, 4.7024476230616585, 8.430168295578923, 4.4771166183014115, 5.2422910538386915, 6.225415229228274, 7.263790065704301), (6.979818875154931, 5.666807128682908, 7.060555141501587, 8.210445232331562, 8.11724110557095, 4.423896375131413, 4.474304652813592, 4.694638657500906, 8.416464633518821, 4.460594613101146, 5.224076995384369, 6.205075730718074, 7.242786617060469), (6.949909910888076, 5.635890976210739, 7.041681472131043, 8.183788826543283, 8.093582816933274, 4.414953498270212, 4.453373937334223, 4.686789964103155, 8.402491372610504, 4.443836143407299, 5.205597564702143, 6.184362422686133, 7.221242469220467), (6.919360958911483, 5.604609856604419, 7.022355950288727, 8.156556313826863, 8.069279867331296, 4.405812211787674, 4.432155035927415, 4.678864390706496, 8.388209072135584, 4.426807722508621, 5.186813963533554, 6.163238528848682, 7.199133387313616), (6.888142926603388, 5.572915463490528, 7.002547046914407, 8.128705307031124, 8.044308157759614, 4.396450432616592, 4.410611571415708, 4.670824785149022, 8.373578291375685, 4.409475863693858, 5.167687393620142, 6.1416672729219535, 7.176435136469229), (6.856226721342027, 5.540759490495638, 6.982223232947849, 8.100193419004901, 8.018643589212827, 4.386846077689759, 4.388707166621645, 4.662633995268823, 8.358559589612426, 4.391807080251762, 5.1481790567034444, 6.119611878622176, 7.153123481816621), (6.823583250505639, 5.508093631246327, 6.961352979328814, 8.070978262597011, 7.992262062685535, 4.376977063939971, 4.366405444367763, 4.654254868903992, 8.343113526127425, 4.373767885471078, 5.128250154525002, 6.097035569665582, 7.129174188485113), (6.790183421472455, 5.4748695793691695, 6.939904756997072, 8.041017450656287, 7.965139479172333, 4.366821308300021, 4.343670027476608, 4.64565025389262, 8.327200660202298, 4.355324792640558, 5.107861888826353, 6.073901569768405, 7.104563021604015), (6.755998141620719, 5.44103902849074, 6.91784703689239, 8.010268596031556, 7.937251739667824, 4.356356727702703, 4.320464538770717, 4.636782998072797, 8.310781551118666, 4.336444315048949, 5.086975461349035, 6.050173102646873, 7.079265746302652), (6.720998318328665, 5.406553672237617, 6.895148289954529, 7.978689311571642, 7.908574745166603, 4.345561239080812, 4.296752601072636, 4.6276159492826165, 8.293816758158144, 4.317092965985001, 5.065552073834591, 6.02581339201722, 7.053258127710331), (6.685154858974525, 5.371365204236373, 6.871776987123257, 7.946237210125377, 7.87908439666327, 4.334412759367142, 4.272497837204901, 4.6181119553601695, 8.276266840602354, 4.2972372587374625, 5.043552928024558, 6.000785661595676, 7.026515930956373), (6.64843867093654, 5.335425318113585, 6.8477015993383406, 7.91286990454158, 7.848756595152423, 4.322889205494485, 4.247663869990055, 4.608233864143545, 8.258092357732918, 4.276843706595082, 5.020939225660475, 5.975053135098472, 6.999014921170094), (6.610820661592948, 5.298685707495829, 6.822890597539542, 7.878545007669086, 7.817567241628663, 4.310968494395637, 4.222214322250639, 4.597944523470839, 8.239253868831447, 4.255878822846608, 4.997672168483881, 5.948579036241839, 6.970730863480812), (6.572271738321982, 5.26109806600968, 6.797312452666631, 7.843220132356716, 7.785492237086586, 4.298628543003392, 4.196112816809195, 4.587206781180141, 8.219711933179564, 4.23430912078079, 4.973712958236316, 5.921326588742011, 6.94163952301784), (6.5327628085018805, 5.2226140872817135, 6.770935635659374, 7.806852891453301, 7.7525074825207945, 4.285847268250545, 4.169322976488264, 4.575983485109542, 8.199427110058885, 4.212101113686376, 4.949022796659319, 5.893259016315216, 6.911716664910495), (6.49226477951088, 5.1831854649385045, 6.743728617457528, 7.769400897807664, 7.718588878925882, 4.272602587069886, 4.141808424110385, 4.564237483097132, 8.178359958751033, 4.189221314852117, 4.923562885494429, 5.864339542677689, 6.8809380542880945), (6.450748558727217, 5.142763892606631, 6.715659869000866, 7.730821764268637, 7.683712327296449, 4.258872416394214, 4.113532782498101, 4.551931622981006, 8.156471038537623, 4.1656362375667575, 4.897294426483186, 5.8345313915456565, 6.8492794562799535), (6.40818505352913, 5.101301063912665, 6.686697861229155, 7.691073103685042, 7.647853728627097, 4.24463467315632, 4.084459674473953, 4.539028752599253, 8.13372090870027, 4.1413123951190505, 4.870178621367128, 5.803797786635354, 6.81671663601539), (6.364545171294852, 5.058748672483183, 6.656811065082156, 7.65011252890571, 7.610988983912421, 4.229867274288999, 4.054552722860481, 4.525491719789965, 8.110070128520602, 4.116216300797741, 4.8421766718877945, 5.772101951663011, 6.783225358623717), (6.31979981940262, 5.015058411944763, 6.625967951499634, 7.607897652779464, 7.573093994147022, 4.214548136725044, 4.023775550480226, 4.511283372391235, 8.085479257280232, 4.090314467891583, 4.813249779786724, 5.739407110344858, 6.748781389234255), (6.273919905230675, 4.970181975923978, 6.594136991421362, 7.5643860881551355, 7.534144660325495, 4.198655177397251, 3.992091780155732, 4.496366558241153, 8.059908854260776, 4.06357340968932, 4.7833591468054575, 5.705676486397127, 6.713360492976318), (6.226876336157249, 4.924071058047406, 6.561286655787095, 7.519535447881546, 7.4941168834424445, 4.182166313238413, 3.9594650347095355, 4.48070412517781, 8.03331947874386, 4.035959639479703, 4.752465974685533, 5.670873303536052, 6.676938434979222), (6.178640019560583, 4.87667735194162, 6.527385415536607, 7.473303344807528, 7.452986564492464, 4.165059461181324, 3.9258589369641825, 4.464258921039298, 8.005671690011093, 4.0074396705514825, 4.72053146516849, 5.63496078547786, 6.639490980372286), (6.129181862818909, 4.827952551233196, 6.492401741609661, 7.425647391781903, 7.410729604470157, 4.147312538158777, 3.891237109742209, 4.446993793663709, 7.976926047344103, 3.9779800161934036, 4.687516819995866, 5.597902155938786, 6.600993894284821), (6.078472773310465, 4.7778483495487105, 6.456304104946021, 7.3765252016535, 7.367321904370119, 4.128903461103569, 3.85556317586616, 4.428871590889135, 7.947043110024501, 3.9475471896942183, 4.6533832409092035, 5.559660638635059, 6.561422941846148), (6.02648365841349, 4.726316440514739, 6.419060976485454, 7.32589438727115, 7.322739365186948, 4.109810146948491, 3.8188007581585754, 4.409855160553666, 7.915983437333911, 3.9161077043426733, 4.618091929650039, 5.52019945728291, 6.520753888185581), (5.971744757124192, 4.672362496617807, 6.378873563121885, 7.271815665320995, 7.274944884696798, 4.088819581053688, 3.780085376742286, 4.388637561879498, 7.881329673279279, 3.882692733032915, 4.580476602031154, 5.478079651355472, 6.477188687532276), (5.9058294135827225, 4.610452255679582, 6.32539025472239, 7.203181727030763, 7.212153047825303, 4.058951718405683, 3.734570210708573, 4.357770826211506, 7.829141808977716, 3.8418247952789963, 4.533933548495195, 5.425090018946487, 6.420342117536156), (5.827897675923448, 4.540077382832571, 6.257536766364711, 7.118862008327088, 7.133136105077437, 4.019473036838147, 3.6817949987070273, 4.316479351621878, 7.757940181782921, 3.792964521490315, 4.477807606887632, 5.360401559110278, 6.349136487114865), (5.738577643668768, 4.461696694464375, 6.1760375775282474, 7.019658003005382, 7.038714499425691, 3.970861793256251, 3.622145156805501, 4.265280426487824, 7.668663813599214, 3.7365265545367503, 4.412593323679766, 5.284613975126057, 6.264299235855278), (5.638497416341085, 4.375769006962591, 6.0816171676923965, 6.9063712048610615, 6.929708673842564, 3.9135962445651646, 3.5560061010718473, 4.204691339186562, 7.56225172633091, 3.6729255372881853, 4.338785245342897, 5.198326970273035, 6.166557803344267), (5.528285093462799, 4.2827531367148195, 5.975000016336562, 6.779803107689547, 6.806939071300551, 3.848154647670058, 3.4837632475739206, 4.1352293780953, 7.439642941882325, 3.6025761126145, 4.2568779183483265, 5.102140247830427, 6.0566396291687035), (5.408568774556308, 4.183107900108657, 5.856910602940141, 6.640755205286254, 6.6712261347721515, 3.7750152594761035, 3.405802012379573, 4.0574118315912555, 7.301776482157779, 3.525892923385575, 4.167365889167357, 4.996653511077443, 5.935272152915463), (5.279976559144014, 4.077292113531706, 5.728073406982535, 6.490028991446602, 6.523390307229859, 3.6946563368884693, 3.3225078115566578, 3.971755988051637, 7.149591369061584, 3.4432906124712908, 4.0707437042712895, 4.882466463293296, 5.803182814171416), (5.143136546748318, 3.9657645933715635, 5.589212907943143, 6.328425959966001, 6.3642520316461715, 3.607556136812327, 3.234266061173029, 3.878779135853662, 6.984026624498059, 3.35518382274153, 3.9675059101314236, 4.760178807757201, 5.661099052523436), (4.998676836891619, 3.8489841560158298, 5.441053585301364, 6.156747604639875, 6.194631750993584, 3.514192916152847, 3.14146217729654, 3.7789985633745413, 6.80602127037152, 3.2619871970661714, 3.858147053219062, 4.630390247748367, 5.509748307558397), (4.847225529096317, 3.727409617852103, 5.284319918536599, 5.975795419263637, 6.015349908244594, 3.415044931815199, 3.0444815759950434, 3.672931558991488, 6.616514328586284, 3.1641153783150977, 3.743161680005505, 4.493700486546009, 5.34985801886317), (4.689410722884812, 3.6014997952679835, 5.119736387128247, 5.786370897632707, 5.827226946371696, 3.310590440704556, 2.9437096733363934, 3.561095411081716, 6.416444821046671, 3.0619830093581895, 3.623044336962055, 4.350709227429338, 5.182155626024628), (4.525860517779507, 3.47171350465107, 4.948027470555708, 5.589275533542496, 5.631083308347387, 3.2013076997260854, 2.8395318853884426, 3.444007408022438, 6.206751769656991, 2.9560047330653263, 3.498289570560013, 4.202016173677567, 5.007368568629644), (4.3572030133028, 3.3385095623889605, 4.7699176482983825, 5.385310820788429, 5.427739437144165, 3.087674965784959, 2.7323336282190445, 3.3221848381908665, 5.9883741963215655, 2.846595192306391, 3.3693919272706787, 4.048221028569909, 4.826224286265092), (4.184066308977092, 3.2023467848692557, 4.586131399835669, 5.175278253165917, 5.218015775734523, 2.970170495786347, 2.6225003178960526, 3.1961449899642167, 5.762251122944709, 2.734169029951264, 3.2368459535653553, 3.889923495385577, 4.639450218517843), (4.007078504324784, 3.063683988479554, 4.39739320464697, 4.959979324470381, 5.002732767090961, 2.84927254663542, 2.51041737048732, 3.066405151719699, 5.529321571430739, 2.6191408888698255, 3.1011461959153426, 3.72772327740378, 4.44777380497477), (3.8268676988682753, 2.9229799896074544, 4.204427542211682, 4.740215528497233, 4.782710854185973, 2.725459375237348, 2.3964702020607005, 2.9334826118345285, 5.290524563683971, 2.5019254119319574, 2.9627872007919422, 3.5622200779037345, 4.251922485222747), (3.6440619921299646, 2.7806936046405557, 4.007958892009206, 4.516788359041894, 4.558770479992055, 2.599209238497303, 2.2810442286840464, 2.797894658685917, 5.046799121608725, 2.3829372420075394, 2.8222635146664556, 3.3940136001646515, 4.052623698848646), (3.459289483632255, 2.6372836499664585, 3.8087117335189427, 4.29049930989978, 4.331732087481704, 2.4710003933204536, 2.164524866425212, 2.6601585806510792, 4.799084267109314, 2.2625910219664536, 2.680069684010184, 3.2237035474657434, 3.8506048854393393), (3.273178272897546, 2.493208941972761, 3.607410546220291, 4.062149874866306, 4.102416119627419, 2.3413110966119706, 2.0472975313520503, 2.5207916661072263, 4.548319022090056, 2.1413013946785795, 2.536700255294429, 3.051889623086223, 3.6465934845817), (3.0863564594482376, 2.348928297047063, 3.404779809592651, 3.832541547736893, 3.871643019401691, 2.210619605277026, 1.929747639532414, 2.3803112034315723, 4.295442408455268, 2.0194830030138, 2.39264977499049, 2.879171530305302, 3.4413169358626017), (0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0))
passenger_arriving_acc = ((0, 2, 3, 6, 2, 2, 1, 1, 1, 0, 0, 0, 0, 3, 3, 7, 0, 3, 2, 1, 1, 3, 1, 2, 1, 0), (2, 3, 4, 16, 2, 5, 4, 1, 2, 1, 1, 0, 0, 5, 9, 12, 3, 6, 5, 3, 5, 6, 1, 4, 1, 0), (7, 9, 5, 18, 7, 5, 6, 4, 4, 1, 2, 0, 0, 6, 14, 16, 5, 10, 8, 3, 8, 7, 6, 5, 1, 0), (16, 13, 9, 24, 10, 7, 7, 5, 6, 1, 2, 1, 0, 13, 18, 20, 11, 15, 9, 8, 10, 8, 7, 6, 1, 0), (18, 15, 11, 29, 12, 9, 11, 9, 7, 1, 4, 1, 0, 19, 23, 24, 14, 16, 11, 10, 12, 9, 9, 7, 1, 0), (23, 23, 17, 34, 14, 14, 12, 11, 10, 1, 6, 1, 0, 22, 28, 28, 18, 18, 13, 11, 14, 10, 9, 8, 2, 0), (32, 30, 21, 39, 17, 15, 13, 15, 12, 1, 6, 1, 0, 28, 30, 29, 19, 22, 17, 12, 14, 12, 12, 9, 2, 0), (35, 36, 24, 43, 21, 17, 16, 16, 16, 3, 7, 1, 0, 29, 36, 33, 23, 26, 18, 14, 16, 14, 14, 10, 2, 0), (41, 40, 27, 46, 25, 20, 19, 21, 18, 3, 8, 1, 0, 35, 42, 37, 26, 34, 25, 15, 17, 15, 16, 11, 4, 0), (47, 48, 31, 50, 30, 23, 23, 26, 19, 7, 9, 3, 0, 39, 46, 42, 33, 38, 29, 20, 18, 19, 21, 13, 4, 0), (49, 55, 37, 54, 35, 27, 23, 31, 21, 9, 9, 3, 0, 44, 52, 46, 34, 46, 32, 25, 18, 20, 23, 13, 6, 0), (55, 60, 44, 59, 44, 28, 26, 32, 23, 11, 10, 3, 0, 53, 60, 51, 36, 53, 36, 30, 19, 22, 23, 16, 6, 0), (60, 70, 47, 62, 52, 28, 31, 32, 26, 11, 10, 3, 0, 59, 64, 60, 41, 59, 39, 33, 21, 25, 26, 18, 8, 0), (65, 74, 54, 71, 57, 30, 34, 34, 32, 11, 10, 4, 0, 64, 68, 62, 49, 63, 44, 36, 23, 26, 26, 19, 9, 0), (78, 86, 62, 73, 65, 34, 36, 37, 36, 11, 11, 5, 0, 70, 73, 71, 51, 69, 45, 39, 24, 27, 28, 19, 9, 0), (86, 95, 67, 81, 70, 36, 39, 38, 43, 11, 11, 5, 0, 78, 80, 76, 53, 75, 48, 41, 24, 28, 29, 20, 9, 0), (93, 101, 77, 90, 75, 39, 40, 41, 46, 13, 12, 7, 0, 87, 82, 78, 56, 80, 51, 44, 25, 32, 29, 22, 10, 0), (98, 109, 83, 99, 83, 41, 41, 44, 50, 13, 16, 8, 0, 94, 88, 82, 59, 87, 56, 47, 26, 33, 31, 22, 10, 0), (105, 112, 89, 109, 91, 45, 44, 47, 54, 14, 19, 9, 0, 105, 96, 87, 63, 91, 64, 54, 27, 35, 34, 23, 11, 0), (109, 119, 100, 120, 93, 49, 49, 50, 57, 15, 20, 9, 0, 119, 98, 89, 69, 95, 65, 58, 27, 38, 36, 23, 12, 0), (114, 127, 106, 124, 95, 50, 53, 53, 59, 17, 22, 9, 0, 127, 102, 92, 70, 102, 68, 58, 28, 41, 37, 23, 14, 0), (123, 132, 111, 127, 102, 54, 56, 57, 61, 18, 24, 10, 0, 142, 110, 98, 76, 107, 71, 60, 29, 45, 39, 25, 14, 0), (131, 136, 117, 135, 109, 59, 59, 64, 63, 18, 24, 12, 0, 145, 116, 109, 83, 114, 77, 63, 35, 45, 41, 30, 14, 0), (145, 140, 125, 139, 114, 62, 60, 70, 67, 18, 25, 12, 0, 150, 123, 115, 87, 119, 81, 66, 35, 47, 41, 31, 14, 0), (155, 149, 128, 144, 120, 64, 61, 75, 69, 21, 26, 13, 0, 155, 129, 119, 91, 125, 88, 71, 36, 48, 46, 31, 15, 0), (162, 157, 137, 151, 125, 67, 64, 82, 73, 22, 27, 13, 0, 160, 131, 121, 92, 126, 97, 76, 37, 50, 47, 32, 15, 0), (169, 162, 141, 156, 128, 71, 66, 89, 75, 26, 28, 15, 0, 163, 136, 125, 99, 134, 103, 80, 40, 52, 50, 36, 15, 0), (174, 167, 143, 164, 133, 74, 73, 90, 80, 28, 28, 16, 0, 175, 145, 133, 104, 144, 107, 82, 45, 55, 51, 36, 15, 0), (181, 176, 150, 172, 137, 77, 75, 92, 83, 30, 28, 16, 0, 185, 152, 136, 106, 152, 111, 84, 48, 57, 53, 39, 15, 0), (191, 179, 155, 178, 141, 80, 78, 94, 86, 30, 29, 16, 0, 196, 156, 140, 111, 157, 116, 86, 50, 61, 54, 42, 17, 0), (195, 186, 161, 184, 148, 84, 79, 95, 96, 33, 29, 16, 0, 204, 160, 147, 115, 164, 118, 88, 54, 61, 57, 44, 18, 0), (203, 193, 166, 192, 157, 85, 81, 98, 98, 35, 29, 16, 0, 209, 164, 157, 121, 174, 126, 92, 58, 64, 64, 46, 18, 0), (218, 201, 175, 197, 163, 86, 82, 100, 102, 38, 30, 16, 0, 222, 177, 165, 124, 179, 133, 95, 62, 66, 65, 48, 18, 0), (228, 212, 183, 203, 170, 89, 84, 102, 105, 39, 31, 16, 0, 233, 186, 171, 131, 184, 141, 97, 65, 67, 66, 49, 20, 0), (240, 224, 189, 207, 177, 94, 86, 103, 108, 43, 33, 16, 0, 239, 191, 172, 137, 191, 145, 100, 66, 74, 68, 49, 20, 0), (248, 232, 199, 215, 184, 98, 89, 104, 111, 47, 33, 17, 0, 251, 201, 176, 141, 201, 149, 100, 68, 76, 72, 49, 20, 0), (263, 240, 205, 225, 195, 100, 91, 109, 112, 49, 35, 17, 0, 256, 211, 180, 145, 209, 155, 106, 69, 78, 80, 50, 20, 0), (271, 245, 216, 230, 202, 107, 96, 111, 114, 49, 37, 19, 0, 264, 215, 185, 155, 214, 160, 111, 72, 83, 83, 53, 20, 0), (279, 250, 220, 237, 208, 109, 101, 113, 120, 50, 37, 20, 0, 269, 225, 194, 157, 219, 162, 115, 73, 83, 85, 53, 20, 0), (287, 257, 229, 241, 211, 111, 104, 117, 122, 50, 39, 20, 0, 275, 227, 203, 162, 228, 167, 119, 75, 86, 88, 57, 21, 0), (297, 264, 233, 247, 220, 112, 107, 120, 123, 56, 40, 22, 0, 286, 234, 210, 169, 238, 171, 122, 79, 89, 90, 58, 21, 0), (303, 274, 236, 256, 224, 117, 112, 124, 126, 58, 41, 22, 0, 293, 243, 221, 176, 246, 174, 125, 84, 91, 92, 59, 21, 0), (316, 283, 246, 260, 231, 117, 115, 127, 127, 62, 43, 22, 0, 300, 249, 229, 179, 254, 181, 128, 85, 93, 93, 60, 23, 0), (325, 294, 253, 268, 239, 118, 119, 129, 129, 63, 44, 22, 0, 310, 260, 233, 183, 259, 185, 131, 88, 95, 93, 61, 24, 0), (335, 300, 263, 274, 245, 122, 123, 133, 135, 68, 46, 22, 0, 315, 271, 241, 188, 265, 190, 132, 90, 97, 99, 61, 24, 0), (342, 315, 268, 281, 249, 124, 128, 134, 138, 71, 47, 23, 0, 321, 282, 250, 190, 272, 193, 135, 93, 98, 103, 62, 24, 0), (355, 318, 273, 290, 257, 126, 128, 136, 144, 72, 48, 23, 0, 330, 290, 252, 199, 279, 196, 139, 97, 106, 108, 66, 25, 0), (369, 327, 281, 300, 260, 127, 133, 138, 148, 74, 49, 24, 0, 342, 300, 261, 205, 286, 199, 144, 101, 108, 109, 66, 25, 0), (374, 336, 288, 313, 269, 130, 136, 138, 151, 74, 49, 25, 0, 349, 309, 267, 208, 292, 207, 149, 102, 115, 117, 68, 26, 0), (379, 346, 299, 323, 277, 131, 139, 140, 154, 74, 49, 25, 0, 362, 311, 270, 212, 297, 211, 152, 104, 117, 119, 68, 26, 0), (389, 354, 307, 328, 286, 135, 144, 143, 155, 76, 50, 25, 0, 368, 316, 274, 222, 302, 217, 155, 107, 118, 120, 68, 26, 0), (401, 360, 313, 342, 294, 138, 144, 149, 155, 76, 51, 27, 0, 374, 325, 278, 226, 312, 224, 158, 107, 120, 121, 68, 26, 0), (409, 368, 319, 350, 298, 143, 149, 151, 157, 76, 51, 28, 0, 385, 328, 287, 228, 317, 228, 162, 111, 121, 122, 69, 26, 0), (417, 373, 323, 354, 304, 146, 150, 153, 159, 78, 51, 28, 0, 390, 333, 295, 232, 324, 231, 164, 113, 126, 123, 71, 27, 0), (424, 379, 329, 358, 309, 148, 153, 153, 166, 79, 52, 28, 0, 400, 333, 299, 234, 328, 236, 167, 116, 129, 125, 72, 27, 0), (437, 387, 339, 366, 315, 148, 156, 155, 169, 81, 52, 28, 0, 410, 339, 304, 237, 334, 239, 172, 117, 131, 129, 73, 27, 0), (446, 399, 343, 379, 317, 151, 159, 157, 171, 82, 53, 28, 0, 417, 349, 307, 245, 338, 243, 178, 121, 134, 130, 74, 28, 0), (450, 407, 348, 388, 323, 151, 162, 161, 175, 83, 53, 29, 0, 422, 357, 312, 248, 341, 247, 184, 125, 137, 135, 75, 28, 0), (459, 413, 354, 395, 330, 154, 166, 166, 179, 84, 57, 29, 0, 430, 363, 318, 254, 347, 252, 186, 126, 141, 135, 76, 29, 0), (466, 420, 361, 400, 338, 156, 169, 167, 182, 86, 57, 29, 0, 436, 373, 321, 260, 352, 257, 186, 126, 147, 139, 77, 30, 0), (471, 424, 369, 407, 344, 160, 174, 170, 184, 88, 58, 29, 0, 440, 376, 326, 265, 358, 261, 189, 129, 153, 141, 81, 32, 0), (478, 432, 373, 411, 347, 162, 180, 175, 188, 90, 58, 29, 0, 447, 386, 337, 272, 363, 263, 190, 134, 154, 143, 84, 32, 0), (485, 439, 380, 417, 358, 163, 182, 177, 191, 90, 60, 30, 0, 454, 395, 341, 277, 370, 265, 191, 135, 159, 144, 85, 32, 0), (497, 445, 390, 421, 364, 168, 184, 178, 193, 90, 60, 31, 0, 462, 401, 347, 281, 375, 266, 193, 137, 163, 146, 85, 34, 0), (505, 451, 397, 428, 374, 171, 184, 179, 197, 91, 62, 31, 0, 473, 409, 352, 291, 380, 267, 199, 139, 166, 149, 85, 34, 0), (513, 456, 403, 435, 384, 176, 184, 182, 198, 93, 63, 32, 0, 484, 421, 357, 296, 386, 272, 202, 144, 168, 152, 87, 34, 0), (523, 459, 411, 439, 389, 180, 187, 184, 199, 95, 66, 34, 0, 492, 431, 363, 300, 393, 272, 205, 146, 170, 156, 88, 35, 0), (530, 467, 417, 444, 395, 185, 188, 186, 200, 96, 66, 36, 0, 500, 445, 367, 303, 398, 272, 207, 147, 171, 156, 89, 35, 0), (537, 475, 423, 450, 406, 188, 190, 187, 203, 97, 68, 37, 0, 509, 452, 378, 306, 402, 275, 211, 147, 175, 158, 91, 38, 0), (546, 482, 427, 456, 411, 192, 193, 188, 205, 99, 69, 37, 0, 526, 457, 379, 309, 409, 279, 215, 150, 177, 159, 93, 38, 0), (554, 492, 428, 462, 417, 195, 197, 192, 210, 101, 70, 38, 0, 533, 468, 382, 318, 414, 281, 218, 152, 179, 162, 93, 39, 0), (560, 495, 434, 467, 427, 198, 199, 193, 213, 102, 70, 38, 0, 548, 481, 385, 322, 417, 283, 223, 156, 181, 165, 93, 39, 0), (572, 504, 436, 475, 435, 202, 202, 200, 218, 102, 70, 39, 0, 557, 484, 388, 327, 427, 292, 228, 159, 184, 166, 95, 40, 0), (575, 507, 442, 479, 439, 204, 204, 204, 224, 105, 70, 39, 0, 568, 489, 395, 328, 436, 292, 231, 160, 188, 173, 95, 40, 0), (587, 514, 447, 484, 444, 208, 208, 206, 225, 106, 70, 39, 0, 575, 493, 403, 334, 444, 299, 234, 162, 193, 177, 97, 41, 0), (595, 519, 450, 490, 451, 214, 211, 207, 225, 109, 70, 39, 0, 579, 497, 407, 338, 450, 304, 234, 163, 195, 177, 98, 41, 0), (604, 529, 454, 494, 460, 218, 214, 207, 225, 110, 71, 40, 0, 588, 503, 410, 342, 456, 308, 238, 164, 197, 180, 98, 41, 0), (608, 532, 462, 499, 465, 220, 218, 212, 230, 112, 72, 40, 0, 597, 508, 418, 347, 465, 312, 241, 166, 200, 184, 99, 43, 0), (620, 538, 469, 502, 469, 220, 223, 213, 232, 113, 72, 42, 0, 605, 513, 422, 352, 468, 313, 244, 167, 201, 188, 101, 46, 0), (625, 543, 478, 507, 473, 224, 226, 213, 233, 114, 72, 43, 0, 614, 520, 426, 356, 473, 318, 247, 172, 206, 191, 102, 47, 0), (636, 548, 484, 516, 476, 226, 230, 218, 237, 116, 72, 43, 0, 616, 527, 433, 358, 484, 323, 249, 173, 210, 193, 104, 47, 0), (647, 556, 489, 522, 492, 227, 231, 219, 240, 116, 73, 43, 0, 625, 535, 436, 361, 491, 325, 250, 174, 211, 196, 105, 48, 0), (654, 564, 496, 532, 496, 235, 235, 222, 244, 117, 74, 44, 0, 633, 546, 444, 363, 498, 330, 254, 176, 216, 196, 106, 48, 0), (663, 571, 502, 542, 503, 240, 236, 226, 248, 119, 75, 44, 0, 640, 554, 452, 368, 501, 335, 257, 180, 217, 200, 108, 49, 0), (668, 577, 509, 550, 508, 244, 239, 230, 252, 120, 76, 44, 0, 647, 561, 454, 372, 506, 336, 261, 182, 219, 205, 110, 50, 0), (679, 585, 517, 555, 513, 248, 241, 234, 255, 120, 77, 45, 0, 655, 562, 460, 376, 513, 336, 265, 184, 225, 205, 110, 50, 0), (691, 590, 527, 560, 521, 252, 242, 240, 257, 122, 78, 46, 0, 665, 569, 466, 383, 517, 342, 265, 188, 225, 208, 111, 51, 0), (696, 598, 533, 569, 527, 254, 247, 241, 260, 126, 79, 46, 0, 671, 578, 468, 386, 524, 347, 270, 192, 227, 209, 112, 52, 0), (704, 604, 540, 577, 533, 257, 250, 243, 262, 127, 81, 49, 0, 681, 584, 474, 390, 531, 352, 271, 194, 228, 211, 113, 52, 0), (709, 612, 550, 587, 539, 259, 252, 245, 263, 127, 81, 50, 0, 688, 591, 481, 397, 537, 356, 275, 195, 228, 214, 113, 52, 0), (717, 616, 554, 597, 548, 261, 253, 247, 270, 127, 82, 50, 0, 700, 603, 486, 401, 543, 360, 276, 199, 233, 214, 116, 52, 0), (721, 629, 563, 605, 553, 270, 254, 247, 273, 129, 83, 52, 0, 709, 613, 492, 407, 551, 367, 277, 200, 237, 217, 116, 52, 0), (725, 636, 570, 610, 558, 277, 259, 249, 277, 132, 83, 52, 0, 728, 619, 496, 407, 555, 370, 279, 202, 241, 218, 118, 53, 0), (731, 643, 580, 617, 567, 281, 260, 250, 279, 132, 83, 52, 0, 735, 622, 501, 411, 561, 371, 281, 204, 244, 222, 118, 53, 0), (736, 648, 582, 622, 575, 283, 263, 252, 283, 133, 84, 54, 0, 748, 636, 504, 416, 565, 372, 284, 208, 245, 224, 120, 53, 0), (742, 654, 589, 628, 577, 286, 268, 253, 289, 133, 84, 54, 0, 753, 639, 505, 421, 571, 373, 287, 210, 247, 224, 123, 53, 0), (752, 657, 595, 631, 581, 287, 272, 254, 291, 133, 84, 54, 0, 762, 646, 509, 424, 581, 377, 289, 214, 249, 226, 124, 53, 0), (761, 662, 601, 635, 588, 292, 273, 256, 295, 138, 84, 56, 0, 774, 654, 514, 431, 587, 379, 292, 214, 252, 227, 124, 54, 0), (765, 674, 603, 638, 595, 292, 276, 260, 297, 138, 87, 57, 0, 781, 659, 518, 433, 594, 382, 297, 215, 254, 229, 124, 56, 0), (774, 680, 608, 645, 599, 294, 277, 264, 300, 140, 90, 57, 0, 789, 666, 524, 439, 603, 384, 298, 217, 255, 231, 125, 57, 0), (782, 686, 612, 650, 606, 297, 278, 264, 306, 141, 92, 57, 0, 796, 670, 528, 442, 606, 386, 299, 218, 259, 233, 127, 57, 0), (792, 695, 622, 661, 612, 298, 280, 266, 308, 142, 92, 57, 0, 804, 676, 531, 447, 614, 392, 302, 218, 261, 236, 128, 59, 0), (802, 699, 626, 665, 616, 299, 287, 267, 311, 142, 94, 57, 0, 813, 681, 540, 454, 618, 396, 303, 222, 263, 238, 130, 61, 0), (807, 702, 634, 673, 621, 299, 292, 273, 313, 143, 94, 59, 0, 820, 690, 542, 457, 625, 398, 310, 224, 267, 241, 130, 61, 0), (811, 709, 642, 679, 626, 301, 293, 276, 317, 145, 96, 60, 0, 826, 694, 552, 465, 632, 400, 313, 224, 271, 241, 133, 61, 0), (824, 714, 646, 687, 630, 303, 300, 277, 319, 148, 97, 61, 0, 836, 694, 561, 467, 640, 401, 317, 225, 271, 243, 133, 62, 0), (839, 720, 649, 694, 631, 308, 300, 280, 323, 153, 98, 62, 0, 840, 698, 570, 469, 644, 406, 318, 227, 274, 245, 134, 62, 0), (845, 723, 658, 700, 634, 311, 306, 284, 325, 155, 99, 63, 0, 850, 706, 573, 471, 651, 407, 321, 228, 278, 247, 134, 62, 0), (852, 729, 666, 709, 636, 312, 308, 287, 327, 156, 100, 64, 0, 856, 714, 576, 473, 656, 409, 323, 229, 282, 249, 134, 63, 0), (859, 732, 670, 718, 648, 312, 311, 290, 334, 158, 101, 64, 0, 864, 717, 580, 481, 659, 411, 324, 234, 285, 251, 135, 64, 0), (872, 734, 679, 725, 654, 314, 313, 299, 339, 158, 102, 64, 0, 873, 722, 583, 487, 665, 415, 325, 235, 289, 252, 138, 64, 0), (877, 737, 683, 737, 656, 319, 316, 300, 340, 158, 102, 64, 0, 877, 728, 585, 492, 668, 417, 327, 235, 290, 252, 138, 66, 0), (890, 743, 687, 744, 660, 323, 319, 303, 341, 158, 103, 65, 0, 882, 736, 588, 495, 674, 421, 330, 236, 292, 256, 140, 67, 0), (895, 749, 696, 756, 665, 326, 320, 307, 342, 159, 104, 65, 0, 891, 737, 597, 497, 679, 423, 333, 236, 294, 258, 140, 69, 0), (904, 753, 699, 768, 670, 327, 324, 311, 342, 160, 106, 65, 0, 901, 742, 601, 503, 689, 426, 333, 238, 296, 260, 142, 71, 0), (909, 759, 706, 769, 673, 329, 324, 313, 346, 162, 106, 66, 0, 907, 745, 608, 505, 695, 432, 336, 241, 297, 261, 143, 71, 0), (913, 764, 714, 775, 679, 332, 327, 318, 350, 163, 106, 66, 0, 911, 749, 610, 510, 700, 432, 339, 242, 298, 262, 144, 71, 0), (925, 773, 718, 778, 688, 337, 329, 320, 351, 163, 106, 67, 0, 919, 757, 615, 511, 707, 435, 341, 245, 300, 266, 145, 71, 0), (939, 776, 723, 784, 693, 337, 331, 324, 353, 164, 106, 67, 0, 927, 765, 622, 516, 717, 439, 343, 247, 306, 269, 147, 71, 0), (947, 780, 728, 794, 707, 341, 337, 325, 355, 166, 106, 68, 0, 938, 770, 625, 519, 722, 442, 348, 247, 310, 271, 148, 72, 0), (955, 789, 731, 798, 712, 343, 338, 325, 357, 166, 106, 68, 0, 944, 776, 629, 524, 729, 443, 351, 250, 312, 272, 149, 74, 0), (966, 798, 733, 807, 717, 348, 343, 325, 360, 167, 106, 69, 0, 952, 783, 632, 527, 735, 444, 352, 251, 312, 276, 150, 76, 0), (971, 800, 738, 824, 725, 350, 346, 327, 362, 169, 108, 69, 0, 961, 791, 640, 531, 739, 446, 352, 251, 312, 278, 151, 76, 0), (978, 802, 743, 826, 726, 353, 349, 334, 365, 173, 109, 72, 0, 968, 798, 645, 533, 744, 448, 354, 256, 313, 279, 153, 76, 0), (981, 806, 748, 831, 732, 356, 352, 334, 370, 175, 109, 73, 0, 976, 806, 652, 538, 748, 452, 357, 256, 320, 281, 153, 77, 0), (985, 811, 755, 835, 738, 361, 356, 337, 371, 176, 110, 73, 0, 983, 813, 658, 541, 751, 455, 360, 257, 322, 284, 153, 77, 0), (987, 814, 760, 837, 743, 362, 358, 339, 375, 177, 110, 73, 0, 987, 818, 665, 542, 755, 458, 360, 258, 326, 286, 154, 77, 0), (995, 816, 766, 845, 750, 369, 360, 340, 379, 178, 110, 74, 0, 996, 827, 669, 547, 762, 460, 365, 259, 329, 286, 154, 79, 0), (1001, 822, 776, 847, 757, 372, 361, 342, 381, 179, 112, 74, 0, 1007, 836, 672, 548, 770, 463, 368, 261, 332, 286, 155, 79, 0), (1005, 831, 785, 855, 766, 375, 362, 343, 383, 182, 112, 74, 0, 1018, 840, 674, 551, 777, 465, 368, 262, 339, 289, 155, 80, 0), (1013, 837, 793, 862, 772, 378, 365, 346, 387, 184, 112, 75, 0, 1024, 845, 677, 555, 782, 467, 370, 262, 340, 295, 156, 80, 0), (1019, 843, 803, 867, 780, 380, 367, 347, 389, 185, 115, 75, 0, 1033, 855, 682, 558, 785, 470, 372, 265, 341, 297, 158, 80, 0), (1025, 848, 803, 874, 784, 385, 368, 348, 390, 186, 115, 76, 0, 1039, 858, 689, 561, 789, 473, 374, 268, 345, 298, 159, 80, 0), (1031, 854, 810, 883, 788, 387, 370, 348, 395, 187, 118, 76, 0, 1042, 866, 695, 564, 792, 476, 375, 271, 351, 301, 161, 81, 0), (1039, 855, 812, 890, 795, 392, 370, 351, 397, 189, 118, 76, 0, 1055, 877, 698, 565, 798, 480, 378, 272, 353, 302, 163, 81, 0), (1046, 864, 824, 894, 801, 393, 371, 351, 399, 189, 119, 76, 0, 1067, 884, 705, 567, 803, 482, 378, 281, 355, 303, 165, 81, 0), (1051, 868, 829, 901, 808, 394, 373, 352, 405, 190, 120, 76, 0, 1073, 889, 709, 568, 806, 484, 380, 282, 356, 304, 166, 81, 0), (1058, 871, 832, 909, 812, 396, 374, 354, 406, 190, 121, 76, 0, 1080, 893, 712, 570, 815, 486, 381, 283, 358, 305, 166, 81, 0), (1065, 873, 835, 910, 816, 398, 376, 354, 413, 191, 121, 76, 0, 1087, 899, 717, 574, 822, 489, 387, 285, 362, 309, 168, 82, 0), (1073, 880, 838, 915, 820, 400, 379, 357, 417, 193, 121, 76, 0, 1091, 902, 718, 578, 829, 492, 387, 288, 365, 311, 168, 83, 0), (1079, 887, 844, 920, 826, 403, 380, 359, 418, 196, 122, 76, 0, 1098, 904, 721, 583, 834, 495, 391, 292, 366, 313, 168, 83, 0), (1083, 891, 848, 928, 833, 407, 380, 360, 422, 197, 126, 76, 0, 1107, 908, 724, 583, 840, 499, 393, 295, 367, 315, 171, 83, 0), (1089, 893, 851, 935, 841, 411, 382, 362, 425, 199, 126, 76, 0, 1114, 913, 730, 584, 849, 503, 396, 295, 369, 316, 171, 83, 0), (1095, 898, 859, 942, 850, 412, 383, 366, 426, 201, 129, 76, 0, 1124, 916, 735, 587, 855, 503, 398, 297, 375, 316, 172, 83, 0), (1101, 902, 862, 944, 858, 414, 383, 370, 431, 205, 130, 76, 0, 1135, 919, 741, 588, 860, 504, 399, 297, 378, 323, 174, 83, 0), (1104, 905, 867, 945, 861, 416, 383, 370, 434, 205, 133, 76, 0, 1138, 922, 745, 590, 862, 506, 401, 300, 382, 323, 178, 85, 0), (1113, 910, 872, 948, 864, 416, 384, 373, 438, 206, 135, 78, 0, 1145, 931, 756, 592, 872, 508, 402, 304, 386, 325, 179, 85, 0), (1118, 912, 878, 958, 873, 419, 384, 373, 441, 207, 135, 78, 0, 1152, 936, 762, 594, 880, 510, 405, 304, 388, 330, 180, 86, 0), (1126, 915, 881, 966, 880, 421, 386, 374, 441, 210, 135, 78, 0, 1160, 938, 766, 597, 884, 515, 408, 306, 393, 330, 181, 86, 0), (1131, 917, 885, 972, 886, 424, 386, 375, 445, 211, 135, 79, 0, 1166, 942, 772, 600, 887, 516, 409, 308, 395, 332, 182, 86, 0), (1135, 923, 887, 981, 889, 428, 386, 378, 450, 211, 136, 79, 0, 1174, 946, 780, 601, 891, 517, 409, 310, 398, 338, 182, 86, 0), (1141, 926, 898, 990, 893, 430, 389, 380, 454, 211, 137, 79, 0, 1180, 951, 783, 605, 896, 519, 411, 313, 399, 342, 182, 86, 0), (1148, 932, 905, 997, 895, 434, 391, 381, 456, 214, 137, 79, 0, 1184, 961, 787, 607, 904, 520, 415, 314, 402, 343, 184, 86, 0), (1155, 938, 908, 1001, 897, 436, 392, 383, 460, 215, 137, 79, 0, 1192, 967, 792, 611, 909, 524, 418, 315, 404, 344, 186, 86, 0), (1158, 942, 913, 1006, 901, 436, 395, 384, 464, 215, 137, 80, 0, 1197, 972, 798, 616, 915, 526, 420, 316, 406, 349, 187, 88, 0), (1163, 947, 915, 1011, 906, 436, 396, 385, 466, 220, 139, 80, 0, 1202, 976, 804, 618, 920, 528, 420, 321, 406, 349, 189, 88, 0), (1164, 953, 922, 1018, 910, 439, 397, 386, 471, 221, 140, 80, 0, 1211, 979, 810, 620, 923, 530, 422, 322, 407, 351, 190, 88, 0), (1172, 959, 926, 1023, 915, 441, 398, 388, 473, 224, 140, 80, 0, 1214, 983, 813, 624, 928, 534, 424, 323, 408, 354, 192, 88, 0), (1176, 963, 932, 1024, 922, 443, 400, 392, 478, 225, 142, 80, 0, 1221, 991, 815, 626, 932, 535, 424, 323, 412, 360, 193, 88, 0), (1187, 969, 937, 1027, 925, 446, 402, 395, 483, 225, 142, 81, 0, 1225, 995, 820, 628, 935, 537, 425, 324, 413, 362, 196, 90, 0), (1194, 972, 947, 1033, 926, 450, 403, 396, 484, 225, 142, 82, 0, 1231, 999, 824, 631, 942, 538, 427, 327, 417, 365, 197, 91, 0), (1204, 974, 952, 1040, 928, 454, 404, 399, 486, 227, 142, 83, 0, 1236, 1007, 827, 635, 947, 539, 430, 327, 419, 367, 200, 92, 0), (1207, 981, 955, 1044, 938, 456, 406, 399, 486, 227, 142, 83, 0, 1239, 1011, 831, 640, 951, 541, 430, 328, 421, 367, 203, 92, 0), (1222, 985, 958, 1048, 945, 458, 409, 402, 487, 227, 142, 84, 0, 1245, 1015, 836, 640, 957, 544, 431, 328, 422, 368, 203, 92, 0), (1228, 986, 963, 1053, 948, 461, 413, 404, 492, 229, 142, 84, 0, 1248, 1020, 839, 642, 961, 545, 431, 329, 422, 370, 203, 93, 0), (1231, 987, 972, 1062, 952, 461, 413, 405, 494, 229, 142, 84, 0, 1256, 1023, 841, 643, 966, 546, 432, 330, 424, 371, 205, 93, 0), (1234, 993, 975, 1068, 957, 463, 414, 406, 498, 232, 142, 84, 0, 1261, 1031, 845, 643, 972, 550, 433, 331, 429, 373, 207, 93, 0), (1244, 996, 977, 1069, 963, 466, 416, 406, 499, 235, 142, 84, 0, 1268, 1033, 849, 645, 974, 553, 434, 331, 433, 373, 207, 93, 0), (1250, 1001, 979, 1074, 966, 470, 417, 407, 502, 235, 143, 84, 0, 1272, 1035, 850, 646, 979, 554, 436, 334, 436, 374, 207, 93, 0), (1253, 1012, 985, 1077, 966, 473, 418, 407, 503, 235, 144, 84, 0, 1277, 1040, 853, 646, 984, 555, 439, 335, 437, 376, 208, 93, 0), (1259, 1014, 993, 1082, 968, 477, 419, 407, 505, 236, 145, 84, 0, 1286, 1044, 855, 646, 991, 557, 442, 336, 439, 378, 209, 94, 0), (1261, 1019, 993, 1084, 969, 479, 420, 408, 506, 237, 145, 86, 0, 1291, 1049, 860, 647, 993, 559, 443, 337, 440, 379, 209, 94, 0), (1265, 1021, 1005, 1089, 974, 481, 422, 409, 506, 237, 146, 87, 0, 1298, 1052, 863, 649, 995, 560, 444, 339, 441, 381, 212, 94, 0), (1269, 1026, 1009, 1092, 976, 484, 423, 409, 507, 238, 146, 87, 0, 1303, 1057, 864, 651, 1004, 560, 446, 341, 443, 381, 212, 94, 0), (1273, 1030, 1010, 1095, 977, 485, 424, 411, 510, 238, 146, 87, 0, 1304, 1060, 866, 652, 1007, 562, 450, 342, 445, 381, 213, 94, 0), (1276, 1032, 1013, 1103, 979, 485, 426, 411, 513, 238, 147, 87, 0, 1312, 1062, 868, 652, 1009, 564, 450, 342, 446, 381, 214, 94, 0), (1278, 1036, 1014, 1108, 982, 487, 426, 412, 514, 238, 148, 87, 0, 1315, 1066, 871, 653, 1016, 565, 450, 342, 452, 383, 216, 95, 0), (1279, 1037, 1018, 1110, 987, 489, 427, 414, 516, 238, 149, 87, 0, 1322, 1067, 873, 654, 1018, 566, 450, 342, 452, 384, 216, 95, 0), (1285, 1043, 1022, 1113, 989, 491, 428, 414, 518, 239, 149, 88, 0, 1327, 1070, 874, 656, 1024, 566, 450, 343, 453, 385, 216, 97, 0), (1285, 1043, 1022, 1113, 989, 491, 428, 414, 518, 239, 149, 88, 0, 1327, 1070, 874, 656, 1024, 566, 450, 343, 453, 385, 216, 97, 0))
passenger_arriving_rate = ((4.0166924626974145, 4.051878277108322, 3.4741888197416713, 3.72880066431806, 2.962498990725126, 1.4647056349507583, 1.6584142461495661, 1.5510587243264744, 1.6240264165781353, 0.7916030031044742, 0.5607020218514138, 0.32652767188707826, 0.0, 4.067104170062691, 3.5918043907578605, 2.803510109257069, 2.374809009313422, 3.2480528331562706, 2.171482214057064, 1.6584142461495661, 1.0462183106791132, 1.481249495362563, 1.2429335547726867, 0.6948377639483343, 0.36835257064621113, 0.0), (4.283461721615979, 4.319377842372822, 3.703564394220102, 3.97508655196597, 3.1586615133195926, 1.561459005886526, 1.7677875765054776, 1.6531712409685695, 1.7312654203554425, 0.8437961384554302, 0.5977461514608177, 0.34808111072095704, 0.0, 4.3358333179518835, 3.8288922179305267, 2.9887307573040878, 2.53138841536629, 3.462530840710885, 2.3144397373559973, 1.7677875765054776, 1.1153278613475186, 1.5793307566597963, 1.3250288506553236, 0.7407128788440204, 0.39267071294298395, 0.0), (4.549378407183785, 4.585815791986718, 3.9320281903649423, 4.220392622798877, 3.3541135859998636, 1.6578263867724743, 1.8767274031842818, 1.7548750826348067, 1.838076481834013, 0.8957827550041094, 0.6346430865035085, 0.3695488434702037, 0.0, 4.603491862567752, 4.06503727817224, 3.173215432517542, 2.6873482650123277, 3.676152963668026, 2.4568251156887295, 1.8767274031842818, 1.1841617048374817, 1.6770567929999318, 1.4067975409329592, 0.7864056380729886, 0.41689234472606534, 0.0), (4.81340623451725, 4.850135034753395, 4.1586739128799035, 4.463745844519244, 3.548086227201014, 1.7534256238730528, 1.9848014566591823, 1.8557670524981693, 1.9440360429122914, 0.9473565396852364, 0.6712464549103178, 0.3908457123286974, 0.0, 4.869018245003381, 4.299302835615671, 3.356232274551589, 2.8420696190557084, 3.8880720858245827, 2.598073873497437, 1.9848014566591823, 1.2524468741950376, 1.774043113600507, 1.487915281506415, 0.8317347825759807, 0.4409213667957632, 0.0), (5.074508918732786, 5.111278479476234, 4.382595266468691, 4.704173184829542, 3.7398104553581293, 1.8478745634527118, 2.0915774674033836, 1.9554439537316386, 2.048720545488722, 0.998311179433536, 0.7074098846120768, 0.41188655949031766, 0.0, 5.131350906351854, 4.530752154393493, 3.5370494230603833, 2.9949335383006073, 4.097441090977444, 2.737621535224294, 2.0915774674033836, 1.3199104024662227, 1.8699052276790646, 1.5680577282765145, 0.8765190532937384, 0.46466167995238505, 0.0), (5.331650174946809, 5.368189034958631, 4.602885955835013, 4.940701611432236, 3.9285172889062823, 1.9407910517759004, 2.1966231658900894, 2.0535025895081978, 2.151706431461749, 1.048440361183733, 0.7429870035396177, 0.43258622714894324, 0.0, 5.389428287706262, 4.758448498638375, 3.7149350176980884, 3.145321083551198, 4.303412862923498, 2.8749036253114766, 2.1966231658900894, 1.3862793226970715, 1.9642586444531411, 1.6469005371440792, 0.9205771911670025, 0.48801718499623925, 0.0), (5.583793718275733, 5.619809610003967, 4.8186396856825775, 5.172358092029792, 4.113437746280557, 2.03179293510707, 2.299506282592505, 2.1495397630008295, 2.2525701427298173, 1.097537771870552, 0.777831439623771, 0.45285955749845397, 0.0, 5.642188830159686, 4.981455132482993, 3.889157198118855, 3.2926133156116553, 4.5051402854596345, 3.0093556682011613, 2.299506282592505, 1.4512806679336214, 2.0567188731402783, 1.724119364009931, 0.9637279371365156, 0.5108917827276335, 0.0), (5.829903263835975, 5.86508311341563, 5.02895016071509, 5.398169594324678, 4.293802845916028, 2.1204980597106697, 2.399794547983834, 2.2431522773825177, 2.350888121191372, 1.1453970984287176, 0.8117968207953693, 0.47262139273272863, 0.0, 5.888570974805216, 5.198835320060014, 4.058984103976846, 3.436191295286152, 4.701776242382744, 3.1404131883355246, 2.399794547983834, 1.514641471221907, 2.146901422958014, 1.799389864774893, 1.0057900321430182, 0.5331893739468755, 0.0), (6.068942526743948, 6.102952453997006, 5.232911085636264, 5.617163086019357, 4.468843606247779, 2.2065242718511486, 2.497055692537279, 2.333936935826242, 2.446236808744855, 1.1918120277929551, 0.8447367749852429, 0.49178657504564693, 0.0, 6.127513162735934, 5.409652325502115, 4.223683874926214, 3.5754360833788645, 4.89247361748971, 3.2675117101567386, 2.497055692537279, 1.5760887656079634, 2.2344218031238894, 1.872387695339786, 1.046582217127253, 0.5548138594542734, 0.0), (6.299875222116068, 6.332360540551483, 5.429616165149803, 5.828365534816301, 4.637791045710885, 2.2894894177929594, 2.590857446726048, 2.421490541504988, 2.538192647288713, 1.2365762468979886, 0.8765049301242238, 0.5102699466310877, 0.0, 6.35795383504493, 5.612969412941963, 4.382524650621119, 3.709728740693965, 5.076385294577426, 3.390086758106983, 2.590857446726048, 1.635349584137828, 2.3188955228554424, 1.9427885116054342, 1.0859232330299606, 0.5756691400501349, 0.0), (6.5216650650687455, 6.552250281882444, 5.6181591039594165, 6.0308039084179725, 4.799876182740427, 2.3690113438005502, 2.680767541023342, 2.505409897591737, 2.6263320787213904, 1.279483442678543, 0.9069549141431433, 0.5279863496829302, 0.0, 6.578831432825289, 5.807849846512232, 4.534774570715716, 3.838450328035629, 5.252664157442781, 3.5075738566284325, 2.680767541023342, 1.6921509598575357, 2.3999380913702133, 2.010267969472658, 1.1236318207918834, 0.5956591165347678, 0.0), (6.7332757707184046, 6.761564586793285, 5.797633606768811, 6.223505174526839, 4.954330035771484, 2.444707896138372, 2.7663537059023664, 2.585291807259472, 2.7102315449413314, 1.320327302069344, 0.9359403549728333, 0.5448506263950541, 0.0, 6.78908439717009, 5.993356890345594, 4.679701774864166, 3.9609819062080316, 5.420463089882663, 3.619408530163261, 2.7663537059023664, 1.7462199258131228, 2.477165017885742, 2.07450172484228, 1.1595267213537623, 0.6146876897084805, 0.0), (6.93367105418145, 6.959246364087378, 5.9671333782816935, 6.405496300845368, 5.100383623239134, 2.516196921070873, 2.8471836718363246, 2.6607330736811736, 2.789467487846981, 1.3589015120051147, 0.9633148805441247, 0.5607776189613379, 0.0, 6.987651169172428, 6.168553808574717, 4.816574402720623, 4.0767045360153435, 5.578934975693962, 3.7250263031536432, 2.8471836718363246, 1.7972835150506232, 2.550191811619567, 2.135165433615123, 1.1934266756563388, 0.63265876037158, 0.0), (7.121814630574301, 7.144238522568122, 6.125752123201774, 6.575804255076027, 5.237267963578454, 2.5830962648625047, 2.9228251692984224, 2.731330500029827, 2.863616349336782, 1.3949997594205812, 0.9889321187878493, 0.5756821695756614, 0.0, 7.173470189925388, 6.332503865332275, 4.944660593939246, 4.184999278261743, 5.727232698673564, 3.8238627000417584, 2.9228251692984224, 1.8450687606160747, 2.618633981789227, 2.1919347516920094, 1.225150424640355, 0.6494762293243748, 0.0), (7.296670215013373, 7.315483971038899, 6.272583546232765, 6.733456004921276, 5.3642140752245275, 2.6450237737777162, 2.9928459287618647, 2.7966808894784156, 2.932254571309179, 1.428415731250467, 1.0126456976348381, 0.5894791204319041, 0.0, 7.345479900522051, 6.484270324750944, 5.06322848817419, 4.285247193751401, 5.864509142618358, 3.9153532452697823, 2.9928459287618647, 1.8893026955555114, 2.6821070376122638, 2.244485334973759, 1.254516709246553, 0.6650439973671727, 0.0), (7.457201522615084, 7.471925618303093, 6.406721352078362, 6.877478518083592, 5.480452976612431, 2.701597294080959, 3.0568136806998503, 2.8563810451999188, 2.9949585956626184, 1.4589431144294984, 1.0343092450159228, 0.6020833137239449, 0.0, 7.502618742055505, 6.622916450963392, 5.171546225079613, 4.376829343288494, 5.989917191325237, 3.9989334632798865, 3.0568136806998503, 1.9297123529149707, 2.7402264883062153, 2.2924928393611976, 1.2813442704156726, 0.6792659653002813, 0.0), (7.602372268495841, 7.612506373164098, 6.527259245442284, 7.006898762265429, 5.585215686177244, 2.7524346720366815, 3.1142961555855906, 2.9100277703673205, 3.0513048642955427, 1.4863755958923994, 1.0537763888619351, 0.6134095916456628, 0.0, 7.643825155618837, 6.747505508102289, 5.268881944309675, 4.459126787677198, 6.102609728591085, 4.074038878514249, 3.1142961555855906, 1.9660247657404866, 2.792607843088622, 2.3356329207551436, 1.3054518490884568, 0.692046033924009, 0.0), (7.73114616777206, 7.736169144425294, 6.6332909310282355, 7.120743705169268, 5.677733222354047, 2.7971537539093334, 3.1648610838922844, 2.9572178681536063, 3.1008698191063955, 1.510506862573894, 1.0709007571037066, 0.6233727963909371, 0.0, 7.768037582305133, 6.857100760300307, 5.354503785518533, 4.531520587721681, 6.201739638212791, 4.140105015415049, 3.1648610838922844, 1.9979669670780953, 2.8388666111770235, 2.373581235056423, 1.3266581862056472, 0.7032881040386633, 0.0), (7.842486935560164, 7.841856840890068, 6.723910113539921, 7.218040314497568, 5.757236603577914, 2.8353723859633684, 3.2080761960931405, 2.9975481417317535, 3.1432299019936254, 1.5311306014087078, 1.085535977672068, 0.6318877701536477, 0.0, 7.874194463207477, 6.950765471690124, 5.427679888360339, 4.593391804226123, 6.286459803987251, 4.196567398424455, 3.2080761960931405, 2.0252659899738346, 2.878618301788957, 2.406013438165856, 1.344782022707984, 0.7128960764445517, 0.0), (7.935358286976559, 7.928512371361812, 6.798210497681052, 7.29781555795279, 5.822956848283928, 2.866708414463231, 3.2435092226613578, 3.030615394274749, 3.1779615548556746, 1.5480404993315662, 1.0975356784978507, 0.6388693551276732, 0.0, 7.961234239418957, 7.027562906404404, 5.4876783924892525, 4.644121497994697, 6.355923109711349, 4.242861551984649, 3.2435092226613578, 2.0476488674737365, 2.911478424141964, 2.4326051859842637, 1.3596420995362106, 0.720773851941983, 0.0), (8.008723937137665, 7.995078644643906, 6.855285788155336, 7.359096403237412, 5.874124974907169, 2.8907796856733756, 3.270727894070145, 3.0560164289555725, 3.2046412195909864, 1.5610302432771923, 1.106753487511887, 0.6442323935068929, 0.0, 8.02809535203266, 7.08655632857582, 5.533767437559434, 4.683090729831576, 6.409282439181973, 4.278423000537802, 3.270727894070145, 2.0648426326238396, 2.9370624874535847, 2.4530321344124713, 1.3710571576310673, 0.7268253313312643, 0.0), (8.061547601159893, 8.040498569539743, 6.89422968966648, 7.400909818053892, 5.909972001882714, 2.90720404585825, 3.289299940792704, 3.0733480489472083, 3.222845338098006, 1.5698935201803115, 1.113043032645008, 0.6478917274851863, 0.0, 8.073716242141662, 7.1268090023370485, 5.56521516322504, 4.709680560540933, 6.445690676196012, 4.302687268526092, 3.289299940792704, 2.0765743184701786, 2.954986000941357, 2.466969939351298, 1.378845937933296, 0.730954415412704, 0.0), (8.092792994159664, 8.063715054852706, 6.91413590691819, 7.422282770104703, 5.92972894764564, 2.915599341282305, 3.29879309330224, 3.0822070574226386, 3.2321503522751773, 1.574424016975649, 1.1162579418280456, 0.6497621992564327, 0.0, 8.097035350839063, 7.147384191820759, 5.581289709140227, 4.723272050926946, 6.464300704550355, 4.315089880391694, 3.29879309330224, 2.0825709580587892, 2.96486447382282, 2.474094256701568, 1.3828271813836381, 0.7330650049866098, 0.0), (8.104314690674112, 8.066463968907179, 6.916615454961135, 7.424958487654322, 5.9347904298840515, 2.916666666666667, 3.2999216009037355, 3.0831646090534983, 3.2333136625514407, 1.574958454503887, 1.1166610716215655, 0.6499931717725956, 0.0, 8.1, 7.149924889498552, 5.583305358107827, 4.72487536351166, 6.466627325102881, 4.316430452674898, 3.2999216009037355, 2.0833333333333335, 2.9673952149420257, 2.474986162551441, 1.3833230909922272, 0.7333149062642891, 0.0), (8.112809930427323, 8.06486049382716, 6.916209876543211, 7.4246291666666675, 5.937657393927921, 2.916666666666667, 3.299301525054467, 3.0818333333333334, 3.2331577777777776, 1.5746301234567905, 1.1166166105499442, 0.6499390946502058, 0.0, 8.1, 7.149330041152263, 5.583083052749721, 4.72389037037037, 6.466315555555555, 4.314566666666667, 3.299301525054467, 2.0833333333333335, 2.9688286969639606, 2.4748763888888896, 1.3832419753086422, 0.7331691358024692, 0.0), (8.121125784169264, 8.06169981710105, 6.915409236396892, 7.423977623456791, 5.940461304317068, 2.916666666666667, 3.298079561042524, 3.0792181069958855, 3.2328497942386836, 1.5739837677183361, 1.1165284532568485, 0.6498323426306966, 0.0, 8.1, 7.148155768937661, 5.5826422662842425, 4.7219513031550076, 6.465699588477367, 4.31090534979424, 3.298079561042524, 2.0833333333333335, 2.970230652158534, 2.474659207818931, 1.3830818472793784, 0.7328818015546411, 0.0), (8.129261615238427, 8.057030224051212, 6.914224508459078, 7.423011265432098, 5.943202063157923, 2.916666666666667, 3.2962746873234887, 3.0753683127572025, 3.23239366255144, 1.5730301417466854, 1.1163973978467807, 0.6496743789056548, 0.0, 8.1, 7.146418167962202, 5.581986989233903, 4.719090425240055, 6.46478732510288, 4.305515637860084, 3.2962746873234887, 2.0833333333333335, 2.9716010315789614, 2.4743370884773666, 1.3828449016918156, 0.732457293095565, 0.0), (8.13721678697331, 8.0509, 6.9126666666666665, 7.4217375, 5.945879572556914, 2.916666666666667, 3.2939058823529415, 3.0703333333333336, 3.231793333333333, 1.5717800000000004, 1.1162242424242426, 0.6494666666666669, 0.0, 8.1, 7.144133333333334, 5.581121212121213, 4.715339999999999, 6.463586666666666, 4.298466666666667, 3.2939058823529415, 2.0833333333333335, 2.972939786278457, 2.4739125000000004, 1.3825333333333334, 0.7319000000000001, 0.0), (8.1449906627124, 8.043357430269776, 6.910746684956561, 7.420163734567902, 5.948493734620481, 2.916666666666667, 3.2909921245864604, 3.06416255144033, 3.231052757201646, 1.570244096936443, 1.116009785093736, 0.6492106691053194, 0.0, 8.1, 7.141317360158513, 5.580048925468679, 4.710732290809328, 6.462105514403292, 4.289827572016462, 3.2909921245864604, 2.0833333333333335, 2.9742468673102405, 2.4733879115226345, 1.3821493369913125, 0.731214311842707, 0.0), (8.1525826057942, 8.0344508001829, 6.908475537265661, 7.41829737654321, 5.951044451455051, 2.916666666666667, 3.2875523924796264, 3.0569053497942384, 3.2301758847736624, 1.5684331870141752, 1.1157548239597623, 0.6489078494131992, 0.0, 8.1, 7.13798634354519, 5.578774119798812, 4.705299561042525, 6.460351769547325, 4.279667489711934, 3.2875523924796264, 2.0833333333333335, 2.9755222257275253, 2.4727657921810704, 1.3816951074531325, 0.7304046181984455, 0.0), (8.159991979557198, 8.02422839506173, 6.905864197530864, 7.416145833333333, 5.953531625167059, 2.916666666666667, 3.2836056644880176, 3.048611111111111, 3.2291666666666665, 1.5663580246913587, 1.115460157126824, 0.648559670781893, 0.0, 8.1, 7.134156378600823, 5.57730078563412, 4.699074074074074, 6.458333333333333, 4.268055555555556, 3.2836056644880176, 2.0833333333333335, 2.9767658125835297, 2.4720486111111115, 1.3811728395061729, 0.7294753086419755, 0.0), (8.167218147339886, 8.012738500228625, 6.902923639689073, 7.41371651234568, 5.955955157862938, 2.916666666666667, 3.279170919067216, 3.039329218106996, 3.2280290534979423, 1.5640293644261551, 1.1151265826994223, 0.6481675964029875, 0.0, 8.1, 7.129843560432862, 5.575632913497111, 4.692088093278464, 6.456058106995885, 4.2550609053497945, 3.279170919067216, 2.0833333333333335, 2.977977578931469, 2.4712388374485603, 1.3805847279378145, 0.7284307727480569, 0.0), (8.174260472480764, 8.000029401005945, 6.899664837677183, 7.411016820987655, 5.958314951649118, 2.916666666666667, 3.2742671346727996, 3.029109053497943, 3.226766995884774, 1.5614579606767267, 1.1147548987820595, 0.6477330894680691, 0.0, 8.1, 7.125063984148759, 5.573774493910297, 4.684373882030179, 6.453533991769548, 4.24075267489712, 3.2742671346727996, 2.0833333333333335, 2.979157475824559, 2.470338940329219, 1.3799329675354366, 0.7272754000914496, 0.0), (8.181118318318317, 7.986149382716048, 6.896098765432099, 7.408054166666666, 5.960610908632033, 2.916666666666667, 3.2689132897603486, 3.0180000000000002, 3.2253844444444444, 1.5586545679012351, 1.114345903479237, 0.6472576131687243, 0.0, 8.1, 7.119833744855966, 5.571729517396184, 4.6759637037037045, 6.450768888888889, 4.225200000000001, 3.2689132897603486, 2.0833333333333335, 2.9803054543160163, 2.469351388888889, 1.37921975308642, 0.7260135802469135, 0.0), (8.187791048191048, 7.971146730681298, 6.892236396890718, 7.404835956790124, 5.962842930918115, 2.916666666666667, 3.263128362785444, 3.006051440329218, 3.2238853497942395, 1.5556299405578424, 1.1139003948954567, 0.6467426306965403, 0.0, 8.1, 7.114168937661942, 5.569501974477284, 4.666889821673526, 6.447770699588479, 4.208472016460905, 3.263128362785444, 2.0833333333333335, 2.9814214654590576, 2.468278652263375, 1.3784472793781437, 0.724649702789209, 0.0), (8.194278025437447, 7.95506973022405, 6.888088705989941, 7.401369598765432, 5.965010920613797, 2.916666666666667, 3.2569313322036635, 2.9933127572016467, 3.2222736625514408, 1.5523948331047102, 1.1134191711352206, 0.6461896052431033, 0.0, 8.1, 7.108085657674136, 5.5670958556761025, 4.657184499314129, 6.4445473251028815, 4.1906378600823055, 3.2569313322036635, 2.0833333333333335, 2.9825054603068986, 2.4671231995884777, 1.3776177411979884, 0.7231881572930956, 0.0), (8.200578613396004, 7.937966666666665, 6.8836666666666675, 7.3976625, 5.967114779825512, 2.916666666666667, 3.250341176470588, 2.979833333333334, 3.220553333333333, 1.5489600000000006, 1.1129030303030305, 0.6456000000000002, 0.0, 8.1, 7.101600000000001, 5.564515151515152, 4.64688, 6.441106666666666, 4.1717666666666675, 3.250341176470588, 2.0833333333333335, 2.983557389912756, 2.4658875000000005, 1.3767333333333336, 0.7216333333333333, 0.0), (8.20669217540522, 7.919885825331503, 6.8789812528577965, 7.393722067901235, 5.969154410659692, 2.916666666666667, 3.2433768740417976, 2.9656625514403294, 3.218728312757202, 1.5453361957018754, 1.1123527705033882, 0.6449752781588174, 0.0, 8.1, 7.09472805974699, 5.561763852516941, 4.636008587105625, 6.437456625514404, 4.1519275720164615, 3.2433768740417976, 2.0833333333333335, 2.984577205329846, 2.4645740226337454, 1.3757962505715595, 0.7199896204846822, 0.0), (8.212618074803581, 7.9008754915409245, 6.874043438500229, 7.389555709876545, 5.971129715222768, 2.916666666666667, 3.2360574033728717, 2.9508497942386835, 3.2168025514403293, 1.5415341746684963, 1.111769189840795, 0.6443169029111417, 0.0, 8.1, 7.087485932022558, 5.558845949203975, 4.624602524005487, 6.433605102880659, 4.131189711934157, 3.2360574033728717, 2.0833333333333335, 2.985564857611384, 2.4631852366255154, 1.3748086877000458, 0.7182614083219023, 0.0), (8.218355674929589, 7.880983950617284, 6.868864197530866, 7.3851708333333335, 5.973040595621175, 2.916666666666667, 3.2284017429193903, 2.9354444444444447, 3.21478, 1.5375646913580252, 1.1111530864197532, 0.6436263374485597, 0.0, 8.1, 7.079889711934156, 5.555765432098766, 4.612694074074074, 6.42956, 4.109622222222223, 3.2284017429193903, 2.0833333333333335, 2.9865202978105874, 2.4617236111111116, 1.3737728395061732, 0.7164530864197532, 0.0), (8.22390433912173, 7.860259487882944, 6.863454503886603, 7.380574845679012, 5.974886953961343, 2.916666666666667, 3.2204288711369324, 2.9194958847736636, 3.212664609053498, 1.5334385002286244, 1.1105052583447648, 0.6429050449626583, 0.0, 8.1, 7.071955494589241, 5.552526291723823, 4.600315500685872, 6.425329218106996, 4.087294238683129, 3.2204288711369324, 2.0833333333333335, 2.9874434769806717, 2.460191615226338, 1.3726909007773205, 0.714569044352995, 0.0), (8.229263430718502, 7.838750388660264, 6.857825331504345, 7.375775154320989, 5.976668692349708, 2.916666666666667, 3.212157766481078, 2.903053497942387, 3.210460329218107, 1.529166355738455, 1.1098265037203312, 0.6421544886450238, 0.0, 8.1, 7.06369937509526, 5.549132518601655, 4.587499067215363, 6.420920658436214, 4.0642748971193425, 3.212157766481078, 2.0833333333333335, 2.988334346174854, 2.4585917181069967, 1.371565066300869, 0.7126136716963878, 0.0), (8.2344323130584, 7.816504938271606, 6.85198765432099, 7.370779166666668, 5.978385712892697, 2.916666666666667, 3.2036074074074072, 2.886166666666667, 3.2081711111111115, 1.5247590123456796, 1.1091176206509543, 0.641376131687243, 0.0, 8.1, 7.0551374485596705, 5.5455881032547705, 4.574277037037037, 6.416342222222223, 4.040633333333334, 3.2036074074074072, 2.0833333333333335, 2.9891928564463486, 2.4569263888888897, 1.370397530864198, 0.7105913580246915, 0.0), (8.239410349479915, 7.7935714220393235, 6.845952446273435, 7.3655942901234575, 5.980037917696748, 2.916666666666667, 3.1947967723715003, 2.868884773662552, 3.2058009053497942, 1.5202272245084596, 1.1083794072411357, 0.6405714372809025, 0.0, 8.1, 7.046285810089926, 5.541897036205678, 4.5606816735253775, 6.4116018106995885, 4.016438683127573, 3.1947967723715003, 2.0833333333333335, 2.990018958848374, 2.4551980967078197, 1.369190489254687, 0.7085064929126659, 0.0), (8.244196903321543, 7.769998125285779, 6.839730681298583, 7.360227932098766, 5.981625208868291, 2.916666666666667, 3.185744839828936, 2.8512572016460913, 3.2033536625514403, 1.515581746684957, 1.1076126615953779, 0.639741868617589, 0.0, 8.1, 7.037160554793477, 5.538063307976889, 4.54674524005487, 6.4067073251028805, 3.9917600823045283, 3.185744839828936, 2.0833333333333335, 2.9908126044341454, 2.4534093106995893, 1.3679461362597167, 0.7063634659350709, 0.0), (8.248791337921773, 7.745833333333334, 6.833333333333335, 7.354687500000001, 5.983147488513758, 2.916666666666667, 3.1764705882352944, 2.833333333333334, 3.2008333333333328, 1.510833333333334, 1.106818181818182, 0.638888888888889, 0.0, 8.1, 7.027777777777777, 5.534090909090909, 4.532500000000001, 6.4016666666666655, 3.9666666666666672, 3.1764705882352944, 2.0833333333333335, 2.991573744256879, 2.4515625000000005, 1.366666666666667, 0.7041666666666668, 0.0), (8.253193016619106, 7.721125331504343, 6.8267713763145865, 7.348980401234568, 5.984604658739582, 2.916666666666667, 3.1669929960461554, 2.81516255144033, 3.198243868312757, 1.5059927389117518, 1.10599676601405, 0.6380139612863894, 0.0, 8.1, 7.018153574150282, 5.5299838300702495, 4.517978216735254, 6.396487736625514, 3.941227572016462, 3.1669929960461554, 2.0833333333333335, 2.992302329369791, 2.4496601337448567, 1.3653542752629175, 0.7019204846822131, 0.0), (8.257401302752028, 7.695922405121171, 6.8200557841792415, 7.3431140432098765, 5.985996621652196, 2.916666666666667, 3.1573310417170988, 2.7967942386831277, 3.195589218106996, 1.5010707178783727, 1.105149212287484, 0.6371185490016767, 0.0, 8.1, 7.008304039018443, 5.525746061437419, 4.503212153635117, 6.391178436213992, 3.915511934156379, 3.1573310417170988, 2.0833333333333335, 2.992998310826098, 2.4477046810699594, 1.3640111568358484, 0.6996293095564702, 0.0), (8.261415559659037, 7.670272839506174, 6.8131975308641985, 7.3370958333333345, 5.987323279358032, 2.916666666666667, 3.1475037037037037, 2.7782777777777783, 3.1928733333333335, 1.4960780246913583, 1.1042763187429856, 0.6362041152263375, 0.0, 8.1, 6.998245267489711, 5.521381593714927, 4.488234074074074, 6.385746666666667, 3.88958888888889, 3.1475037037037037, 2.0833333333333335, 2.993661639679016, 2.445698611111112, 1.3626395061728398, 0.6972975308641977, 0.0), (8.26523515067863, 7.644224919981709, 6.806207590306356, 7.330933179012346, 5.9885845339635235, 2.916666666666667, 3.137529960461551, 2.7596625514403295, 3.190100164609053, 1.491025413808871, 1.1033788834850566, 0.6352721231519587, 0.0, 8.1, 6.987993354671545, 5.5168944174252825, 4.473076241426613, 6.380200329218106, 3.8635275720164617, 3.137529960461551, 2.0833333333333335, 2.9942922669817618, 2.443644393004116, 1.3612415180612714, 0.6949295381801555, 0.0), (8.268859439149294, 7.617826931870143, 6.799096936442616, 7.324633487654321, 5.989780287575101, 2.916666666666667, 3.12742879044622, 2.7409979423868314, 3.1872736625514397, 1.485923639689072, 1.1024577046181985, 0.6343240359701267, 0.0, 8.1, 6.977564395671393, 5.512288523090993, 4.457770919067215, 6.3745473251028795, 3.8373971193415644, 3.12742879044622, 2.0833333333333335, 2.9948901437875506, 2.441544495884774, 1.3598193872885234, 0.692529721079104, 0.0), (8.272287788409528, 7.591127160493827, 6.791876543209877, 7.318204166666668, 5.9909104422991994, 2.916666666666667, 3.11721917211329, 2.7223333333333333, 3.184397777777778, 1.4807834567901237, 1.1015135802469138, 0.6333613168724281, 0.0, 8.1, 6.966974485596708, 5.507567901234569, 4.44235037037037, 6.368795555555556, 3.811266666666667, 3.11721917211329, 2.0833333333333335, 2.9954552211495997, 2.4394013888888897, 1.3583753086419754, 0.6901024691358025, 0.0), (8.275519561797823, 7.564173891175126, 6.78455738454504, 7.311652623456791, 5.991974900242248, 2.916666666666667, 3.1069200839183413, 2.7037181069958844, 3.18147646090535, 1.4756156195701877, 1.1005473084757038, 0.6323854290504498, 0.0, 8.1, 6.956239719554947, 5.502736542378519, 4.4268468587105625, 6.3629529218107, 3.7852053497942384, 3.1069200839183413, 2.0833333333333335, 2.995987450121124, 2.437217541152264, 1.356911476909008, 0.6876521719250116, 0.0), (8.278554122652675, 7.537015409236398, 6.777150434385004, 7.304986265432099, 5.992973563510682, 2.916666666666667, 3.0965505043169532, 2.6852016460905355, 3.1785136625514405, 1.470430882487426, 1.0995596874090703, 0.6313978356957782, 0.0, 8.1, 6.945376192653559, 5.4977984370453505, 4.411292647462277, 6.357027325102881, 3.7592823045267494, 3.0965505043169532, 2.0833333333333335, 2.996486781755341, 2.4349954218107, 1.355430086877001, 0.6851832190214908, 0.0), (8.281390834312573, 7.5097000000000005, 6.769666666666667, 7.2982125, 5.993906334210934, 2.916666666666667, 3.086129411764706, 2.6668333333333334, 3.1755133333333334, 1.4652400000000003, 1.098551515151515, 0.6304000000000001, 0.0, 8.1, 6.9344, 5.492757575757575, 4.395720000000001, 6.351026666666667, 3.7335666666666665, 3.086129411764706, 2.0833333333333335, 2.996953167105467, 2.4327375000000004, 1.3539333333333334, 0.6827000000000002, 0.0), (8.284029060116017, 7.482275948788294, 6.762117055326932, 7.291338734567901, 5.994773114449434, 2.916666666666667, 3.075675784717179, 2.6486625514403292, 3.1724794238683125, 1.4600537265660727, 1.0975235898075406, 0.6293933851547021, 0.0, 8.1, 6.923327236701723, 5.487617949037702, 4.380161179698217, 6.344958847736625, 3.708127572016461, 3.075675784717179, 2.0833333333333335, 2.997386557224717, 2.4304462448559674, 1.3524234110653865, 0.6802069044352995, 0.0), (8.286468163401498, 7.454791540923639, 6.754512574302698, 7.28437237654321, 5.995573806332619, 2.916666666666667, 3.0652086016299527, 2.6307386831275723, 3.169415884773662, 1.4548828166438048, 1.0964767094816479, 0.6283794543514709, 0.0, 8.1, 6.912173997866179, 5.482383547408239, 4.364648449931414, 6.338831769547324, 3.6830341563786013, 3.0652086016299527, 2.0833333333333335, 2.9977869031663094, 2.4281241255144037, 1.3509025148605398, 0.6777083219021491, 0.0), (8.288707507507507, 7.427295061728395, 6.746864197530866, 7.277320833333334, 5.996308311966915, 2.916666666666667, 3.0547468409586056, 2.613111111111112, 3.166326666666667, 1.4497380246913585, 1.0954116722783391, 0.627359670781893, 0.0, 8.1, 6.900956378600823, 5.477058361391695, 4.349214074074075, 6.332653333333334, 3.6583555555555565, 3.0547468409586056, 2.0833333333333335, 2.9981541559834577, 2.425773611111112, 1.3493728395061733, 0.6752086419753087, 0.0), (8.290746455772544, 7.39983479652492, 6.739182898948332, 7.270191512345679, 5.99697653345876, 2.916666666666667, 3.044309481158719, 2.595829218106996, 3.163215720164609, 1.4446301051668957, 1.0943292763021162, 0.6263354976375554, 0.0, 8.1, 6.889690474013108, 5.471646381510581, 4.333890315500686, 6.326431440329218, 3.6341609053497947, 3.044309481158719, 2.0833333333333335, 2.99848826672938, 2.4233971707818935, 1.3478365797896665, 0.6727122542295383, 0.0), (8.292584371535098, 7.372459030635573, 6.731479652491998, 7.262991820987654, 5.9975783729145835, 2.916666666666667, 3.0339155006858713, 2.578942386831276, 3.160086995884774, 1.4395698125285785, 1.0932303196574802, 0.6253083981100444, 0.0, 8.1, 6.878392379210486, 5.4661515982874, 4.318709437585735, 6.320173991769548, 3.6105193415637866, 3.0339155006858713, 2.0833333333333335, 2.9987891864572918, 2.420997273662552, 1.3462959304984, 0.6702235482395976, 0.0), (8.294220618133663, 7.345216049382717, 6.723765432098765, 7.255729166666667, 5.998113732440819, 2.916666666666667, 3.0235838779956428, 2.5625000000000004, 3.156944444444445, 1.4345679012345682, 1.092115600448934, 0.6242798353909466, 0.0, 8.1, 6.867078189300411, 5.460578002244669, 4.303703703703704, 6.31388888888889, 3.5875000000000004, 3.0235838779956428, 2.0833333333333335, 2.9990568662204096, 2.4185763888888894, 1.3447530864197532, 0.6677469135802471, 0.0), (8.295654558906731, 7.3181541380887065, 6.716051211705533, 7.248410956790124, 5.998582514143899, 2.916666666666667, 3.0133335915436135, 2.5465514403292184, 3.1537920164609052, 1.4296351257430273, 1.0909859167809788, 0.623251272671849, 0.0, 8.1, 6.855763999390337, 5.454929583904893, 4.2889053772290815, 6.3075840329218105, 3.5651720164609055, 3.0133335915436135, 2.0833333333333335, 2.9992912570719494, 2.4161369855967085, 1.3432102423411068, 0.6652867398262462, 0.0), (8.296885557192804, 7.291321582075903, 6.708347965249201, 7.241044598765433, 5.998984620130258, 2.916666666666667, 3.0031836197853625, 2.5311460905349796, 3.1506336625514404, 1.4247822405121175, 1.0898420667581163, 0.6222241731443379, 0.0, 8.1, 6.844465904587715, 5.449210333790581, 4.274346721536352, 6.301267325102881, 3.5436045267489718, 3.0031836197853625, 2.0833333333333335, 2.999492310065129, 2.4136815329218115, 1.3416695930498403, 0.6628474165523549, 0.0), (8.297912976330368, 7.264766666666667, 6.700666666666668, 7.233637500000001, 5.999319952506323, 2.916666666666667, 2.9931529411764703, 2.5163333333333338, 3.147473333333333, 1.4200200000000003, 1.0886848484848488, 0.6212000000000001, 0.0, 8.1, 6.8332, 5.443424242424244, 4.26006, 6.294946666666666, 3.5228666666666677, 2.9931529411764703, 2.0833333333333335, 2.9996599762531617, 2.411212500000001, 1.3401333333333336, 0.6604333333333334, 0.0), (8.298736179657919, 7.2385376771833565, 6.693018289894834, 7.226197067901236, 5.999588413378532, 2.916666666666667, 2.983260534172517, 2.5021625514403296, 3.1443149794238683, 1.415359158664838, 1.0875150600656773, 0.6201802164304223, 0.0, 8.1, 6.821982380734645, 5.437575300328387, 4.246077475994513, 6.288629958847737, 3.5030275720164616, 2.983260534172517, 2.0833333333333335, 2.999794206689266, 2.408732355967079, 1.3386036579789669, 0.6580488797439416, 0.0), (8.29935453051395, 7.212682898948331, 6.685413808870599, 7.218730709876544, 5.999789904853316, 2.916666666666667, 2.9735253772290813, 2.4886831275720165, 3.1411625514403294, 1.4108104709647922, 1.0863334996051048, 0.619166285627191, 0.0, 8.1, 6.8108291418991, 5.431667498025524, 4.232431412894376, 6.282325102880659, 3.484156378600823, 2.9735253772290813, 2.0833333333333335, 2.999894952426658, 2.4062435699588485, 1.33708276177412, 0.6556984453589393, 0.0), (8.299767392236957, 7.187250617283952, 6.677864197530865, 7.211245833333334, 5.999924329037105, 2.916666666666667, 2.963966448801743, 2.475944444444445, 3.13802, 1.406384691358025, 1.085140965207632, 0.6181596707818932, 0.0, 8.1, 6.799756378600824, 5.425704826038159, 4.2191540740740745, 6.27604, 3.466322222222223, 2.963966448801743, 2.0833333333333335, 2.9999621645185526, 2.4037486111111117, 1.3355728395061732, 0.6533864197530866, 0.0), (8.299974128165434, 7.162289117512574, 6.670380429812529, 7.203749845679012, 5.999991588036336, 2.916666666666667, 2.9546027273460824, 2.4639958847736634, 3.1348912757201646, 1.4020925743026982, 1.0839382549777616, 0.617161835086115, 0.0, 8.1, 6.788780185947264, 5.419691274888807, 4.206277722908094, 6.269782551440329, 3.4495942386831286, 2.9546027273460824, 2.0833333333333335, 2.999995794018168, 2.401249948559671, 1.3340760859625058, 0.6511171925011432, 0.0), (8.29983329158466, 7.137715668834903, 6.662937299954276, 7.196185044283415, 5.999934909491917, 2.916612538739013, 2.9454060779318585, 2.452781283340954, 3.131756759640299, 1.3979240883294335, 1.0827047984720504, 0.6161686681266496, 0.0, 8.099900120027435, 6.777855349393144, 5.413523992360251, 4.1937722649883, 6.263513519280598, 3.433893796677336, 2.9454060779318585, 2.0832946705278665, 2.9999674547459585, 2.398728348094472, 1.3325874599908551, 0.648883242621355, 0.0), (8.298513365539453, 7.112780047789725, 6.655325617283951, 7.188170108695652, 5.999419026870006, 2.916184636488341, 2.9361072725386457, 2.4416995884773662, 3.1284794238683125, 1.3937612781408861, 1.0813150451887295, 0.6151479315572884, 0.0, 8.099108796296298, 6.766627247130171, 5.406575225943647, 4.181283834422658, 6.256958847736625, 3.4183794238683127, 2.9361072725386457, 2.0829890260631005, 2.999709513435003, 2.396056702898551, 1.33106512345679, 0.6466163679808842, 0.0), (8.295908630047116, 7.087367803885127, 6.647512288523091, 7.179652274557166, 5.998399634202102, 2.9153419194228523, 2.926664053824548, 2.4306508154244786, 3.1250407712238992, 1.3895839048925471, 1.079753184870144, 0.614094850752854, 0.0, 8.097545867626888, 6.755043358281393, 5.3987659243507204, 4.168751714677641, 6.2500815424477985, 3.40291114159427, 2.926664053824548, 2.082387085302037, 2.999199817101051, 2.393217424852389, 1.3295024577046182, 0.6443061639895571, 0.0), (8.292055728514343, 7.061494123633789, 6.639500057155922, 7.170644102254428, 5.9968896420022055, 2.9140980439973583, 2.9170806638155953, 2.4196386221612562, 3.1214459228776104, 1.3853920718685282, 1.0780249827711816, 0.613010195814181, 0.0, 8.095231910150892, 6.743112153955991, 5.390124913855908, 4.1561762156055835, 6.242891845755221, 3.387494071025759, 2.9170806638155953, 2.081498602855256, 2.9984448210011028, 2.3902147007514767, 1.3279000114311843, 0.6419540112394354, 0.0), (8.286991304347827, 7.035174193548387, 6.631291666666667, 7.161158152173913, 5.994901960784313, 2.9124666666666674, 2.907361344537815, 2.408666666666667, 3.1177, 1.3811858823529415, 1.0761362041467308, 0.6118947368421054, 0.0, 8.0921875, 6.730842105263158, 5.380681020733653, 4.143557647058824, 6.2354, 3.3721333333333336, 2.907361344537815, 2.080333333333334, 2.9974509803921565, 2.3870527173913048, 1.3262583333333333, 0.6395612903225807, 0.0), (8.280752000954257, 7.008423200141599, 6.622889860539551, 7.151206984702094, 5.992449501062428, 2.9104614438855867, 2.897510338017237, 2.397738606919677, 3.113808123761622, 1.376965439629899, 1.0740926142516787, 0.6107492439374613, 0.0, 8.0884332133059, 6.7182416833120735, 5.370463071258393, 4.130896318889696, 6.227616247523244, 3.356834049687548, 2.897510338017237, 2.0789010313468475, 2.996224750531214, 2.383735661567365, 1.3245779721079105, 0.6371293818310545, 0.0), (8.273374461740323, 6.981256329926103, 6.614297382258802, 7.140803160225442, 5.989545173350547, 2.908096032108927, 2.887531886279889, 2.3868581008992535, 3.1097754153330284, 1.3727308469835127, 1.0718999783409144, 0.6095744872010845, 0.0, 8.083989626200276, 6.705319359211929, 5.359499891704571, 4.118192540950537, 6.219550830666057, 3.3416013412589547, 2.887531886279889, 2.0772114515063764, 2.9947725866752735, 2.380267720075148, 1.3228594764517605, 0.6346596663569185, 0.0), (8.26489533011272, 6.953688769414575, 6.605516975308642, 7.129959239130434, 5.986201888162673, 2.905384087791496, 2.8774302313518003, 2.376028806584362, 3.1056069958847736, 1.3684822076978942, 1.069564061669325, 0.6083712367338099, 0.0, 8.078877314814816, 6.692083604071907, 5.347820308346624, 4.105446623093682, 6.211213991769547, 3.3264403292181073, 2.8774302313518003, 2.0752743484224974, 2.9931009440813363, 2.3766530797101453, 1.3211033950617284, 0.6321535244922342, 0.0), (8.255351249478142, 6.925735705119696, 6.596551383173297, 7.118687781803542, 5.982432556012803, 2.9023392673881023, 2.8672096152589983, 2.365254381953971, 3.1013079865874102, 1.364219625057156, 1.067090629491799, 0.6071402626364722, 0.0, 8.073116855281206, 6.678542889001194, 5.335453147458995, 4.092658875171468, 6.2026159731748205, 3.311356134735559, 2.8672096152589983, 2.0730994767057873, 2.9912162780064016, 2.372895927267848, 1.3193102766346596, 0.6296123368290635, 0.0), (8.244778863243274, 6.897412323554141, 6.587403349336991, 7.10700134863124, 5.9782500874149385, 2.8989752273535543, 2.8568742800275118, 2.354538484987045, 3.0968835086114925, 1.3599432023454103, 1.0644854470632252, 0.6058823350099072, 0.0, 8.06672882373114, 6.664705685108978, 5.322427235316125, 4.07982960703623, 6.193767017222985, 3.296353878981863, 2.8568742800275118, 2.0706965909668247, 2.9891250437074692, 2.369000449543747, 1.3174806698673982, 0.6270374839594675, 0.0), (8.233214814814815, 6.8687338112305865, 6.578075617283951, 7.0949125, 5.97366739288308, 2.895305624142661, 2.84642846768337, 2.343884773662552, 3.092338683127571, 1.3556530428467686, 1.0617542796384905, 0.6045982239549493, 0.0, 8.059733796296298, 6.650580463504441, 5.308771398192452, 4.066959128540305, 6.184677366255142, 3.2814386831275724, 2.84642846768337, 2.0680754458161865, 2.98683369644154, 2.364970833333334, 1.3156151234567903, 0.624430346475508, 0.0), (8.220695747599452, 6.8397153546617115, 6.5685709304984, 7.082433796296296, 5.968697382931225, 2.891344114210232, 2.8358764202526006, 2.333296905959458, 3.0876786313062032, 1.351349249845343, 1.058902892472483, 0.6032886995724337, 0.0, 8.052152349108367, 6.63617569529677, 5.294514462362415, 4.0540477495360285, 6.1753572626124065, 3.266615668343241, 2.8358764202526006, 2.0652457958644517, 2.9843486914656125, 2.3608112654320994, 1.3137141860996802, 0.6217923049692465, 0.0), (8.207258305003878, 6.810372140360193, 6.558892032464563, 7.069577797906602, 5.963352968073375, 2.8871043540110755, 2.8252223797612324, 2.3227785398567296, 3.0829084743179394, 1.3470319266252455, 1.055937050820092, 0.6019545319631957, 0.0, 8.04400505829904, 6.621499851595152, 5.2796852541004595, 4.041095779875736, 6.165816948635879, 3.2518899557994216, 2.8252223797612324, 2.0622173957221968, 2.9816764840366874, 2.3565259326355346, 1.3117784064929128, 0.619124740032745, 0.0), (8.192939130434784, 6.78071935483871, 6.5490416666666675, 7.056357065217393, 5.957647058823529, 2.8826000000000005, 2.8144705882352943, 2.3123333333333336, 3.078033333333333, 1.3427011764705885, 1.0528625199362043, 0.6005964912280702, 0.0, 8.0353125, 6.606561403508772, 5.264312599681022, 4.028103529411765, 6.156066666666666, 3.237266666666667, 2.8144705882352943, 2.059, 2.9788235294117644, 2.3521190217391315, 1.3098083333333335, 0.6164290322580647, 0.0), (8.177774867298861, 6.750772184609939, 6.539022576588936, 7.042784158615137, 5.951592565695688, 2.877844708631815, 2.8036252877008145, 2.301964944368237, 3.0730583295229383, 1.3383571026654835, 1.0496850650757086, 0.5992153474678925, 0.0, 8.026095250342937, 6.5913688221468165, 5.248425325378542, 4.0150713079964495, 6.146116659045877, 3.2227509221155315, 2.8036252877008145, 2.0556033633084394, 2.975796282847844, 2.3475947195383795, 1.3078045153177873, 0.6137065622372673, 0.0), (8.161802159002804, 6.720545816186557, 6.528837505715592, 7.028871638486312, 5.945202399203851, 2.8728521363613275, 2.7926907201838214, 2.2916770309404058, 3.067988584057308, 1.3339998084940425, 1.0464104514934927, 0.5978118707834975, 0.0, 8.016373885459535, 6.575930578618472, 5.232052257467463, 4.001999425482127, 6.135977168114616, 3.208347843316568, 2.7926907201838214, 2.052037240258091, 2.9726011996019257, 2.3429572128287712, 1.3057675011431187, 0.6109587105624144, 0.0), (8.145057648953301, 6.690055436081242, 6.518489197530864, 7.014632065217392, 5.938489469862018, 2.867635939643347, 2.7816711277103434, 2.2814732510288067, 3.0628292181069954, 1.329629397240378, 1.0430444444444447, 0.5963868312757202, 0.0, 8.006168981481482, 6.560255144032922, 5.215222222222223, 3.9888881917211334, 6.125658436213991, 3.194062551440329, 2.7816711277103434, 2.0483113854595336, 2.969244734931009, 2.338210688405798, 1.303697839506173, 0.6081868578255676, 0.0), (8.127577980557048, 6.659316230806673, 6.507980395518976, 7.000077999194847, 5.931466688184191, 2.862209774932684, 2.77057075230641, 2.2713572626124074, 3.057585352842554, 1.3252459721886014, 1.0395928091834528, 0.5949409990453959, 0.0, 7.995501114540467, 6.544350989499354, 5.197964045917263, 3.9757379165658033, 6.115170705685108, 3.17990016765737, 2.77057075230641, 2.0444355535233454, 2.9657333440920954, 2.3333593330649496, 1.3015960791037953, 0.6053923846187885, 0.0), (8.10939979722073, 6.6283433868755255, 6.497313843164153, 6.985222000805154, 5.924146964684365, 2.8565872986841443, 2.7593938359980483, 2.2613327236701726, 3.0522621094345377, 1.320849636622825, 1.0360613109654049, 0.5934751441933597, 0.0, 7.984390860768176, 6.528226586126955, 5.180306554827023, 3.9625489098684747, 6.104524218869075, 3.1658658131382413, 2.7593938359980483, 2.040419499060103, 2.9620734823421824, 2.3284073336017186, 1.2994627686328306, 0.6025766715341389, 0.0), (8.090559742351045, 6.597152090800478, 6.486492283950617, 6.970076630434782, 5.9165432098765445, 2.8507821673525378, 2.7481446208112876, 2.2514032921810703, 3.0468646090534985, 1.3164404938271608, 1.0324557150451887, 0.5919900368204463, 0.0, 7.972858796296297, 6.511890405024908, 5.162278575225944, 3.9493214814814817, 6.093729218106997, 3.1519646090534983, 2.7481446208112876, 2.036272976680384, 2.9582716049382722, 2.3233588768115947, 1.2972984567901236, 0.5997410991636799, 0.0), (8.071094459354686, 6.565757529094207, 6.475518461362597, 6.95465444847021, 5.908668334274726, 2.8448080373926743, 2.7368273487721564, 2.2415726261240665, 3.0413979728699894, 1.3120186470857205, 1.0287817866776934, 0.5904864470274911, 0.0, 7.960925497256517, 6.495350917302401, 5.143908933388466, 3.9360559412571607, 6.082795945739979, 3.138201676573693, 2.7368273487721564, 2.032005740994767, 2.954334167137363, 2.3182181494900704, 1.2951036922725196, 0.5968870480994735, 0.0), (8.051040591638339, 6.534174888269392, 6.464395118884317, 6.938968015297907, 5.90053524839291, 2.8386785652593614, 2.7254462619066833, 2.2318443834781285, 3.035867322054565, 1.3075841996826167, 1.025045291117806, 0.5889651449153291, 0.0, 7.948611539780521, 6.478616594068619, 5.125226455589029, 3.9227525990478496, 6.07173464410913, 3.12458213686938, 2.7254462619066833, 2.0276275466138296, 2.950267624196455, 2.312989338432636, 1.2928790237768635, 0.5940158989335812, 0.0), (8.030434782608696, 6.502419354838709, 6.453125000000001, 6.923029891304349, 5.892156862745098, 2.8324074074074077, 2.7140056022408965, 2.2222222222222223, 3.030277777777778, 1.303137254901961, 1.021251993620415, 0.5874269005847954, 0.0, 7.9359375000000005, 6.461695906432748, 5.106259968102074, 3.9094117647058826, 6.060555555555556, 3.111111111111111, 2.7140056022408965, 2.0231481481481484, 2.946078431372549, 2.3076766304347833, 1.2906250000000001, 0.5911290322580646, 0.0), (8.00931367567245, 6.470506115314836, 6.441710848193873, 6.906852636876007, 5.883546087845287, 2.826008220291622, 2.7025096118008247, 2.2127098003353147, 3.024634461210182, 1.2986779160278654, 1.0174076594404082, 0.585872484136725, 0.0, 7.922923954046638, 6.444597325503974, 5.0870382972020405, 3.8960337480835956, 6.049268922420364, 3.097793720469441, 2.7025096118008247, 2.0185773002083014, 2.9417730439226437, 2.302284212292003, 1.2883421696387747, 0.5882278286649852, 0.0), (7.9877139142362985, 6.438450356210453, 6.43015540695016, 6.890448812399356, 5.874715834207482, 2.8194946603668143, 2.690962532612497, 2.203310775796373, 3.018942493522329, 1.2942062863444421, 1.013518053832674, 0.5843026656719533, 0.0, 7.909591478052126, 6.427329322391485, 5.067590269163369, 3.8826188590333257, 6.037884987044658, 3.0846350861149223, 2.690962532612497, 2.0139247574048675, 2.937357917103741, 2.296816270799786, 1.2860310813900322, 0.5853136687464049, 0.0), (7.965672141706924, 6.406267264038233, 6.418461419753087, 6.873830978260871, 5.865679012345678, 2.8128803840877916, 2.6793686067019404, 2.1940288065843623, 3.013206995884774, 1.2897224691358027, 1.0095889420521, 0.5827182152913147, 0.0, 7.895960648148147, 6.409900368204461, 5.0479447102605, 3.8691674074074074, 6.026413991769548, 3.0716403292181074, 2.6793686067019404, 2.0092002743484225, 2.932839506172839, 2.291276992753624, 1.2836922839506175, 0.5823879330943849, 0.0), (7.943225001491024, 6.373972025310855, 6.406631630086878, 6.857011694847022, 5.856448532773877, 2.806179047909364, 2.6677320760951844, 2.1848675506782507, 3.007433089468069, 1.2852265676860597, 1.005626089353575, 0.581119903095645, 0.0, 7.882052040466393, 6.392318934052094, 5.028130446767873, 3.855679703058178, 6.014866178936138, 3.058814570949551, 2.6677320760951844, 2.0044136056495456, 2.9282242663869384, 2.2856705649490077, 1.2813263260173757, 0.5794520023009869, 0.0), (7.920409136995288, 6.341579826540998, 6.394668781435757, 6.840003522544284, 5.847037306006079, 2.799404308286339, 2.6560571828182575, 2.1758306660570037, 3.001625895442768, 1.2807186852793244, 1.0016352609919863, 0.5795084991857787, 0.0, 7.867886231138546, 6.374593491043566, 5.008176304959932, 3.8421560558379726, 6.003251790885536, 3.046162932479805, 2.6560571828182575, 1.9995745059188135, 2.9235186530030397, 2.2800011741814283, 1.2789337562871517, 0.5765072569582727, 0.0), (7.89726119162641, 6.30910585424134, 6.382575617283951, 6.8228190217391305, 5.8374582425562815, 2.7925698216735255, 2.6443481688971886, 2.1669218106995887, 2.995790534979424, 1.27619892519971, 0.9976222222222224, 0.5778847736625516, 0.0, 7.853483796296297, 6.356732510288067, 4.988111111111112, 3.828596775599129, 5.991581069958848, 3.0336905349794243, 2.6443481688971886, 1.9946927297668038, 2.9187291212781408, 2.2742730072463773, 1.2765151234567904, 0.5735550776583037, 0.0), (7.873817808791078, 6.276565294924556, 6.370354881115684, 6.805470752818035, 5.827724252938488, 2.7856892445257326, 2.6326092763580053, 2.1581446425849724, 2.9899321292485905, 1.2716673907313272, 0.9935927382991712, 0.576249496626798, 0.0, 7.838865312071332, 6.338744462894778, 4.967963691495855, 3.8150021721939806, 5.979864258497181, 3.0214024996189615, 2.6326092763580053, 1.9897780318040947, 2.913862126469244, 2.2684902509393456, 1.2740709762231368, 0.5705968449931414, 0.0), (7.850115631895988, 6.243973335103323, 6.35800931641518, 6.787971276167473, 5.817848247666694, 2.7787762332977706, 2.6208447472267373, 2.1495028196921204, 2.9840557994208194, 1.2671241851582886, 0.9895525744777209, 0.5746034381793533, 0.0, 7.824051354595337, 6.320637819972885, 4.947762872388605, 3.801372555474865, 5.968111598841639, 3.0093039475689687, 2.6208447472267373, 1.9848401666412645, 2.908924123833347, 2.2626570920558247, 1.2716018632830361, 0.5676339395548476, 0.0), (7.826191304347827, 6.211345161290323, 6.3455416666666675, 6.770333152173913, 5.807843137254903, 2.7718444444444446, 2.6090588235294123, 2.1410000000000005, 2.9781666666666666, 1.2625694117647062, 0.9855074960127594, 0.5729473684210528, 0.0, 7.8090625000000005, 6.302421052631579, 4.927537480063797, 3.787708235294118, 5.956333333333333, 2.9974000000000007, 2.6090588235294123, 1.9798888888888888, 2.9039215686274513, 2.256777717391305, 1.2691083333333337, 0.564667741935484, 0.0), (7.80208146955329, 6.178695959998229, 6.332954675354367, 6.752568941223833, 5.797721832217111, 2.764907534420566, 2.597255747292058, 2.1326398414875785, 2.9722698521566837, 1.258003173834692, 0.9814632681591747, 0.5712820574527312, 0.0, 7.79391932441701, 6.284102631980042, 4.907316340795873, 3.774009521504075, 5.944539704313367, 2.98569577808261, 2.597255747292058, 1.9749339531575472, 2.8988609161085557, 2.250856313741278, 1.2665909350708735, 0.5616996327271119, 0.0), (7.777822770919068, 6.1460409177397235, 6.320251085962506, 6.734691203703704, 5.787497243067323, 2.757979159680943, 2.585439760540705, 2.124426002133821, 2.9663704770614236, 1.253425574652358, 0.9774256561718551, 0.5696082753752236, 0.0, 7.7786424039780515, 6.265691029127459, 4.887128280859275, 3.760276723957073, 5.932740954122847, 2.9741964029873493, 2.585439760540705, 1.9699851140578162, 2.8937486215336614, 2.244897067901235, 1.2640502171925014, 0.5587309925217931, 0.0), (7.753451851851853, 6.11339522102748, 6.307433641975309, 6.716712500000001, 5.7771822803195345, 2.7510729766803848, 2.5736151053013803, 2.1163621399176957, 2.9604736625514403, 1.248836717501816, 0.9734004253056887, 0.5679267922893655, 0.0, 7.763252314814816, 6.24719471518302, 4.867002126528443, 3.746510152505447, 5.920947325102881, 2.962906995884774, 2.5736151053013803, 1.965052126200275, 2.8885911401597673, 2.2389041666666674, 1.261486728395062, 0.5557632019115891, 0.0), (7.729005355758336, 6.080774056374176, 6.294505086877001, 6.698645390499196, 5.766789854487748, 2.7442026418736987, 2.561786023600112, 2.1084519128181682, 2.9545845297972866, 1.2442367056671781, 0.9693933408155633, 0.5662383782959916, 0.0, 7.747769633058984, 6.228622161255906, 4.846966704077817, 3.7327101170015338, 5.909169059594573, 2.951832677945436, 2.561786023600112, 1.960144744195499, 2.883394927243874, 2.2328817968330656, 1.2589010173754003, 0.5527976414885616, 0.0), (7.704519926045208, 6.048192610292491, 6.281468164151806, 6.680502435587762, 5.756332876085962, 2.7373818117156943, 2.5499567574629305, 2.1006989788142056, 2.948708199969517, 1.2396256424325565, 0.9654101679563669, 0.564543803495937, 0.0, 7.732214934842251, 6.209981838455306, 4.827050839781834, 3.7188769272976687, 5.897416399939034, 2.9409785703398876, 2.5499567574629305, 1.9552727226540672, 2.878166438042981, 2.2268341451959213, 1.2562936328303613, 0.549835691844772, 0.0), (7.680032206119162, 6.015666069295101, 6.268325617283951, 6.662296195652173, 5.745824255628177, 2.7306241426611804, 2.5381315489158633, 2.0931069958847743, 2.942849794238683, 1.235003631082063, 0.961456671982988, 0.562843837990037, 0.0, 7.716608796296296, 6.1912822178904054, 4.80728335991494, 3.705010893246188, 5.885699588477366, 2.930349794238684, 2.5381315489158633, 1.9504458161865572, 2.8729121278140886, 2.220765398550725, 1.2536651234567902, 0.546878733572282, 0.0), (7.655578839386891, 5.983209619894685, 6.255080189757659, 6.644039231078905, 5.735276903628392, 2.723943291164965, 2.526314639984938, 2.0856796220088403, 2.9370144337753388, 1.2303707748998092, 0.9575386181503142, 0.5611392518791264, 0.0, 7.700971793552812, 6.172531770670389, 4.787693090751571, 3.691112324699427, 5.8740288675506775, 2.9199514708123764, 2.526314639984938, 1.9456737794035461, 2.867638451814196, 2.214679743692969, 1.2510160379515318, 0.5439281472631533, 0.0), (7.631196469255085, 5.950838448603921, 6.241734625057157, 6.625744102254428, 5.724703730600607, 2.7173529136818577, 2.5145102726961848, 2.0784205151653716, 2.931207239750038, 1.225727177169908, 0.9536617717132337, 0.5594308152640404, 0.0, 7.685324502743484, 6.153738967904443, 4.768308858566169, 3.6771815315097234, 5.862414479500076, 2.9097887212315205, 2.5145102726961848, 1.9409663669156128, 2.8623518653003037, 2.208581367418143, 1.2483469250114314, 0.5409853135094475, 0.0), (7.606921739130435, 5.918567741935485, 6.228291666666668, 6.607423369565218, 5.714117647058822, 2.7108666666666674, 2.5027226890756302, 2.0713333333333335, 2.9254333333333333, 1.221072941176471, 0.9498318979266349, 0.5577192982456142, 0.0, 7.669687500000001, 6.134912280701755, 4.749159489633174, 3.6632188235294123, 5.850866666666667, 2.899866666666667, 2.5027226890756302, 1.9363333333333337, 2.857058823529411, 2.20247445652174, 1.2456583333333338, 0.538051612903226, 0.0), (7.582791292419635, 5.886412686402053, 6.214754058070417, 6.589089593397745, 5.70353156351704, 2.7044982065742014, 2.490956131149305, 2.064421734491694, 2.9196978356957777, 1.2164081702036098, 0.9460547620454054, 0.5560054709246826, 0.0, 7.654081361454047, 6.116060180171507, 4.730273810227027, 3.6492245106108285, 5.839395671391555, 2.8901904282883715, 2.490956131149305, 1.9317844332672867, 2.85176578175852, 2.196363197799249, 1.2429508116140835, 0.5351284260365504, 0.0), (7.558841772529373, 5.854388468516307, 6.201124542752631, 6.570755334138486, 5.692958390489256, 2.6982611898592697, 2.4792148409432357, 2.0576893766194178, 2.9140058680079255, 1.211732967535437, 0.9423361293244336, 0.554290103402081, 0.0, 7.638526663237312, 6.0971911374228895, 4.711680646622168, 3.63519890260631, 5.828011736015851, 2.880765127267185, 2.4792148409432357, 1.9273294213280499, 2.846479195244628, 2.1902517780461626, 1.2402249085505264, 0.5322171335014826, 0.0), (7.535109822866345, 5.82251027479092, 6.187405864197532, 6.552433152173913, 5.68241103848947, 2.6921692729766806, 2.4675030604834527, 2.0511399176954734, 2.9083625514403293, 1.2070474364560642, 0.9386817650186072, 0.5525739657786443, 0.0, 7.623043981481482, 6.078313623565086, 4.693408825093036, 3.621142309368192, 5.816725102880659, 2.871595884773663, 2.4675030604834527, 1.9229780521262005, 2.841205519244735, 2.1841443840579715, 1.2374811728395065, 0.5293191158900837, 0.0), (7.51163208683724, 5.790793291738572, 6.173600765889348, 6.5341356078905, 5.671902418031685, 2.686236112381243, 2.4558250317959835, 2.0447770156988265, 2.9027730071635416, 1.2023516802496035, 0.9350974343828147, 0.5508578281552075, 0.0, 7.607653892318244, 6.059436109707281, 4.675487171914074, 3.6070550407488096, 5.805546014327083, 2.862687821978357, 2.4558250317959835, 1.9187400802723165, 2.8359512090158425, 2.178045202630167, 1.2347201531778695, 0.5264357537944157, 0.0), (7.488403378962436, 5.759305653776365, 6.159745218834713, 6.515900329495224, 5.661427029425976, 2.6804725589667733, 2.444210385462708, 2.038617522926869, 2.8972567496689656, 1.1976609473225461, 0.9315898541537156, 0.549146195766962, 0.0, 7.592355120674577, 6.0406081534365805, 4.657949270768578, 3.592982841967638, 5.794513499337931, 2.8540645320976163, 2.444210385462708, 1.914623256404838, 2.830713514712988, 2.1719667764984085, 1.2319490437669427, 0.5235732412523969, 0.0), (7.465184718320052, 5.728357934585393, 6.146030450014413, 6.497873652766401, 5.6508764557687075, 2.674865483980621, 2.432807283364232, 2.0327370865017067, 2.891898409523483, 1.1930630335825567, 0.9281659116150931, 0.5474608114741984, 0.0, 7.577020331328028, 6.022068926216181, 4.640829558075465, 3.5791891007476693, 5.783796819046966, 2.8458319211023895, 2.432807283364232, 1.9106182028433005, 2.8254382278843537, 2.1659578842554676, 1.2292060900028827, 0.5207598122350358, 0.0), (7.441907922403196, 5.697961279034234, 6.132464621804878, 6.480050703109068, 5.640217428207254, 2.669400305832757, 2.421623860076625, 2.027134218092903, 2.886699994311677, 1.1885650655976157, 0.9248206015236127, 0.5458025055039235, 0.0, 7.561605305328301, 6.003827560543158, 4.6241030076180625, 3.5656951967928463, 5.773399988623354, 2.8379879053300643, 2.421623860076625, 1.9067145041662548, 2.820108714103627, 2.1600169010363564, 1.226492924360976, 0.5179964799122032, 0.0), (7.418543898590108, 5.668071406280581, 6.119021459989249, 6.462399690159842, 5.629433880738015, 2.664064142733979, 2.4106419270111576, 2.021793437632998, 2.8816483571274216, 1.1841586716899097, 0.9215474575028644, 0.5441682131658231, 0.0, 7.546085807804713, 5.985850344824053, 4.607737287514321, 3.5524760150697285, 5.763296714254843, 2.8305108126861973, 2.4106419270111576, 1.9029029590956992, 2.8147169403690073, 2.154133230053281, 1.22380429199785, 0.5152792187527803, 0.0), (7.395063554259018, 5.638644035482129, 6.105674690350658, 6.444888823555345, 5.6185097473573915, 2.6588441128950824, 2.399843295579101, 2.0166992650545286, 2.8767303510645874, 1.179835480181626, 0.9183400131764379, 0.5425548697695834, 0.0, 7.53043760388658, 5.968103567465417, 4.591700065882189, 3.5395064405448773, 5.753460702129175, 2.8233789710763397, 2.399843295579101, 1.8991743663536302, 2.8092548736786958, 2.148296274518449, 1.2211349380701317, 0.5126040032256481, 0.0), (7.371437796788169, 5.60963488579657, 6.092398038672245, 6.427486312932199, 5.607428962061783, 2.6537273345268653, 2.3892097771917262, 2.0118362202900326, 2.871932829217049, 1.175587119394952, 0.9151918021679234, 0.5409594106248901, 0.0, 7.51463645870322, 5.950553516873789, 4.575959010839616, 3.5267613581848556, 5.743865658434098, 2.8165707084060454, 2.3892097771917262, 1.8955195246620464, 2.8037144810308914, 2.142495437644067, 1.218479607734449, 0.5099668077996883, 0.0), (7.347637533555794, 5.580999676381602, 6.079165230737149, 6.410160367927023, 5.5961754588475845, 2.648700925840122, 2.3787231832603024, 2.0071888232720485, 2.867242644678678, 1.1714052176520746, 0.9120963581009105, 0.5393787710414291, 0.0, 7.498658137383946, 5.933166481455719, 4.560481790504553, 3.5142156529562234, 5.734485289357356, 2.810064352580868, 2.3787231832603024, 1.8919292327429442, 2.7980877294237922, 2.1367201226423416, 1.21583304614743, 0.507363606943782, 0.0), (7.323633671940129, 5.552694126394916, 6.065949992328509, 6.392879198176436, 5.584733171711198, 2.6437520050456507, 2.3683653251961014, 2.0027415939331146, 2.8626466505433488, 1.1672814032751813, 0.909047214598989, 0.5378098863288866, 0.0, 7.482478405058078, 5.915908749617751, 4.545236072994944, 3.501844209825543, 5.7252933010866975, 2.80383823150636, 2.3683653251961014, 1.8883942893183219, 2.792366585855599, 2.1309597327254792, 1.2131899984657017, 0.5047903751268107, 0.0), (7.299397119319415, 5.524673954994208, 6.052726049229459, 6.3756110133170605, 5.573086034649023, 2.638867690354248, 2.358118014410392, 1.9984790522057692, 2.858131699904933, 1.1632073045864595, 0.906037905285749, 0.5362496917969483, 0.0, 7.466073026854929, 5.898746609766429, 4.530189526428744, 3.489621913759378, 5.716263399809866, 2.797870673088077, 2.358118014410392, 1.884905493110177, 2.7865430173245116, 2.1252036711056874, 1.2105452098458918, 0.5022430868176554, 0.0), (7.274898783071883, 5.496894881337171, 6.039467127223141, 6.358324022985514, 5.561217981657458, 2.634035099976709, 2.347963062314447, 1.9943857180225497, 2.8536846458573035, 1.1591745499080957, 0.9030619637847803, 0.5346951227553002, 0.0, 7.4494177679038165, 5.8816463503083005, 4.515309818923901, 3.4775236497242865, 5.707369291714607, 2.7921400052315697, 2.347963062314447, 1.8814536428405064, 2.780608990828729, 2.119441340995172, 1.2078934254446283, 0.49971771648519747, 0.0), (7.250109570575775, 5.469312624581501, 6.026146952092692, 6.340986436818417, 5.549112946732902, 2.629241352123832, 2.3378822803195356, 1.9904461113159944, 2.8492923414943343, 1.1551747675622777, 0.9001129237196728, 0.5331431145136282, 0.0, 7.432488393334058, 5.864574259649909, 4.500564618598363, 3.4655243026868323, 5.698584682988669, 2.7866245558423923, 2.3378822803195356, 1.8780295372313083, 2.774556473366451, 2.1136621456061393, 1.2052293904185383, 0.49721023859831837, 0.0), (7.225000389209324, 5.441882903884891, 6.012739249621247, 6.323566464452393, 5.536754863871753, 2.624473565006412, 2.327857479836928, 1.9866447520186423, 2.844941639909897, 1.1511995858711925, 0.897184318714016, 0.5315906023816185, 0.0, 7.4152606682749695, 5.847496626197802, 4.4859215935700805, 3.4535987576135767, 5.689883279819794, 2.781302652826099, 2.327857479836928, 1.87462397500458, 2.7683774319358765, 2.107855488150798, 1.2025478499242495, 0.49471662762589924, 0.0), (7.199542146350767, 5.414561438405035, 5.99921774559195, 6.306032315524057, 5.524127667070411, 2.619718856835246, 2.3178704722778956, 1.9829661600630304, 2.840619394197865, 1.147240633157027, 0.8942696823914004, 0.5300345216689567, 0.0, 7.397710357855863, 5.8303797383585225, 4.471348411957002, 3.4417218994710805, 5.68123878839573, 2.7761526240882426, 2.3178704722778956, 1.8712277548823186, 2.7620638335352057, 2.1020107718413525, 1.19984354911839, 0.49223285803682143, 0.0), (7.1737057493783425, 5.387303947299629, 5.985556165787933, 6.288352199670033, 5.511215290325276, 2.614964345821132, 2.307903069053708, 1.9793948553816976, 2.8363124574521112, 1.1432895377419687, 0.8913625483754153, 0.5284718076853291, 0.0, 7.379813227206063, 5.813189884538619, 4.4568127418770755, 3.4298686132259055, 5.6726249149042225, 2.7711527975343766, 2.307903069053708, 1.8678316755865225, 2.755607645162638, 2.0961173998900113, 1.1971112331575866, 0.4897549042999664, 0.0), (7.147462105670289, 5.360066149726364, 5.9717282359923365, 6.27049432652694, 5.498001667632746, 2.610197150174864, 2.2979370815756375, 1.975915357907182, 2.832007682766508, 1.139337927948205, 0.8884564502896507, 0.5268993957404212, 0.0, 7.361545041454879, 5.795893353144632, 4.442282251448253, 3.4180137838446143, 5.664015365533016, 2.766281501070055, 2.2979370815756375, 1.8644265358391885, 2.749000833816373, 2.0901647755089803, 1.1943456471984675, 0.487278740884215, 0.0), (7.120782122604837, 5.332803764842939, 5.957707681988301, 6.252426905731399, 5.484470732989221, 2.6054043881072406, 2.287954321254953, 1.9725121875720208, 2.827691923234929, 1.1353774320979229, 0.8855449217576967, 0.5253142211439193, 0.0, 7.34288156573163, 5.778456432583111, 4.427724608788483, 3.4061322962937677, 5.655383846469858, 2.7615170626008294, 2.287954321254953, 1.8610031343623146, 2.7422353664946106, 2.084142301910467, 1.1915415363976603, 0.4848003422584491, 0.0), (7.093636707560226, 5.305472511807044, 5.9434682295589605, 6.2341181469200295, 5.4706064203911, 2.600573177829058, 2.2779365995029255, 1.9691698643087534, 2.823352031951247, 1.1313996785133094, 0.882621496403143, 0.5237132192055092, 0.0, 7.323798565165631, 5.7608454112606, 4.413107482015715, 3.3941990355399274, 5.646704063902494, 2.756837810032255, 2.2779365995029255, 1.8575522698778983, 2.73530321019555, 2.078039382306677, 1.188693645911792, 0.48231568289154947, 0.0), (7.065996767914694, 5.2780281097763755, 5.9289836044874535, 6.215536259729452, 5.45639266383478, 2.595690637551111, 2.267865727730825, 1.9658729080499169, 2.818974862009333, 1.1273962955165517, 0.8796797078495794, 0.522093325234877, 0.0, 7.3042718048861985, 5.743026577583645, 4.398398539247896, 3.3821888865496543, 5.637949724018666, 2.7522220712698835, 2.267865727730825, 1.8540647411079363, 2.72819633191739, 2.0718454199098177, 1.1857967208974907, 0.4798207372523978, 0.0), (7.037833211046475, 5.250426277908626, 5.914227532556921, 6.196649453796286, 5.441813397316663, 2.590743885484198, 2.2577235173499237, 1.9626058387280498, 2.814547266503063, 1.1233589114298372, 0.8767130897205959, 0.5204514745417084, 0.0, 7.2842770500226495, 5.724966219958791, 4.383565448602979, 3.370076734289511, 5.629094533006126, 2.74764817421927, 2.2577235173499237, 1.850531346774427, 2.7209066986583315, 2.0655498179320957, 1.1828455065113843, 0.4773114798098752, 0.0), (7.009116944333808, 5.222622735361492, 5.8991737395504975, 6.1774259387571515, 5.4268525548331485, 2.5857200398391145, 2.24749177977149, 1.959353176275691, 2.8100560985263074, 1.119279154575353, 0.8737151756397821, 0.5187846024356896, 0.0, 7.263790065704301, 5.706630626792584, 4.36857587819891, 3.3578374637260584, 5.620112197052615, 2.7430944467859675, 2.24749177977149, 1.8469428855993675, 2.7134262774165743, 2.0591419795857178, 1.1798347479100997, 0.474783885032863, 0.0), (6.979818875154931, 5.194573201292665, 5.883795951251323, 6.1578339242486715, 5.411494070380632, 2.5806062188266576, 2.237152326406796, 1.9560994406253773, 2.80548821117294, 1.1151486532752868, 0.8706794992307283, 0.5170896442265063, 0.0, 7.242786617060469, 5.687986086491568, 4.353397496153641, 3.3454459598258595, 5.61097642234588, 2.7385392168755285, 2.237152326406796, 1.8432901563047555, 2.705747035190316, 2.052611308082891, 1.1767591902502648, 0.4722339273902424, 0.0), (6.949909910888076, 5.166233394859844, 5.868067893442536, 6.137841619907462, 5.395721877955516, 2.575389540657624, 2.2266869686671114, 1.9528291517096479, 2.8008304575368346, 1.1109590358518249, 0.8675995941170239, 0.5153635352238445, 0.0, 7.221242469220467, 5.668998887462289, 4.3379979705851195, 3.3328771075554737, 5.601660915073669, 2.7339608123935073, 2.2266869686671114, 1.8395639576125886, 2.697860938977758, 2.0459472066358213, 1.1736135786885074, 0.46965758135089497, 0.0), (6.919360958911483, 5.137559035220717, 5.851963291907273, 6.117417235370148, 5.379519911554198, 2.57005712354281, 2.2160775179637073, 1.9495268294610402, 2.796069690711861, 1.1067019306271555, 0.8644689939222592, 0.5136032107373902, 0.0, 7.199133387313616, 5.649635318111292, 4.322344969611295, 3.320105791881466, 5.592139381423722, 2.7293375612454565, 2.2160775179637073, 1.835755088244864, 2.689759955777099, 2.0391390784567163, 1.1703926583814546, 0.4670508213837017, 0.0), (6.888142926603388, 5.108505841532984, 5.835455872428673, 6.096528980273343, 5.362872105173076, 2.564596085693012, 2.205305785707854, 1.9461769938120925, 2.7911927637918947, 1.1023689659234648, 0.8612812322700237, 0.5118056060768296, 0.0, 7.176435136469229, 5.629861666845124, 4.306406161350118, 3.3071068977703937, 5.5823855275837895, 2.72464779133693, 2.205305785707854, 1.8318543469235802, 2.681436052586538, 2.0321763267577815, 1.1670911744857346, 0.46440962195754404, 0.0), (6.856226721342027, 5.079029532954335, 5.818519360789875, 6.075145064253675, 5.345762392808551, 2.558993545319026, 2.1943535833108223, 1.942764164695343, 2.7861865298708084, 1.0979517700629406, 0.8580298427839075, 0.5099676565518481, 0.0, 7.153123481816621, 5.609644222070328, 4.290149213919538, 3.293855310188821, 5.572373059741617, 2.7198698305734803, 2.1943535833108223, 1.8278525323707329, 2.6728811964042754, 2.0250483547512257, 1.1637038721579749, 0.46172995754130325, 0.0), (6.823583250505639, 5.0490858286424665, 5.801127482774012, 6.053233696947759, 5.3281747084570235, 2.5532366206316497, 2.1832027221838817, 1.9392728620433302, 2.781037842042475, 1.0934419713677697, 0.8547083590875004, 0.508086297472132, 0.0, 7.129174188485113, 5.58894927219345, 4.273541795437502, 3.280325914103308, 5.56207568408495, 2.7149820068606623, 2.1832027221838817, 1.8237404433083213, 2.6640873542285117, 2.017744565649253, 1.1602254965548024, 0.45900780260386065, 0.0), (6.790183421472455, 5.018630447755072, 5.783253964164227, 6.030763087992216, 5.3100929861148884, 2.547312429841679, 2.171835013738304, 1.9356876057885917, 2.775733553400766, 1.0888311981601397, 0.8513103148043922, 0.5061584641473672, 0.0, 7.104563021604015, 5.567743105621037, 4.256551574021961, 3.2664935944804183, 5.551467106801532, 2.709962648104028, 2.171835013738304, 1.8195088784583422, 2.6550464930574442, 2.0102543626640723, 1.1566507928328456, 0.4562391316140975, 0.0), (6.755998141620719, 4.987619109449845, 5.764872530743658, 6.007701447023667, 5.291501159778549, 2.5412080911599104, 2.1602322693853586, 1.9319929158636655, 2.770260517039555, 1.0841110787622374, 0.8478292435581727, 0.5041810918872395, 0.0, 7.079265746302652, 5.545992010759633, 4.2391462177908625, 3.2523332362867117, 5.54052103407911, 2.704790082209132, 2.1602322693853586, 1.8151486365427931, 2.6457505798892744, 2.0025671490078896, 1.1529745061487318, 0.45341991904089507, 0.0), (6.720998318328665, 4.956007532884482, 5.745956908295441, 5.984016983678732, 5.272383163444402, 2.5349107227971404, 2.148376300536318, 1.9281733122010902, 2.7646055860527143, 1.0792732414962505, 0.844258678972432, 0.502151116001435, 0.0, 7.053258127710331, 5.523662276015784, 4.221293394862159, 3.2378197244887508, 5.529211172105429, 2.6994426370815265, 2.148376300536318, 1.8106505162836717, 2.636191581722201, 1.994672327892911, 1.1491913816590882, 0.4505461393531348, 0.0), (6.685154858974525, 4.923751437216675, 5.726480822602714, 5.959677907594033, 5.252722931108846, 2.5284074429641663, 2.1362489186024507, 1.924213314733404, 2.7587556135341176, 1.0743093146843659, 0.8405921546707598, 0.5000654717996397, 0.0, 7.026515930956373, 5.500720189796036, 4.202960773353798, 3.222927944053097, 5.517511227068235, 2.6938986406267658, 2.1362489186024507, 1.806005316402976, 2.626361465554423, 1.9865593025313446, 1.1452961645205428, 0.4476137670196978, 0.0), (6.64843867093654, 4.890806541604119, 5.706417999448617, 5.934652428406185, 5.232504396768282, 2.521685369871783, 2.1238319349950276, 1.920097443393144, 2.7526974525776393, 1.0692109266487708, 0.8368232042767458, 0.4979210945915394, 0.0, 6.999014921170094, 5.477132040506932, 4.184116021383729, 3.207632779946312, 5.505394905155279, 2.6881364207504017, 2.1238319349950276, 1.8012038356227023, 2.616252198384141, 1.9782174761353954, 1.1412835998897235, 0.44461877650946546, 0.0), (6.610820661592948, 4.857128565204509, 5.685742164616285, 5.908908755751814, 5.2117114944191085, 2.5147316217307885, 2.1111071611253194, 1.9158102181128498, 2.746417956277149, 1.0639697057116522, 0.8329453614139802, 0.49571491968682, 0.0, 6.970730863480812, 5.452864116555019, 4.164726807069901, 3.191909117134956, 5.492835912554298, 2.6821343053579896, 2.1111071611253194, 1.796236872664849, 2.6058557472095543, 1.9696362519172719, 1.1371484329232573, 0.44155714229131915, 0.0), (6.572271738321982, 4.82267322717554, 5.6644270438888595, 5.882415099267537, 5.190328158057724, 2.507533316751979, 2.0980564084045974, 1.9113361588250588, 2.739903977726521, 1.0585772801951978, 0.8289521597060527, 0.4934438823951677, 0.0, 6.94163952301784, 5.4278827063468436, 4.144760798530264, 3.175731840585593, 5.479807955453042, 2.6758706223550823, 2.0980564084045974, 1.7910952262514135, 2.595164079028862, 1.9608050330891795, 1.132885408777772, 0.4384248388341401, 0.0), (6.5327628085018805, 4.787396246674904, 5.642446363049478, 5.855139668589976, 5.16833832168053, 2.5000775731461515, 2.084661488244132, 1.906659785462309, 2.7331423700196282, 1.0530252784215943, 0.8248371327765532, 0.4911049180262681, 0.0, 6.911716664910495, 5.402154098288948, 4.124185663882766, 3.1590758352647823, 5.4662847400392565, 2.669323699647233, 2.084661488244132, 1.7857696951043938, 2.584169160840265, 1.9517132228633256, 1.1284892726098958, 0.4352178406068095, 0.0), (6.49226477951088, 4.751253342860296, 5.619773847881273, 5.827050673355748, 5.145725919283921, 2.4923515091241004, 2.0709042120551926, 1.9017656179571385, 2.7261199862503442, 1.0473053287130294, 0.8205938142490716, 0.48869496188980743, 0.0, 6.8809380542880945, 5.375644580787881, 4.102969071245358, 3.1419159861390877, 5.4522399725006885, 2.662471865139994, 2.0709042120551926, 1.7802510779457859, 2.5728629596419603, 1.9423502244519164, 1.1239547695762548, 0.43193212207820875, 0.0), (6.450748558727217, 4.714200234889411, 5.596383224167389, 5.798116323201478, 5.1224748848643, 2.4843422428966253, 2.0567663912490506, 1.8966381762420859, 2.718823679512541, 1.0414090593916896, 0.8162157377471978, 0.48621094929547143, 0.0, 6.8492794562799535, 5.348320442250185, 4.081078688735989, 3.124227178175068, 5.437647359025082, 2.6552934467389204, 2.0567663912490506, 1.7745301734975893, 2.56123744243215, 1.9327054410671598, 1.1192766448334779, 0.42856365771721927, 0.0), (6.40818505352913, 4.676192641919942, 5.572248217690963, 5.768304827763782, 5.098569152418064, 2.4760368926745198, 2.0422298372369765, 1.8912619802496888, 2.71124030290009, 1.0353280987797628, 0.8116964368945213, 0.48364981555294617, 0.0, 6.81671663601539, 5.320147971082407, 4.058482184472607, 3.1059842963392876, 5.42248060580018, 2.6477667723495646, 2.0422298372369765, 1.7685977804817998, 2.549284576209032, 1.922768275921261, 1.1144496435381928, 0.42510842199272214, 0.0), (6.364545171294852, 4.6371862831095845, 5.54734255423513, 5.737584396679283, 5.0739926559416135, 2.467422576668583, 2.0272763614302405, 1.8856215499124855, 2.7033567095068674, 1.0290540751994355, 0.8070294453146325, 0.48100849597191764, 0.0, 6.783225358623717, 5.291093455691093, 4.035147226573162, 3.0871622255983056, 5.406713419013735, 2.63987016987748, 2.0272763614302405, 1.7624446976204164, 2.5369963279708068, 1.912528132226428, 1.1094685108470261, 0.4215623893735987, 0.0), (6.31979981940262, 4.597136877616033, 5.521639959583029, 5.705923239584598, 5.048729329431348, 2.4584864130896094, 2.011887775240113, 1.8797014051630145, 2.695159752426744, 1.0225786169728959, 0.8022082966311207, 0.4782839258620715, 0.0, 6.748781389234255, 5.261123184482786, 4.011041483155603, 3.067735850918687, 5.390319504853488, 2.6315819672282204, 2.011887775240113, 1.7560617236354352, 2.524364664715674, 1.9019744131948664, 1.1043279919166058, 0.41792153432873036, 0.0), (6.273919905230675, 4.55600014459698, 5.495114159517802, 5.673289566116352, 5.022763106883663, 2.4492155201483965, 1.996045890077866, 1.8734860659338137, 2.686636284753592, 1.0158933524223301, 0.7972265244675764, 0.475473040533094, 0.0, 6.713360492976318, 5.230203445864033, 3.9861326223378812, 3.04768005726699, 5.373272569507184, 2.622880492307339, 1.996045890077866, 1.7494396572488546, 2.5113815534418316, 1.8910965220387843, 1.0990228319035604, 0.4141818313269982, 0.0), (6.226876336157249, 4.5137318032101215, 5.467738879822579, 5.63965158591116, 4.996077922294963, 2.4395970160557408, 1.9797325173547677, 1.8669600521574208, 2.677773159581286, 1.008989909869926, 0.7920776624475889, 0.472572775294671, 0.0, 6.676938434979222, 5.19830052824138, 3.9603883122379444, 3.0269697296097773, 5.355546319162572, 2.6137440730203894, 1.9797325173547677, 1.742569297182672, 2.4980389611474814, 1.879883861970387, 1.093547775964516, 0.41033925483728384, 0.0), (6.178640019560583, 4.4702875726131515, 5.439487846280506, 5.604977508605646, 4.968657709661643, 2.429618019022439, 1.9629294684820913, 1.8601078837663743, 2.6685572300036977, 1.0018599176378709, 0.7867552441947484, 0.4695800654564884, 0.0, 6.639490980372286, 5.165380720021371, 3.9337762209737415, 3.005579752913612, 5.337114460007395, 2.604151037272924, 1.9629294684820913, 1.7354414421588849, 2.4843288548308213, 1.8683258362018824, 1.0878975692561013, 0.40638977932846837, 0.0), (6.129181862818909, 4.425623171963762, 5.410334784674718, 5.569235543836427, 4.940486402980104, 2.419265647259287, 1.9456185548711045, 1.852914080693212, 2.6589753491147006, 0.9944950040483511, 0.7812528033326445, 0.4664918463282322, 0.0, 6.600993894284821, 5.131410309610554, 3.906264016663222, 2.983485012145053, 5.317950698229401, 2.594079712970497, 1.9456185548711045, 1.7280468908994906, 2.470243201490052, 1.856411847945476, 1.0820669569349437, 0.402329379269433, 0.0), (6.078472773310465, 4.3796943204196515, 5.3802534207883514, 5.532393901240125, 4.911547936246746, 2.408527018977082, 1.92778158793308, 1.845363162870473, 2.649014370008167, 0.9868867974235548, 0.7755638734848673, 0.46330505321958826, 0.0, 6.561422941846148, 5.09635558541547, 3.8778193674243364, 2.960660392270664, 5.298028740016334, 2.5835084280186624, 1.92778158793308, 1.720376442126487, 2.455773968123373, 1.8441313004133755, 1.0760506841576702, 0.39815402912905923, 0.0), (6.02648365841349, 4.332456737138511, 5.349217480404546, 5.494420790453363, 4.881826243457965, 2.39738925238662, 1.9094003790792877, 1.8374396502306942, 2.63866114577797, 0.9790269260856685, 0.7696819882750067, 0.4600166214402426, 0.0, 6.520753888185581, 5.060182835842667, 3.848409941375033, 2.937080778257005, 5.27732229155594, 2.5724155103229718, 1.9094003790792877, 1.7124208945618713, 2.4409131217289826, 1.831473596817788, 1.0698434960809091, 0.3938597033762283, 0.0), (5.971744757124192, 4.28299895523299, 5.315727969268237, 5.453861748990747, 4.849963256464532, 2.3851447556146512, 1.890042688371143, 1.8285989841164574, 2.6271098910930926, 0.9706731832582289, 0.7634127670051923, 0.45650663761295607, 0.0, 6.477188687532276, 5.021573013742516, 3.817063835025962, 2.912019549774686, 5.254219782186185, 2.5600385777630406, 1.890042688371143, 1.7036748254390366, 2.424981628232266, 1.8179539163302492, 1.0631455938536476, 0.38936354138481727, 0.0), (5.9058294135827225, 4.226247901039617, 5.271158545601992, 5.402386295273073, 4.808102031883535, 2.3677218357366487, 1.8672851053542865, 1.8157378442547942, 2.609713936325905, 0.9604561988197493, 0.7556555914158659, 0.4520908349122073, 0.0, 6.420342117536156, 4.97299918403428, 3.7782779570793297, 2.8813685964592475, 5.21942787265181, 2.542032981956712, 1.8672851053542865, 1.6912298826690346, 2.4040510159417674, 1.8007954317576913, 1.0542317091203985, 0.3842043546399652, 0.0), (5.827897675923448, 4.161737600929857, 5.214613971970593, 5.339146506245316, 4.755424070051625, 2.344692604822253, 1.8408974993535137, 1.7985330631757823, 2.5859800605943066, 0.948241130372579, 0.7463012678146054, 0.4467001299258565, 0.0, 6.349136487114865, 4.913701429184421, 3.731506339073027, 2.844723391117736, 5.171960121188613, 2.5179462884460952, 1.8408974993535137, 1.6747804320158948, 2.3777120350258123, 1.7797155020817725, 1.0429227943941186, 0.3783397819027143, 0.0), (5.738577643668768, 4.0898886365923435, 5.146697981273539, 5.264743502254037, 4.69247633295046, 2.3163360460661466, 1.8110725784027506, 1.7772001777032602, 2.556221271199738, 0.9341316386341878, 0.7354322206132944, 0.44038449792717144, 0.0, 6.264299235855278, 4.844229477198885, 3.6771611030664717, 2.8023949159025627, 5.112442542399476, 2.4880802487845646, 1.8110725784027506, 1.6545257471901047, 2.34623816647523, 1.754914500751346, 1.029339596254708, 0.37180805787203125, 0.0), (5.638497416341085, 4.011121589715708, 5.068014306410331, 5.179778403645797, 4.619805782561709, 2.282931142663013, 1.7780030505359237, 1.7519547246610676, 2.5207505754436363, 0.9182313843220465, 0.7231308742238162, 0.43319391418941966, 0.0, 6.166557803344267, 4.765133056083616, 3.615654371119081, 2.754694152966139, 5.041501150887273, 2.4527366145254947, 1.7780030505359237, 1.630665101902152, 2.3099028912808546, 1.7265928012152658, 1.0136028612820662, 0.36464741724688265, 0.0), (5.528285093462799, 3.9258570419885843, 4.979166680280469, 5.084852330767161, 4.537959380867034, 2.244756877807534, 1.7418816237869603, 1.7230122408730417, 2.4798809806274416, 0.9006440281536252, 0.7094796530580545, 0.42517835398586895, 0.0, 6.0566396291687035, 4.676961893844558, 3.5473982652902722, 2.701932084460875, 4.959761961254883, 2.4122171372222585, 1.7418816237869603, 1.6033977698625244, 2.268979690433517, 1.6949507769223873, 0.9958333360560938, 0.356896094726235, 0.0), (5.408568774556308, 3.834515575099602, 4.8807588357834515, 4.980566403964691, 4.447484089848101, 2.2020922346943936, 1.7029010061897865, 1.6905882631630231, 2.433925494052593, 0.881473230846394, 0.6945609815278929, 0.4163877925897869, 0.0, 5.935272152915463, 4.580265718487656, 3.472804907639464, 2.644419692539181, 4.867850988105186, 2.3668235684282326, 1.7029010061897865, 1.5729230247817099, 2.2237420449240504, 1.660188801321564, 0.9761517671566904, 0.34859232500905474, 0.0), (5.279976559144014, 3.7375177707373965, 4.773394505818779, 4.867521743584952, 4.348926871486572, 2.155216196518274, 1.6612539057783289, 1.6548983283548488, 2.383197123020528, 0.8608226531178229, 0.678457284045215, 0.4068722052744414, 0.0, 5.803182814171416, 4.475594258018854, 3.3922864202260747, 2.582467959353468, 4.766394246041056, 2.3168576596967885, 1.6612539057783289, 1.5394401403701956, 2.174463435743286, 1.622507247861651, 0.954678901163756, 0.33977434279430885, 0.0), (5.143136546748318, 3.6352842105905996, 4.657677423285953, 4.746319469974501, 4.242834687764114, 2.1044077464738575, 1.6171330305865146, 1.6161579732723592, 2.328008874832686, 0.8387959556853827, 0.661250985021904, 0.39668156731310017, 0.0, 5.661099052523436, 4.363497240444101, 3.3062549251095197, 2.5163878670561473, 4.656017749665372, 2.262621162581303, 1.6171330305865146, 1.5031483903384697, 2.121417343882057, 1.5821064899915007, 0.9315354846571906, 0.33048038278096364, 0.0), (4.998676836891619, 3.528235476347844, 4.53421132108447, 4.617560703479906, 4.129754500662389, 2.0499458677558273, 1.57073108864827, 1.5745827347393924, 2.2686737567905064, 0.8154967992665431, 0.6430245088698437, 0.3858658539790306, 0.0, 5.509748307558397, 4.244524393769336, 3.215122544349218, 2.4464903977996286, 4.537347513581013, 2.2044158286351494, 1.57073108864827, 1.4642470483970196, 2.0648772503311945, 1.5391869011599693, 0.9068422642168941, 0.32074867966798587, 0.0), (4.847225529096317, 3.416792149697761, 4.403599932113832, 4.481846564447728, 4.010233272163062, 1.9921095435588663, 1.5222407879975217, 1.5303881495797866, 2.205504776195428, 0.7910288445787746, 0.6238602800009175, 0.3744750405455008, 0.0, 5.34985801886317, 4.119225446000509, 3.1193014000045878, 2.3730865337363234, 4.411009552390856, 2.1425434094117013, 1.5222407879975217, 1.4229353882563331, 2.005116636081531, 1.4939488548159094, 0.8807199864227666, 0.31061746815434194, 0.0), (4.689410722884812, 3.3013748123289846, 4.26644698927354, 4.33977817322453, 3.884817964247797, 1.9311777570776578, 1.4718548366681967, 1.4837897546173817, 2.1388149403488903, 0.7654957523395476, 0.6038407228270092, 0.3625591022857782, 0.0, 5.182155626024628, 3.9881501251435596, 3.019203614135046, 2.296487257018642, 4.277629880697781, 2.0773056564643344, 1.4718548366681967, 1.3794126836268983, 1.9424089821238986, 1.4465927244081769, 0.853289397854708, 0.30012498293899864, 0.0), (4.525860517779507, 3.1824040459301473, 4.12335622546309, 4.191956650156872, 3.7540555388982577, 1.8674294915068832, 1.4197659426942213, 1.435003086676016, 2.0689172565523304, 0.7390011832663317, 0.5830482617600022, 0.3501680144731306, 0.0, 5.007368568629644, 3.8518481592044362, 2.9152413088000113, 2.217003549798995, 4.137834513104661, 2.0090043213464224, 1.4197659426942213, 1.3338782082192022, 1.8770277694491289, 1.3973188833856243, 0.824671245092618, 0.28930945872092256, 0.0), (4.3572030133028, 3.06030043218988, 3.9749313735819856, 4.038983115591321, 3.61849295809611, 1.801143730041226, 1.3661668141095222, 1.3842436825795277, 1.9961247321071884, 0.7116487980765979, 0.5615653212117798, 0.33735175238082576, 0.0, 4.826224286265092, 3.710869276189083, 2.807826606058899, 2.134946394229793, 3.992249464214377, 1.9379411556113388, 1.3661668141095222, 1.2865312357437328, 1.809246479048055, 1.3463277051971074, 0.7949862747163972, 0.27820913019908006, 0.0), (4.184066308977092, 2.9354845527968174, 3.8217761665297245, 3.881458689874438, 3.4786771838230153, 1.7325994558753692, 1.3112501589480263, 1.331727079151757, 1.9207503743149028, 0.6835422574878162, 0.5394743255942259, 0.3241602912821315, 0.0, 4.639450218517843, 3.5657632041034453, 2.6973716279711297, 2.050626772463448, 3.8415007486298056, 1.8644179108124599, 1.3112501589480263, 1.237571039910978, 1.7393385919115076, 1.2938195632914795, 0.764355233305945, 0.26686223207243803, 0.0), (4.007078504324784, 2.808376989439591, 3.664494337205808, 3.7199844933527855, 3.3351551780606408, 1.6620756522039952, 1.25520868524366, 1.2776688132165412, 1.8431071904769127, 0.6547852222174565, 0.5168576993192239, 0.310643606450315, 0.0, 4.44777380497477, 3.417079670953465, 2.584288496596119, 1.9643556666523692, 3.6862143809538255, 1.7887363385031578, 1.25520868524366, 1.187196894431425, 1.6675775890303204, 1.2399948311175955, 0.7328988674411617, 0.25530699903996285, 0.0), (3.8268676988682753, 2.6793983238068333, 3.503689618509735, 3.5551616463729245, 3.1884739027906486, 1.5898513022217866, 1.1982351010303502, 1.2222844215977202, 1.763508187894657, 0.6254813529829895, 0.4937978667986571, 0.2968516731586446, 0.0, 4.251922485222747, 3.26536840474509, 2.468989333993285, 1.8764440589489682, 3.527016375789314, 1.7111981902368083, 1.1982351010303502, 1.1356080730155618, 1.5942369513953243, 1.1850538821243084, 0.700737923701947, 0.24358166580062124, 0.0), (3.6440619921299646, 2.548969137587176, 3.3399657433410055, 3.3875912692814207, 3.039180319994703, 1.5162053891234268, 1.1405221143420232, 1.165789441119132, 1.682266373869575, 0.595734310501885, 0.4703772524444093, 0.28283446668038764, 0.0, 4.052623698848646, 3.1111791334842636, 2.3518862622220467, 1.7872029315056546, 3.36453274773915, 1.632105217566785, 1.1405221143420232, 1.0830038493738763, 1.5195901599973516, 1.1291970897604737, 0.6679931486682011, 0.23172446705337968, 0.0), (3.459289483632255, 2.4175100124692537, 3.173926444599119, 3.2178744824248353, 2.8878213916544695, 1.441416896103598, 1.082262433212606, 1.1083994086046165, 1.5996947557031045, 0.5656477554916135, 0.44667828066836407, 0.268641962288812, 0.0, 3.8506048854393393, 2.9550615851769315, 2.23339140334182, 1.69694326647484, 3.199389511406209, 1.551759172046463, 1.082262433212606, 1.0295834972168558, 1.4439106958272347, 1.0726248274749453, 0.6347852889198239, 0.2197736374972049, 0.0), (3.273178272897546, 2.2854415301416977, 3.006175455183576, 3.0466124061497295, 2.7349440797516125, 1.365764806356983, 1.0236487656760251, 1.050329860878011, 1.5161063406966853, 0.535325348669645, 0.4227833758824049, 0.2543241352571853, 0.0, 3.6465934845817, 2.7975654878290377, 2.113916879412024, 1.6059760460089345, 3.0322126813933705, 1.4704618052292153, 1.0236487656760251, 0.9755462902549877, 1.3674720398758062, 1.0155374687165768, 0.6012350910367152, 0.20776741183106345, 0.0), (3.0863564594482376, 2.153184272293141, 2.8373165079938762, 2.87440616080267, 2.581095346267794, 1.2895281030782653, 0.964873819766207, 0.9917963347631552, 1.431814136151756, 0.5048707507534501, 0.39877496249841504, 0.2399309608587752, 0.0, 3.4413169358626017, 2.6392405694465264, 1.993874812492075, 1.51461225226035, 2.863628272303512, 1.3885148686684172, 0.964873819766207, 0.9210915021987609, 1.290547673133897, 0.9581353869342235, 0.5674633015987752, 0.1957440247539219, 0.0), (0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0))
passenger_allighting_rate = ((0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1))
'\nparameters for reproducibiliy. More information: https://numpy.org/doc/stable/reference/random/parallel.html\n'
entropy = 8991598675325360468762009371570610170
child_seed_index = (1, 79) |
class solve_day(object):
with open('inputs/day13.txt', 'r') as f:
data = f.readlines()
data = [d.strip() for d in data]
def part1(self):
earliest_departure = int(self.data[0])
buses = [int(x) for x in self.data[1].split(',') if x.isdigit()]
bus_routes = {}
for bus in buses:
bus_route = []
for time in range(0, earliest_departure+max(buses), bus):
bus_route.append(time)
bus_routes[f'bus_{bus}'] = bus_route
first_available_bus = {}
for bus in bus_routes.keys():
first_available_bus[bus] = [time for time in bus_routes[bus] if time >= earliest_departure]
wait_time = min(first_available_bus[min(first_available_bus.keys(), key=lambda b: first_available_bus[b])]) - earliest_departure
earliest_bus_id = int(min(first_available_bus.keys(), key=lambda b: first_available_bus[b])[4:])
return wait_time * earliest_bus_id
def part2(self):
buses = [int(x) for x in self.data[1].split(',') if x.isdigit()]
# buses = [67,7,59,61]
# print( [i for i, x in enumerate(self.data[1].split(',')) if x.isdigit()] )
# batch_size = 1000000
# batch_max = 1000000
bus_routes = {}
for bus in buses:
bus_route = []
for time in range(10000000000000, 1000000000000000, bus):
bus_route.append(time)
bus_routes[f'bus_{bus}'] = bus_route
# print( bus_routes[list(bus_routes.keys())[0]] )
for t in bus_routes[list(bus_routes.keys())[0]]:
# slice all lists
bus_routes[list(bus_routes.keys())[1]] = [x for x in bus_routes[list(bus_routes.keys())[1]] if x > t]
bus_routes[list(bus_routes.keys())[2]] = [x for x in bus_routes[list(bus_routes.keys())[2]] if x > t]
bus_routes[list(bus_routes.keys())[3]] = [x for x in bus_routes[list(bus_routes.keys())[3]] if x > t]
bus_routes[list(bus_routes.keys())[4]] = [x for x in bus_routes[list(bus_routes.keys())[4]] if x > t]
bus_routes[list(bus_routes.keys())[5]] = [x for x in bus_routes[list(bus_routes.keys())[5]] if x > t]
bus_routes[list(bus_routes.keys())[6]] = [x for x in bus_routes[list(bus_routes.keys())[6]] if x > t]
bus_routes[list(bus_routes.keys())[7]] = [x for x in bus_routes[list(bus_routes.keys())[7]] if x > t]
bus_routes[list(bus_routes.keys())[8]] = [x for x in bus_routes[list(bus_routes.keys())[8]] if x > t]
plus_9 = [x for x in bus_routes[list(bus_routes.keys())[1]] if x == t+9]
if not plus_9:
continue
plus_13 = [x for x in bus_routes[list(bus_routes.keys())[2]] if x == t+13]
if not plus_13:
continue
plus_19 = [x for x in bus_routes[list(bus_routes.keys())[3]] if x == t+19]
if not plus_19:
continue
plus_32 = [x for x in bus_routes[list(bus_routes.keys())[4]] if x == t+32]
if not plus_32:
continue
plus_36 = [x for x in bus_routes[list(bus_routes.keys())[5]] if x == t+36]
if not plus_36:
continue
plus_48 = [x for x in bus_routes[list(bus_routes.keys())[6]] if x == t+48]
if not plus_48:
continue
plus_50 = [x for x in bus_routes[list(bus_routes.keys())[7]] if x == t+50]
if not plus_50:
continue
plus_73 = [x for x in bus_routes[list(bus_routes.keys())[8]] if x == t+73]
if not plus_73:
continue
# # plus_2 = [x for x in bus_routes[list(bus_routes.keys())[2]] if x == t+2]
# # if not plus_1:
# # continue
# # plus_3 = [x for x in bus_routes[list(bus_routes.keys())[3]] if x == t+3]
# # if not plus_1:
# # continue
# # plus_4 = [x for x in bus_routes[list(bus_routes.keys())[2]] if x == t+4]
# # if not plus_4:
# # continue
# # plus_6 = [x for x in bus_routes[list(bus_routes.keys())[3]] if x == t+6]
# # if not plus_6:
# # continue
# # plus_7 = [x for x in bus_routes[list(bus_routes.keys())[4]] if x == t+7]
# # if not plus_7:
# # continue
if plus_9 and plus_13 and plus_19 and plus_32 and plus_36 and plus_48 and plus_50 and plus_73:
# if plus_1 and plus_2 and plus_3:
return t
if __name__ == '__main__':
s = solve_day()
print(f'Part 1: {s.part1()}')
print(f'Part 2: {s.part2()}') | class Solve_Day(object):
with open('inputs/day13.txt', 'r') as f:
data = f.readlines()
data = [d.strip() for d in data]
def part1(self):
earliest_departure = int(self.data[0])
buses = [int(x) for x in self.data[1].split(',') if x.isdigit()]
bus_routes = {}
for bus in buses:
bus_route = []
for time in range(0, earliest_departure + max(buses), bus):
bus_route.append(time)
bus_routes[f'bus_{bus}'] = bus_route
first_available_bus = {}
for bus in bus_routes.keys():
first_available_bus[bus] = [time for time in bus_routes[bus] if time >= earliest_departure]
wait_time = min(first_available_bus[min(first_available_bus.keys(), key=lambda b: first_available_bus[b])]) - earliest_departure
earliest_bus_id = int(min(first_available_bus.keys(), key=lambda b: first_available_bus[b])[4:])
return wait_time * earliest_bus_id
def part2(self):
buses = [int(x) for x in self.data[1].split(',') if x.isdigit()]
bus_routes = {}
for bus in buses:
bus_route = []
for time in range(10000000000000, 1000000000000000, bus):
bus_route.append(time)
bus_routes[f'bus_{bus}'] = bus_route
for t in bus_routes[list(bus_routes.keys())[0]]:
bus_routes[list(bus_routes.keys())[1]] = [x for x in bus_routes[list(bus_routes.keys())[1]] if x > t]
bus_routes[list(bus_routes.keys())[2]] = [x for x in bus_routes[list(bus_routes.keys())[2]] if x > t]
bus_routes[list(bus_routes.keys())[3]] = [x for x in bus_routes[list(bus_routes.keys())[3]] if x > t]
bus_routes[list(bus_routes.keys())[4]] = [x for x in bus_routes[list(bus_routes.keys())[4]] if x > t]
bus_routes[list(bus_routes.keys())[5]] = [x for x in bus_routes[list(bus_routes.keys())[5]] if x > t]
bus_routes[list(bus_routes.keys())[6]] = [x for x in bus_routes[list(bus_routes.keys())[6]] if x > t]
bus_routes[list(bus_routes.keys())[7]] = [x for x in bus_routes[list(bus_routes.keys())[7]] if x > t]
bus_routes[list(bus_routes.keys())[8]] = [x for x in bus_routes[list(bus_routes.keys())[8]] if x > t]
plus_9 = [x for x in bus_routes[list(bus_routes.keys())[1]] if x == t + 9]
if not plus_9:
continue
plus_13 = [x for x in bus_routes[list(bus_routes.keys())[2]] if x == t + 13]
if not plus_13:
continue
plus_19 = [x for x in bus_routes[list(bus_routes.keys())[3]] if x == t + 19]
if not plus_19:
continue
plus_32 = [x for x in bus_routes[list(bus_routes.keys())[4]] if x == t + 32]
if not plus_32:
continue
plus_36 = [x for x in bus_routes[list(bus_routes.keys())[5]] if x == t + 36]
if not plus_36:
continue
plus_48 = [x for x in bus_routes[list(bus_routes.keys())[6]] if x == t + 48]
if not plus_48:
continue
plus_50 = [x for x in bus_routes[list(bus_routes.keys())[7]] if x == t + 50]
if not plus_50:
continue
plus_73 = [x for x in bus_routes[list(bus_routes.keys())[8]] if x == t + 73]
if not plus_73:
continue
if plus_9 and plus_13 and plus_19 and plus_32 and plus_36 and plus_48 and plus_50 and plus_73:
return t
if __name__ == '__main__':
s = solve_day()
print(f'Part 1: {s.part1()}')
print(f'Part 2: {s.part2()}') |
email_id = "mailaddress@gmail.com" # Your Username
password = "password@123" # Your Password
def get_email():
return email_id
def get_password():
return password
contact_list = { # Your contacts(Use the correct format i.e dictionary)
"name1": "mail1@gmail.com",
"name2": "mail2@gmail.com",
"name3": "mail3@gmail.com"
} | email_id = 'mailaddress@gmail.com'
password = 'password@123'
def get_email():
return email_id
def get_password():
return password
contact_list = {'name1': 'mail1@gmail.com', 'name2': 'mail2@gmail.com', 'name3': 'mail3@gmail.com'} |
class License:
def __init__(self, key: str, spdx_id: str, name: str, notes: str):
self.key = key
self.spdx_id = spdx_id
self.name = name
self.notes = notes
licenses = [
License(
"NONE",
"UNLICENSED",
"None",
"This work will not be explicitly licensed, which releases no rights to the work to the public.",
),
License(
"AGPL",
"AGPL-3.0-or-later",
"GNU AGPLv3",
"Permissions of this strongest copyleft license are conditioned on making available complete source code of licensed works and modifications, which include larger works using a licensed work, under the same license.",
),
License(
"GPL",
"GPL-3.0-only",
"GNU GPLv3",
"Permissions of this strong copyleft license are conditioned on making available complete source code of licensed works and modifications, which include larger works using a licensed work, under the same license.",
),
License(
"LGPL",
"LGPL-3.0-only",
"GNU LGPLv3",
"Permissions of this copyleft license are conditioned on making available complete source code of licensed works and modifications under the same license or the GNU GPLv3.",
),
License(
"MIT",
"MIT",
"MIT License",
"A short and simple permissive license with conditions only requiring preservation of copyright and license notices.",
),
License(
"APL",
"Apache-2.0",
"Apache License 2.0",
"A permissive license whose main conditions require preservation of copyright and license notices.",
),
License(
"MPL",
"MPL-2.0",
"Mozilla Public License 2.0",
"Permissions of this weak copyleft license are conditioned on making available source code of licensed files and modifications of those files under the same license.",
),
License(
"UCL",
"SEE LICENSE IN LICENSE.MD",
"Unity Companion License",
"For open-source projects created by Unity Technologies ApS.",
),
License(
"ASEULA",
"SEE LICENSE IN LICENSE.MD",
"Asset Store End User License Agreement",
"For assets purchased on the Unity Asset Store",
),
License(
"CC",
"CC-BY-NC-SA-4.0",
"Creative Commons Attribution Non Commercial Share Alike 4.0 International",
"Requires attribution, cannot be used commercially, and must be released under the same license.",
),
License(
"CCFREE",
"CC-BY-SA-4.0",
"Creative Commons Attribution Share Alike 4.0 International",
"Requires attribution and must be released under the same license.",
),
]
license_lookup = {license.key: license for license in licenses}
| class License:
def __init__(self, key: str, spdx_id: str, name: str, notes: str):
self.key = key
self.spdx_id = spdx_id
self.name = name
self.notes = notes
licenses = [license('NONE', 'UNLICENSED', 'None', 'This work will not be explicitly licensed, which releases no rights to the work to the public.'), license('AGPL', 'AGPL-3.0-or-later', 'GNU AGPLv3', 'Permissions of this strongest copyleft license are conditioned on making available complete source code of licensed works and modifications, which include larger works using a licensed work, under the same license.'), license('GPL', 'GPL-3.0-only', 'GNU GPLv3', 'Permissions of this strong copyleft license are conditioned on making available complete source code of licensed works and modifications, which include larger works using a licensed work, under the same license.'), license('LGPL', 'LGPL-3.0-only', 'GNU LGPLv3', 'Permissions of this copyleft license are conditioned on making available complete source code of licensed works and modifications under the same license or the GNU GPLv3.'), license('MIT', 'MIT', 'MIT License', 'A short and simple permissive license with conditions only requiring preservation of copyright and license notices.'), license('APL', 'Apache-2.0', 'Apache License 2.0', 'A permissive license whose main conditions require preservation of copyright and license notices.'), license('MPL', 'MPL-2.0', 'Mozilla Public License 2.0', 'Permissions of this weak copyleft license are conditioned on making available source code of licensed files and modifications of those files under the same license.'), license('UCL', 'SEE LICENSE IN LICENSE.MD', 'Unity Companion License', 'For open-source projects created by Unity Technologies ApS.'), license('ASEULA', 'SEE LICENSE IN LICENSE.MD', 'Asset Store End User License Agreement', 'For assets purchased on the Unity Asset Store'), license('CC', 'CC-BY-NC-SA-4.0', 'Creative Commons Attribution Non Commercial Share Alike 4.0 International', 'Requires attribution, cannot be used commercially, and must be released under the same license.'), license('CCFREE', 'CC-BY-SA-4.0', 'Creative Commons Attribution Share Alike 4.0 International', 'Requires attribution and must be released under the same license.')]
license_lookup = {license.key: license for license in licenses} |
# Copyright (c) Microsoft Corporation. All rights reserved.
# Licensed under the MIT License.
__path__ = __import__('pkgutil').extend_path(__path__, __name__)
| __path__ = __import__('pkgutil').extend_path(__path__, __name__) |
#
# Copyright 2018 Asylo 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.
#
"""Rule definitions for creating targets for dlopen Asylo enclaves."""
load("@com_google_asylo_backend_provider//:enclave_info.bzl", "backend_tools")
load("@com_google_asylo_backend_provider//:transitions.bzl", "transitions")
load("//asylo/bazel:asylo.bzl", "enclave_loader", "enclave_test")
load("//asylo/bazel:asylo_internal.bzl", "internal")
# website-docs-metadata
# ---
#
# title: //asylo/bazel:dlopen_enclave.bzl
#
# overview: Build rules for the process-separated dlopen enclave backend.
#
# location: /_docs/reference/api/bazel/dlopen_enclave_bzl.md
#
# layout: docs
#
# type: markdown
#
# toc: true
#
# ---
# {% include home.html %}
DlopenEnclaveInfo = provider(
doc = ("A provider attached to a dlopen enclave target for compile-time " +
"type-checking purposes"),
)
def _primitives_dlopen_enclave_impl(ctx):
providers = backend_tools.cc_binary(
ctx,
ctx.label.name.replace(".so", ""),
extra_linkopts = ["-Wl,-Bsymbolic"],
extra_features = ["mostly_static_linking_mode"],
extra_deps = [ctx.attr._trusted_primitives, ctx.attr._trusted_dlopen],
)
return providers + [backend_tools.EnclaveInfo(), DlopenEnclaveInfo()]
def _make_primitives_dlopen_enclave(transition):
transition_dict = {
"backend": attr.label(
default = "//asylo/platform/primitives/dlopen",
providers = [backend_tools.AsyloBackendInfo],
),
"_whitelist_function_transition": attr.label(
default = "//tools/whitelists/function_transition_whitelist",
),
}
return rule(
doc = "Defines a DlOpen enclave binary, similar to cc_binary.",
implementation = _primitives_dlopen_enclave_impl,
cfg = transitions.toolchain if transition else None,
attrs = backend_tools.merge_dicts(backend_tools.cc_binary_attrs(), {
"_trusted_primitives": attr.label(
default = "//asylo/platform/primitives:trusted_primitives",
),
"_trusted_dlopen": attr.label(
default = "//asylo/platform/primitives/dlopen:trusted_dlopen",
),
}, transition_dict if transition else {}),
fragments = ["cpp"],
)
_primitives_dlopen_enclave_old = _make_primitives_dlopen_enclave(False)
_primitives_dlopen_enclave_new = _make_primitives_dlopen_enclave(True)
def primitives_dlopen_enclave(name, **kwargs):
"""Defines a cc_binary enclave that uses the dlopen backend.
Args:
name: The rule name.
**kwargs: The arguments to cc_binary.
"""
_impl = _primitives_dlopen_enclave_old
kwargs = dict(kwargs)
if transitions.supported(native.package_name()):
_impl = _primitives_dlopen_enclave_new
kwargs["tags"] = kwargs.get("tags", []) + ["asylo-transition"]
else:
kwargs["tags"] = kwargs.get("tags", []) + ["asylo-cfh"]
_impl(name = name, **kwargs)
def dlopen_enclave_loader(
name,
enclaves = {},
embedded_enclaves = {},
loader_args = [],
remote_proxy = None,
**kwargs):
"""Thin wrapper around enclave loader, adds necessary linkopts and testonly=1
Args:
name: Name for build target.
enclaves: Dictionary from enclave names to target dependencies. The
dictionary must be injective. This dictionary is used to format each
string in `loader_args` after each enclave target is interpreted as the
path to its output binary.
embedded_enclaves: Dictionary from ELF section names (that do not start
with '.') to target dependencies. Each target in the dictionary is
embedded in the loader binary under the corresponding ELF section.
loader_args: List of arguments to be passed to `loader`. Arguments may
contain {enclave_name}-style references to keys from the `enclaves` dict,
each of which will be replaced with the path to the named enclave.
remote_proxy: Host-side executable that is going to run remote enclave
proxy server which will actually load the enclave(s). If empty, the
enclave(s) are loaded locally.
**kwargs: cc_binary arguments.
"""
asylo = internal.package()
enclave_loader(
name,
enclaves = enclaves,
embedded_enclaves = embedded_enclaves,
loader_args = loader_args,
backends = [asylo + "/platform/primitives/dlopen"],
testonly = 1,
remote_proxy = remote_proxy,
**kwargs
)
def dlopen_enclave_test(
name,
**kwargs):
"""Thin wrapper around enclave test, adds 'asylo-dlopen' tag and necessary linkopts
Args:
name: enclave_test name
**kwargs: same as enclave_test kwargs
"""
asylo = internal.package()
enclave_test(
name,
backends = [asylo + "/platform/primitives/dlopen"],
**kwargs
)
def _forward_debug_sign(ctx):
# Signing is a no-op. Just copy the target through. There are no runfiles
# for enclave targets.
binary_output = ctx.actions.declare_file(ctx.label.name)
ctx.actions.run_shell(
inputs = [ctx.file.unsigned],
command = "cp {} {}".format(ctx.file.unsigned.path, binary_output.path),
outputs = [binary_output],
)
return [
DefaultInfo(
files = depset([binary_output]),
executable = binary_output,
),
OutputGroupInfo(bin = depset([binary_output])),
backend_tools.EnclaveInfo(),
DlopenEnclaveInfo(),
]
def _asylo_dlopen_backend_impl(ctx):
return [backend_tools.AsyloBackendInfo(
forward_providers = [backend_tools.EnclaveInfo, DlopenEnclaveInfo, CcInfo],
unsigned_enclave_implementation = _primitives_dlopen_enclave_impl,
untrusted_sign_implementation = _forward_debug_sign,
)]
asylo_dlopen_backend = rule(
doc = "Declares name of the Asylo dlopen backend. Used in backend transitions.",
implementation = _asylo_dlopen_backend_impl,
attrs = {},
)
| """Rule definitions for creating targets for dlopen Asylo enclaves."""
load('@com_google_asylo_backend_provider//:enclave_info.bzl', 'backend_tools')
load('@com_google_asylo_backend_provider//:transitions.bzl', 'transitions')
load('//asylo/bazel:asylo.bzl', 'enclave_loader', 'enclave_test')
load('//asylo/bazel:asylo_internal.bzl', 'internal')
dlopen_enclave_info = provider(doc='A provider attached to a dlopen enclave target for compile-time ' + 'type-checking purposes')
def _primitives_dlopen_enclave_impl(ctx):
providers = backend_tools.cc_binary(ctx, ctx.label.name.replace('.so', ''), extra_linkopts=['-Wl,-Bsymbolic'], extra_features=['mostly_static_linking_mode'], extra_deps=[ctx.attr._trusted_primitives, ctx.attr._trusted_dlopen])
return providers + [backend_tools.EnclaveInfo(), dlopen_enclave_info()]
def _make_primitives_dlopen_enclave(transition):
transition_dict = {'backend': attr.label(default='//asylo/platform/primitives/dlopen', providers=[backend_tools.AsyloBackendInfo]), '_whitelist_function_transition': attr.label(default='//tools/whitelists/function_transition_whitelist')}
return rule(doc='Defines a DlOpen enclave binary, similar to cc_binary.', implementation=_primitives_dlopen_enclave_impl, cfg=transitions.toolchain if transition else None, attrs=backend_tools.merge_dicts(backend_tools.cc_binary_attrs(), {'_trusted_primitives': attr.label(default='//asylo/platform/primitives:trusted_primitives'), '_trusted_dlopen': attr.label(default='//asylo/platform/primitives/dlopen:trusted_dlopen')}, transition_dict if transition else {}), fragments=['cpp'])
_primitives_dlopen_enclave_old = _make_primitives_dlopen_enclave(False)
_primitives_dlopen_enclave_new = _make_primitives_dlopen_enclave(True)
def primitives_dlopen_enclave(name, **kwargs):
"""Defines a cc_binary enclave that uses the dlopen backend.
Args:
name: The rule name.
**kwargs: The arguments to cc_binary.
"""
_impl = _primitives_dlopen_enclave_old
kwargs = dict(kwargs)
if transitions.supported(native.package_name()):
_impl = _primitives_dlopen_enclave_new
kwargs['tags'] = kwargs.get('tags', []) + ['asylo-transition']
else:
kwargs['tags'] = kwargs.get('tags', []) + ['asylo-cfh']
_impl(name=name, **kwargs)
def dlopen_enclave_loader(name, enclaves={}, embedded_enclaves={}, loader_args=[], remote_proxy=None, **kwargs):
"""Thin wrapper around enclave loader, adds necessary linkopts and testonly=1
Args:
name: Name for build target.
enclaves: Dictionary from enclave names to target dependencies. The
dictionary must be injective. This dictionary is used to format each
string in `loader_args` after each enclave target is interpreted as the
path to its output binary.
embedded_enclaves: Dictionary from ELF section names (that do not start
with '.') to target dependencies. Each target in the dictionary is
embedded in the loader binary under the corresponding ELF section.
loader_args: List of arguments to be passed to `loader`. Arguments may
contain {enclave_name}-style references to keys from the `enclaves` dict,
each of which will be replaced with the path to the named enclave.
remote_proxy: Host-side executable that is going to run remote enclave
proxy server which will actually load the enclave(s). If empty, the
enclave(s) are loaded locally.
**kwargs: cc_binary arguments.
"""
asylo = internal.package()
enclave_loader(name, enclaves=enclaves, embedded_enclaves=embedded_enclaves, loader_args=loader_args, backends=[asylo + '/platform/primitives/dlopen'], testonly=1, remote_proxy=remote_proxy, **kwargs)
def dlopen_enclave_test(name, **kwargs):
"""Thin wrapper around enclave test, adds 'asylo-dlopen' tag and necessary linkopts
Args:
name: enclave_test name
**kwargs: same as enclave_test kwargs
"""
asylo = internal.package()
enclave_test(name, backends=[asylo + '/platform/primitives/dlopen'], **kwargs)
def _forward_debug_sign(ctx):
binary_output = ctx.actions.declare_file(ctx.label.name)
ctx.actions.run_shell(inputs=[ctx.file.unsigned], command='cp {} {}'.format(ctx.file.unsigned.path, binary_output.path), outputs=[binary_output])
return [default_info(files=depset([binary_output]), executable=binary_output), output_group_info(bin=depset([binary_output])), backend_tools.EnclaveInfo(), dlopen_enclave_info()]
def _asylo_dlopen_backend_impl(ctx):
return [backend_tools.AsyloBackendInfo(forward_providers=[backend_tools.EnclaveInfo, DlopenEnclaveInfo, CcInfo], unsigned_enclave_implementation=_primitives_dlopen_enclave_impl, untrusted_sign_implementation=_forward_debug_sign)]
asylo_dlopen_backend = rule(doc='Declares name of the Asylo dlopen backend. Used in backend transitions.', implementation=_asylo_dlopen_backend_impl, attrs={}) |
class identity:
def __repr__(self):
return 'identity()'
def forward(self, input):
return input
def backward(self, input):
return 1 | class Identity:
def __repr__(self):
return 'identity()'
def forward(self, input):
return input
def backward(self, input):
return 1 |
def to_Fahrenheit(c):
FH = (c*9)/5+32
return round(FH,2)
def to_Celcius(f):
C = (f-32)*5/9
return round(C,2)
print(to_Fahrenheit(21))
print(to_Celcius(60)) | def to__fahrenheit(c):
fh = c * 9 / 5 + 32
return round(FH, 2)
def to__celcius(f):
c = (f - 32) * 5 / 9
return round(C, 2)
print(to__fahrenheit(21))
print(to__celcius(60)) |
#Creating empty set
b = set()
print(type(b))
#Adding values to an empty set
b.add(4)
b.add(5)
b.add(5) #Set is a collection of non repatative items so it will print 5 only once
b.add(5)
b.add(5)
b.add((4,5,6)) #You can add touple in set
#b.add({4:5}) # Cannot add list or dictionary to sets
print(b)
#Length of set
print(len(b)) #Prints the lngth of the set
#Removal of items
b.remove(5) #removes 5 from set b
#b.remove(10) #throws an error because 10 is not present in the set
print(b)
print(b.pop())
print(b) | b = set()
print(type(b))
b.add(4)
b.add(5)
b.add(5)
b.add(5)
b.add(5)
b.add((4, 5, 6))
print(b)
print(len(b))
b.remove(5)
print(b)
print(b.pop())
print(b) |
#!/usr/bin/env python
NAME = 'BitNinja (BitNinja)'
def is_waf(self):
for attack in self.attacks:
r = attack(self)
if r is None:
return
_, page = r
# Both signatures are contained within response, so checking for any one of them
if any(i in page for i in (b'Security check by BitNinja', b'<title>Visitor anti-robot validation</title>')):
return True
return False
| name = 'BitNinja (BitNinja)'
def is_waf(self):
for attack in self.attacks:
r = attack(self)
if r is None:
return
(_, page) = r
if any((i in page for i in (b'Security check by BitNinja', b'<title>Visitor anti-robot validation</title>'))):
return True
return False |
#
# PySNMP MIB module SNMP-PROXY-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/SNMP-PROXY-MIB
# Produced by pysmi-0.3.4 at Wed May 1 15:08:15 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
OctetString, Integer, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "OctetString", "Integer", "ObjectIdentifier")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ValueRangeConstraint, ConstraintsIntersection, SingleValueConstraint, ValueSizeConstraint, ConstraintsUnion = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueRangeConstraint", "ConstraintsIntersection", "SingleValueConstraint", "ValueSizeConstraint", "ConstraintsUnion")
SnmpEngineID, SnmpAdminString = mibBuilder.importSymbols("SNMP-FRAMEWORK-MIB", "SnmpEngineID", "SnmpAdminString")
SnmpTagValue, = mibBuilder.importSymbols("SNMP-TARGET-MIB", "SnmpTagValue")
ObjectGroup, ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ObjectGroup", "ModuleCompliance", "NotificationGroup")
Integer32, snmpModules, Counter32, Counter64, IpAddress, NotificationType, Bits, iso, Gauge32, ObjectIdentity, MibScalar, MibTable, MibTableRow, MibTableColumn, ModuleIdentity, TimeTicks, MibIdentifier, Unsigned32 = mibBuilder.importSymbols("SNMPv2-SMI", "Integer32", "snmpModules", "Counter32", "Counter64", "IpAddress", "NotificationType", "Bits", "iso", "Gauge32", "ObjectIdentity", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "ModuleIdentity", "TimeTicks", "MibIdentifier", "Unsigned32")
DisplayString, TextualConvention, RowStatus, StorageType = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "TextualConvention", "RowStatus", "StorageType")
snmpProxyMIB = ModuleIdentity((1, 3, 6, 1, 6, 3, 14))
snmpProxyMIB.setRevisions(('2002-10-14 00:00', '1998-08-04 00:00', '1997-07-14 00:00',))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
if mibBuilder.loadTexts: snmpProxyMIB.setRevisionsDescriptions(('Clarifications, published as RFC 3413.', 'Clarifications, published as RFC 2573.', 'The initial revision, published as RFC2273.',))
if mibBuilder.loadTexts: snmpProxyMIB.setLastUpdated('200210140000Z')
if mibBuilder.loadTexts: snmpProxyMIB.setOrganization('IETF SNMPv3 Working Group')
if mibBuilder.loadTexts: snmpProxyMIB.setContactInfo('WG-email: snmpv3@lists.tislabs.com Subscribe: majordomo@lists.tislabs.com In message body: subscribe snmpv3 Co-Chair: Russ Mundy Network Associates Laboratories Postal: 15204 Omega Drive, Suite 300 Rockville, MD 20850-4601 USA EMail: mundy@tislabs.com Phone: +1 301-947-7107 Co-Chair: David Harrington Enterasys Networks Postal: 35 Industrial Way P. O. Box 5004 Rochester, New Hampshire 03866-5005 USA EMail: dbh@enterasys.com Phone: +1 603-337-2614 Co-editor: David B. Levi Nortel Networks Postal: 3505 Kesterwood Drive Knoxville, Tennessee 37918 EMail: dlevi@nortelnetworks.com Phone: +1 865 686 0432 Co-editor: Paul Meyer Secure Computing Corporation Postal: 2675 Long Lake Road Roseville, Minnesota 55113 EMail: paul_meyer@securecomputing.com Phone: +1 651 628 1592 Co-editor: Bob Stewart Retired')
if mibBuilder.loadTexts: snmpProxyMIB.setDescription('This MIB module defines MIB objects which provide mechanisms to remotely configure the parameters used by a proxy forwarding application. Copyright (C) The Internet Society (2002). This version of this MIB module is part of RFC 3413; see the RFC itself for full legal notices. ')
snmpProxyObjects = MibIdentifier((1, 3, 6, 1, 6, 3, 14, 1))
snmpProxyConformance = MibIdentifier((1, 3, 6, 1, 6, 3, 14, 3))
snmpProxyTable = MibTable((1, 3, 6, 1, 6, 3, 14, 1, 2), )
if mibBuilder.loadTexts: snmpProxyTable.setStatus('current')
if mibBuilder.loadTexts: snmpProxyTable.setDescription('The table of translation parameters used by proxy forwarder applications for forwarding SNMP messages.')
snmpProxyEntry = MibTableRow((1, 3, 6, 1, 6, 3, 14, 1, 2, 1), ).setIndexNames((1, "SNMP-PROXY-MIB", "snmpProxyName"))
if mibBuilder.loadTexts: snmpProxyEntry.setStatus('current')
if mibBuilder.loadTexts: snmpProxyEntry.setDescription('A set of translation parameters used by a proxy forwarder application for forwarding SNMP messages. Entries in the snmpProxyTable are created and deleted using the snmpProxyRowStatus object.')
snmpProxyName = MibTableColumn((1, 3, 6, 1, 6, 3, 14, 1, 2, 1, 1), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(1, 32)))
if mibBuilder.loadTexts: snmpProxyName.setStatus('current')
if mibBuilder.loadTexts: snmpProxyName.setDescription('The locally arbitrary, but unique identifier associated with this snmpProxyEntry.')
snmpProxyType = MibTableColumn((1, 3, 6, 1, 6, 3, 14, 1, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("read", 1), ("write", 2), ("trap", 3), ("inform", 4)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: snmpProxyType.setStatus('current')
if mibBuilder.loadTexts: snmpProxyType.setDescription('The type of message that may be forwarded using the translation parameters defined by this entry.')
snmpProxyContextEngineID = MibTableColumn((1, 3, 6, 1, 6, 3, 14, 1, 2, 1, 3), SnmpEngineID()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: snmpProxyContextEngineID.setStatus('current')
if mibBuilder.loadTexts: snmpProxyContextEngineID.setDescription('The contextEngineID contained in messages that may be forwarded using the translation parameters defined by this entry.')
snmpProxyContextName = MibTableColumn((1, 3, 6, 1, 6, 3, 14, 1, 2, 1, 4), SnmpAdminString()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: snmpProxyContextName.setStatus('current')
if mibBuilder.loadTexts: snmpProxyContextName.setDescription('The contextName contained in messages that may be forwarded using the translation parameters defined by this entry. This object is optional, and if not supported, the contextName contained in a message is ignored when selecting an entry in the snmpProxyTable.')
snmpProxyTargetParamsIn = MibTableColumn((1, 3, 6, 1, 6, 3, 14, 1, 2, 1, 5), SnmpAdminString()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: snmpProxyTargetParamsIn.setStatus('current')
if mibBuilder.loadTexts: snmpProxyTargetParamsIn.setDescription('This object selects an entry in the snmpTargetParamsTable. The selected entry is used to determine which row of the snmpProxyTable to use for forwarding received messages.')
snmpProxySingleTargetOut = MibTableColumn((1, 3, 6, 1, 6, 3, 14, 1, 2, 1, 6), SnmpAdminString()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: snmpProxySingleTargetOut.setStatus('current')
if mibBuilder.loadTexts: snmpProxySingleTargetOut.setDescription('This object selects a management target defined in the snmpTargetAddrTable (in the SNMP-TARGET-MIB). The selected target is defined by an entry in the snmpTargetAddrTable whose index value (snmpTargetAddrName) is equal to this object. This object is only used when selection of a single target is required (i.e. when forwarding an incoming read or write request).')
snmpProxyMultipleTargetOut = MibTableColumn((1, 3, 6, 1, 6, 3, 14, 1, 2, 1, 7), SnmpTagValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: snmpProxyMultipleTargetOut.setStatus('current')
if mibBuilder.loadTexts: snmpProxyMultipleTargetOut.setDescription('This object selects a set of management targets defined in the snmpTargetAddrTable (in the SNMP-TARGET-MIB). This object is only used when selection of multiple targets is required (i.e. when forwarding an incoming notification).')
snmpProxyStorageType = MibTableColumn((1, 3, 6, 1, 6, 3, 14, 1, 2, 1, 8), StorageType().clone('nonVolatile')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: snmpProxyStorageType.setStatus('current')
if mibBuilder.loadTexts: snmpProxyStorageType.setDescription("The storage type of this conceptual row. Conceptual rows having the value 'permanent' need not allow write-access to any columnar objects in the row.")
snmpProxyRowStatus = MibTableColumn((1, 3, 6, 1, 6, 3, 14, 1, 2, 1, 9), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: snmpProxyRowStatus.setStatus('current')
if mibBuilder.loadTexts: snmpProxyRowStatus.setDescription('The status of this conceptual row. To create a row in this table, a manager must set this object to either createAndGo(4) or createAndWait(5). The following objects may not be modified while the value of this object is active(1): - snmpProxyType - snmpProxyContextEngineID - snmpProxyContextName - snmpProxyTargetParamsIn - snmpProxySingleTargetOut - snmpProxyMultipleTargetOut')
snmpProxyCompliances = MibIdentifier((1, 3, 6, 1, 6, 3, 14, 3, 1))
snmpProxyGroups = MibIdentifier((1, 3, 6, 1, 6, 3, 14, 3, 2))
snmpProxyCompliance = ModuleCompliance((1, 3, 6, 1, 6, 3, 14, 3, 1, 1)).setObjects(("SNMP-TARGET-MIB", "snmpTargetBasicGroup"), ("SNMP-TARGET-MIB", "snmpTargetResponseGroup"), ("SNMP-PROXY-MIB", "snmpProxyGroup"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
snmpProxyCompliance = snmpProxyCompliance.setStatus('current')
if mibBuilder.loadTexts: snmpProxyCompliance.setDescription('The compliance statement for SNMP entities which include a proxy forwarding application.')
snmpProxyGroup = ObjectGroup((1, 3, 6, 1, 6, 3, 14, 3, 2, 3)).setObjects(("SNMP-PROXY-MIB", "snmpProxyType"), ("SNMP-PROXY-MIB", "snmpProxyContextEngineID"), ("SNMP-PROXY-MIB", "snmpProxyContextName"), ("SNMP-PROXY-MIB", "snmpProxyTargetParamsIn"), ("SNMP-PROXY-MIB", "snmpProxySingleTargetOut"), ("SNMP-PROXY-MIB", "snmpProxyMultipleTargetOut"), ("SNMP-PROXY-MIB", "snmpProxyStorageType"), ("SNMP-PROXY-MIB", "snmpProxyRowStatus"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
snmpProxyGroup = snmpProxyGroup.setStatus('current')
if mibBuilder.loadTexts: snmpProxyGroup.setDescription('A collection of objects providing remote configuration of management target translation parameters for use by proxy forwarder applications.')
mibBuilder.exportSymbols("SNMP-PROXY-MIB", snmpProxyContextEngineID=snmpProxyContextEngineID, PYSNMP_MODULE_ID=snmpProxyMIB, snmpProxyCompliances=snmpProxyCompliances, snmpProxyMIB=snmpProxyMIB, snmpProxyRowStatus=snmpProxyRowStatus, snmpProxySingleTargetOut=snmpProxySingleTargetOut, snmpProxyGroup=snmpProxyGroup, snmpProxyTargetParamsIn=snmpProxyTargetParamsIn, snmpProxyEntry=snmpProxyEntry, snmpProxyType=snmpProxyType, snmpProxyContextName=snmpProxyContextName, snmpProxyMultipleTargetOut=snmpProxyMultipleTargetOut, snmpProxyTable=snmpProxyTable, snmpProxyStorageType=snmpProxyStorageType, snmpProxyGroups=snmpProxyGroups, snmpProxyCompliance=snmpProxyCompliance, snmpProxyName=snmpProxyName, snmpProxyObjects=snmpProxyObjects, snmpProxyConformance=snmpProxyConformance)
| (octet_string, integer, object_identifier) = mibBuilder.importSymbols('ASN1', 'OctetString', 'Integer', 'ObjectIdentifier')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(value_range_constraint, constraints_intersection, single_value_constraint, value_size_constraint, constraints_union) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueRangeConstraint', 'ConstraintsIntersection', 'SingleValueConstraint', 'ValueSizeConstraint', 'ConstraintsUnion')
(snmp_engine_id, snmp_admin_string) = mibBuilder.importSymbols('SNMP-FRAMEWORK-MIB', 'SnmpEngineID', 'SnmpAdminString')
(snmp_tag_value,) = mibBuilder.importSymbols('SNMP-TARGET-MIB', 'SnmpTagValue')
(object_group, module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ObjectGroup', 'ModuleCompliance', 'NotificationGroup')
(integer32, snmp_modules, counter32, counter64, ip_address, notification_type, bits, iso, gauge32, object_identity, mib_scalar, mib_table, mib_table_row, mib_table_column, module_identity, time_ticks, mib_identifier, unsigned32) = mibBuilder.importSymbols('SNMPv2-SMI', 'Integer32', 'snmpModules', 'Counter32', 'Counter64', 'IpAddress', 'NotificationType', 'Bits', 'iso', 'Gauge32', 'ObjectIdentity', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'ModuleIdentity', 'TimeTicks', 'MibIdentifier', 'Unsigned32')
(display_string, textual_convention, row_status, storage_type) = mibBuilder.importSymbols('SNMPv2-TC', 'DisplayString', 'TextualConvention', 'RowStatus', 'StorageType')
snmp_proxy_mib = module_identity((1, 3, 6, 1, 6, 3, 14))
snmpProxyMIB.setRevisions(('2002-10-14 00:00', '1998-08-04 00:00', '1997-07-14 00:00'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
if mibBuilder.loadTexts:
snmpProxyMIB.setRevisionsDescriptions(('Clarifications, published as RFC 3413.', 'Clarifications, published as RFC 2573.', 'The initial revision, published as RFC2273.'))
if mibBuilder.loadTexts:
snmpProxyMIB.setLastUpdated('200210140000Z')
if mibBuilder.loadTexts:
snmpProxyMIB.setOrganization('IETF SNMPv3 Working Group')
if mibBuilder.loadTexts:
snmpProxyMIB.setContactInfo('WG-email: snmpv3@lists.tislabs.com Subscribe: majordomo@lists.tislabs.com In message body: subscribe snmpv3 Co-Chair: Russ Mundy Network Associates Laboratories Postal: 15204 Omega Drive, Suite 300 Rockville, MD 20850-4601 USA EMail: mundy@tislabs.com Phone: +1 301-947-7107 Co-Chair: David Harrington Enterasys Networks Postal: 35 Industrial Way P. O. Box 5004 Rochester, New Hampshire 03866-5005 USA EMail: dbh@enterasys.com Phone: +1 603-337-2614 Co-editor: David B. Levi Nortel Networks Postal: 3505 Kesterwood Drive Knoxville, Tennessee 37918 EMail: dlevi@nortelnetworks.com Phone: +1 865 686 0432 Co-editor: Paul Meyer Secure Computing Corporation Postal: 2675 Long Lake Road Roseville, Minnesota 55113 EMail: paul_meyer@securecomputing.com Phone: +1 651 628 1592 Co-editor: Bob Stewart Retired')
if mibBuilder.loadTexts:
snmpProxyMIB.setDescription('This MIB module defines MIB objects which provide mechanisms to remotely configure the parameters used by a proxy forwarding application. Copyright (C) The Internet Society (2002). This version of this MIB module is part of RFC 3413; see the RFC itself for full legal notices. ')
snmp_proxy_objects = mib_identifier((1, 3, 6, 1, 6, 3, 14, 1))
snmp_proxy_conformance = mib_identifier((1, 3, 6, 1, 6, 3, 14, 3))
snmp_proxy_table = mib_table((1, 3, 6, 1, 6, 3, 14, 1, 2))
if mibBuilder.loadTexts:
snmpProxyTable.setStatus('current')
if mibBuilder.loadTexts:
snmpProxyTable.setDescription('The table of translation parameters used by proxy forwarder applications for forwarding SNMP messages.')
snmp_proxy_entry = mib_table_row((1, 3, 6, 1, 6, 3, 14, 1, 2, 1)).setIndexNames((1, 'SNMP-PROXY-MIB', 'snmpProxyName'))
if mibBuilder.loadTexts:
snmpProxyEntry.setStatus('current')
if mibBuilder.loadTexts:
snmpProxyEntry.setDescription('A set of translation parameters used by a proxy forwarder application for forwarding SNMP messages. Entries in the snmpProxyTable are created and deleted using the snmpProxyRowStatus object.')
snmp_proxy_name = mib_table_column((1, 3, 6, 1, 6, 3, 14, 1, 2, 1, 1), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(1, 32)))
if mibBuilder.loadTexts:
snmpProxyName.setStatus('current')
if mibBuilder.loadTexts:
snmpProxyName.setDescription('The locally arbitrary, but unique identifier associated with this snmpProxyEntry.')
snmp_proxy_type = mib_table_column((1, 3, 6, 1, 6, 3, 14, 1, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('read', 1), ('write', 2), ('trap', 3), ('inform', 4)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
snmpProxyType.setStatus('current')
if mibBuilder.loadTexts:
snmpProxyType.setDescription('The type of message that may be forwarded using the translation parameters defined by this entry.')
snmp_proxy_context_engine_id = mib_table_column((1, 3, 6, 1, 6, 3, 14, 1, 2, 1, 3), snmp_engine_id()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
snmpProxyContextEngineID.setStatus('current')
if mibBuilder.loadTexts:
snmpProxyContextEngineID.setDescription('The contextEngineID contained in messages that may be forwarded using the translation parameters defined by this entry.')
snmp_proxy_context_name = mib_table_column((1, 3, 6, 1, 6, 3, 14, 1, 2, 1, 4), snmp_admin_string()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
snmpProxyContextName.setStatus('current')
if mibBuilder.loadTexts:
snmpProxyContextName.setDescription('The contextName contained in messages that may be forwarded using the translation parameters defined by this entry. This object is optional, and if not supported, the contextName contained in a message is ignored when selecting an entry in the snmpProxyTable.')
snmp_proxy_target_params_in = mib_table_column((1, 3, 6, 1, 6, 3, 14, 1, 2, 1, 5), snmp_admin_string()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
snmpProxyTargetParamsIn.setStatus('current')
if mibBuilder.loadTexts:
snmpProxyTargetParamsIn.setDescription('This object selects an entry in the snmpTargetParamsTable. The selected entry is used to determine which row of the snmpProxyTable to use for forwarding received messages.')
snmp_proxy_single_target_out = mib_table_column((1, 3, 6, 1, 6, 3, 14, 1, 2, 1, 6), snmp_admin_string()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
snmpProxySingleTargetOut.setStatus('current')
if mibBuilder.loadTexts:
snmpProxySingleTargetOut.setDescription('This object selects a management target defined in the snmpTargetAddrTable (in the SNMP-TARGET-MIB). The selected target is defined by an entry in the snmpTargetAddrTable whose index value (snmpTargetAddrName) is equal to this object. This object is only used when selection of a single target is required (i.e. when forwarding an incoming read or write request).')
snmp_proxy_multiple_target_out = mib_table_column((1, 3, 6, 1, 6, 3, 14, 1, 2, 1, 7), snmp_tag_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
snmpProxyMultipleTargetOut.setStatus('current')
if mibBuilder.loadTexts:
snmpProxyMultipleTargetOut.setDescription('This object selects a set of management targets defined in the snmpTargetAddrTable (in the SNMP-TARGET-MIB). This object is only used when selection of multiple targets is required (i.e. when forwarding an incoming notification).')
snmp_proxy_storage_type = mib_table_column((1, 3, 6, 1, 6, 3, 14, 1, 2, 1, 8), storage_type().clone('nonVolatile')).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
snmpProxyStorageType.setStatus('current')
if mibBuilder.loadTexts:
snmpProxyStorageType.setDescription("The storage type of this conceptual row. Conceptual rows having the value 'permanent' need not allow write-access to any columnar objects in the row.")
snmp_proxy_row_status = mib_table_column((1, 3, 6, 1, 6, 3, 14, 1, 2, 1, 9), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
snmpProxyRowStatus.setStatus('current')
if mibBuilder.loadTexts:
snmpProxyRowStatus.setDescription('The status of this conceptual row. To create a row in this table, a manager must set this object to either createAndGo(4) or createAndWait(5). The following objects may not be modified while the value of this object is active(1): - snmpProxyType - snmpProxyContextEngineID - snmpProxyContextName - snmpProxyTargetParamsIn - snmpProxySingleTargetOut - snmpProxyMultipleTargetOut')
snmp_proxy_compliances = mib_identifier((1, 3, 6, 1, 6, 3, 14, 3, 1))
snmp_proxy_groups = mib_identifier((1, 3, 6, 1, 6, 3, 14, 3, 2))
snmp_proxy_compliance = module_compliance((1, 3, 6, 1, 6, 3, 14, 3, 1, 1)).setObjects(('SNMP-TARGET-MIB', 'snmpTargetBasicGroup'), ('SNMP-TARGET-MIB', 'snmpTargetResponseGroup'), ('SNMP-PROXY-MIB', 'snmpProxyGroup'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
snmp_proxy_compliance = snmpProxyCompliance.setStatus('current')
if mibBuilder.loadTexts:
snmpProxyCompliance.setDescription('The compliance statement for SNMP entities which include a proxy forwarding application.')
snmp_proxy_group = object_group((1, 3, 6, 1, 6, 3, 14, 3, 2, 3)).setObjects(('SNMP-PROXY-MIB', 'snmpProxyType'), ('SNMP-PROXY-MIB', 'snmpProxyContextEngineID'), ('SNMP-PROXY-MIB', 'snmpProxyContextName'), ('SNMP-PROXY-MIB', 'snmpProxyTargetParamsIn'), ('SNMP-PROXY-MIB', 'snmpProxySingleTargetOut'), ('SNMP-PROXY-MIB', 'snmpProxyMultipleTargetOut'), ('SNMP-PROXY-MIB', 'snmpProxyStorageType'), ('SNMP-PROXY-MIB', 'snmpProxyRowStatus'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
snmp_proxy_group = snmpProxyGroup.setStatus('current')
if mibBuilder.loadTexts:
snmpProxyGroup.setDescription('A collection of objects providing remote configuration of management target translation parameters for use by proxy forwarder applications.')
mibBuilder.exportSymbols('SNMP-PROXY-MIB', snmpProxyContextEngineID=snmpProxyContextEngineID, PYSNMP_MODULE_ID=snmpProxyMIB, snmpProxyCompliances=snmpProxyCompliances, snmpProxyMIB=snmpProxyMIB, snmpProxyRowStatus=snmpProxyRowStatus, snmpProxySingleTargetOut=snmpProxySingleTargetOut, snmpProxyGroup=snmpProxyGroup, snmpProxyTargetParamsIn=snmpProxyTargetParamsIn, snmpProxyEntry=snmpProxyEntry, snmpProxyType=snmpProxyType, snmpProxyContextName=snmpProxyContextName, snmpProxyMultipleTargetOut=snmpProxyMultipleTargetOut, snmpProxyTable=snmpProxyTable, snmpProxyStorageType=snmpProxyStorageType, snmpProxyGroups=snmpProxyGroups, snmpProxyCompliance=snmpProxyCompliance, snmpProxyName=snmpProxyName, snmpProxyObjects=snmpProxyObjects, snmpProxyConformance=snmpProxyConformance) |
num1 = 10
num2 = 20
num3 = 33
num4 = 40
| num1 = 10
num2 = 20
num3 = 33
num4 = 40 |
entries = [
{
'env-title': 'classic-acrobot',
'score': -88.103,
'stddev': 33.037,
},
{
'env-title': 'atari-beam-rider',
'score': 888.741,
'stddev': 248.487,
},
{
'env-title': 'atari-breakout',
'score': 191.165,
'stddev': 97.795,
},
{
'env-title': 'classic-cartpole',
'score': 500.000,
'stddev': 0.000,
},
{
'env-title': 'atari-enduro',
'score': 699.800,
'stddev': 214.231,
},
{
'env-title': 'box2d-lunarlander',
'score': 269.048,
'stddev': 41.056,
},
{
'env-title': 'classic-mountain-car',
'score': -134.507,
'stddev': 24.748,
},
{
'env-title': 'atari-ms-pacman',
'score': 1781.818,
'stddev': 605.289,
},
{
'env-title': 'atari-pong',
'score': 21.000,
'stddev': 0.000,
},
{
'env-title': 'atari-qbert',
'score': 644.345,
'stddev': 66.854,
},
{
'env-title': 'atari-seaquest',
'score': 1948.571,
'stddev': 234.328,
},
{
'env-title': 'atari-space-invaders',
'score': 636.618,
'stddev': 146.066,
},
]
| entries = [{'env-title': 'classic-acrobot', 'score': -88.103, 'stddev': 33.037}, {'env-title': 'atari-beam-rider', 'score': 888.741, 'stddev': 248.487}, {'env-title': 'atari-breakout', 'score': 191.165, 'stddev': 97.795}, {'env-title': 'classic-cartpole', 'score': 500.0, 'stddev': 0.0}, {'env-title': 'atari-enduro', 'score': 699.8, 'stddev': 214.231}, {'env-title': 'box2d-lunarlander', 'score': 269.048, 'stddev': 41.056}, {'env-title': 'classic-mountain-car', 'score': -134.507, 'stddev': 24.748}, {'env-title': 'atari-ms-pacman', 'score': 1781.818, 'stddev': 605.289}, {'env-title': 'atari-pong', 'score': 21.0, 'stddev': 0.0}, {'env-title': 'atari-qbert', 'score': 644.345, 'stddev': 66.854}, {'env-title': 'atari-seaquest', 'score': 1948.571, 'stddev': 234.328}, {'env-title': 'atari-space-invaders', 'score': 636.618, 'stddev': 146.066}] |
wheel
cython
opencv-python
numpy
torch
torchvision
pytorch_clip_bbox
| wheel
cython
opencv - python
numpy
torch
torchvision
pytorch_clip_bbox |
#!/pxrpythonsubst
#
# Copyright 2020 Pixar
#
# Licensed under the Apache License, Version 2.0 (the "Apache License")
# with the following modification; you may not use this file except in
# compliance with the Apache License and the following modification to it:
# Section 6. Trademarks. is deleted and replaced with:
#
# 6. Trademarks. This License does not grant permission to use the trade
# names, trademarks, service marks, or product names of the Licensor
# and its affiliates, except as required to comply with Section 4(c) of
# the License and to reproduce the content of the NOTICE file.
#
# You may obtain a copy of the Apache License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the Apache License with the above modification is
# distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
# KIND, either express or implied. See the Apache License for the specific
# language governing permissions and limitations under the Apache License.
#
# Remove any unwanted visuals from the view.
def _modifySettings(appController):
appController._dataModel.viewSettings.showBBoxes = False
appController._dataModel.viewSettings.showHUD = False
# Set the camera and refresh the view.
def _setCamera(appController, path):
stage = appController._dataModel.stage
prim = stage.GetPrimAtPath(path)
appController._stageView.cameraPrim = prim
appController._stageView.updateGL()
def _testPerspectiveCamera(appController):
_setCamera(appController, '/main_cam')
appController._takeShot("perspective.png")
def _testOrthoCamera(appController):
_setCamera(appController, '/OrthoCam')
appController._takeShot("ortho.png")
def testUsdviewInputFunction(appController):
_modifySettings(appController)
_testPerspectiveCamera(appController)
_testOrthoCamera(appController)
| def _modify_settings(appController):
appController._dataModel.viewSettings.showBBoxes = False
appController._dataModel.viewSettings.showHUD = False
def _set_camera(appController, path):
stage = appController._dataModel.stage
prim = stage.GetPrimAtPath(path)
appController._stageView.cameraPrim = prim
appController._stageView.updateGL()
def _test_perspective_camera(appController):
_set_camera(appController, '/main_cam')
appController._takeShot('perspective.png')
def _test_ortho_camera(appController):
_set_camera(appController, '/OrthoCam')
appController._takeShot('ortho.png')
def test_usdview_input_function(appController):
_modify_settings(appController)
_test_perspective_camera(appController)
_test_ortho_camera(appController) |
def get_digit(number, digit):
""" Given a number, returns the digit in the specified position, for an out of range digit returns 0 """
digit_sum = 0
for i in range(digit): # Accumulate all the other digits and subtract from the original number
digit_sum += number - ((number // 10**(i+1)) * 10**(i+1) + digit_sum)
return digit_sum // 10**(digit-1)
def get_digit_b(number, digit):
""" Given a number, returns the digit in the specified position, for an out of range digit returns 0 """
return number % 10**digit // 10**(digit-1) # Shortest mathematical method (module and integer division)
def get_digit_c(number, digit):
""" Given a number, returns the digit in the specified position, does not accept out of range digits """
return int(str(number)[-digit]) # Simplest method by casting to string and access by index
| def get_digit(number, digit):
""" Given a number, returns the digit in the specified position, for an out of range digit returns 0 """
digit_sum = 0
for i in range(digit):
digit_sum += number - (number // 10 ** (i + 1) * 10 ** (i + 1) + digit_sum)
return digit_sum // 10 ** (digit - 1)
def get_digit_b(number, digit):
""" Given a number, returns the digit in the specified position, for an out of range digit returns 0 """
return number % 10 ** digit // 10 ** (digit - 1)
def get_digit_c(number, digit):
""" Given a number, returns the digit in the specified position, does not accept out of range digits """
return int(str(number)[-digit]) |
'''
2014314433
lee young suk
'''
x = input("Input a value for x : ") #Ask user input x value
y = input("Input a value for y : ") #Ask user input y value
while x.isdigit() !=True or y.isdigit() !=True:
if x.isdigit() !=True and y.isdigit() !=True:
print("ERROR; Both of them is non-numerical ")
x = input("Input a value for x : ") #Ask user input x value
y = input("Input a value for y : ") #Ask user input y value
else:
print("ERROR; Either of them is non-numerical ")
x = input("Input a value for x : ") #Ask user input x value
y = input("Input a value for y : ") #Ask user input y value
z=int(x)+int(y) #calculate z value by converting two strings above into int and adding them.
w=int(x)*int(y) #calculate w value by converting two strings above into int and adding them.
print(z) #print z
print(w) #print w
| """
2014314433
lee young suk
"""
x = input('Input a value for x : ')
y = input('Input a value for y : ')
while x.isdigit() != True or y.isdigit() != True:
if x.isdigit() != True and y.isdigit() != True:
print('ERROR; Both of them is non-numerical ')
x = input('Input a value for x : ')
y = input('Input a value for y : ')
else:
print('ERROR; Either of them is non-numerical ')
x = input('Input a value for x : ')
y = input('Input a value for y : ')
z = int(x) + int(y)
w = int(x) * int(y)
print(z)
print(w) |
def sumar(x = 0,y = 0):
sum = x + y
return sum
a = 12
b = 8
print("LA SUMA ES: ",sumar(a,b))
| def sumar(x=0, y=0):
sum = x + y
return sum
a = 12
b = 8
print('LA SUMA ES: ', sumar(a, b)) |
T = int(input())
while T > 0:
a, b = map(int, input().split())
print(a * b)
T -= 1 | t = int(input())
while T > 0:
(a, b) = map(int, input().split())
print(a * b)
t -= 1 |
GRADLE_BUILD_FILE = """
java_import(
name = "launcher",
jars = ["lib/gradle-launcher.jar"],
)
"""
def gradle_repositories():
if not native.existing_rule("gradle"):
native.new_http_archive(
name = "gradle",
url = "https://services.gradle.org/distributions/gradle-3.2.1-bin.zip",
build_file_content = GRADLE_BUILD_FILE,
)
| gradle_build_file = '\njava_import(\n name = "launcher",\n jars = ["lib/gradle-launcher.jar"],\n)\n'
def gradle_repositories():
if not native.existing_rule('gradle'):
native.new_http_archive(name='gradle', url='https://services.gradle.org/distributions/gradle-3.2.1-bin.zip', build_file_content=GRADLE_BUILD_FILE) |
class Animation:
def getName(self):
raise NotImplementedError
def getBrightness(self):
return 100
def getSetupCommand(self):
return None
def getAnimationCommand(self):
raise NotImplementedError
def getRepeatCount(self):
return 1 | class Animation:
def get_name(self):
raise NotImplementedError
def get_brightness(self):
return 100
def get_setup_command(self):
return None
def get_animation_command(self):
raise NotImplementedError
def get_repeat_count(self):
return 1 |
class StatsDict:
def __init__(self, hp: int = 0, atk: int = 0, phys_def: int = 0, spe_atk: int = 0, spe_def: int = 0, spd: int = 0):
self.hp = int(hp)
self.atk = int(atk)
self.phys_def = int(phys_def)
self.spe_atk = int(spe_atk)
self.spe_def = int(spe_def)
self.spd = int(spd)
def __eq__(self, other):
if self.__class__ != other.__class__:
return NotImplementedError
return self.__dict__ == other.__dict__
def __getitem__(self, item: str):
return self.__dict__[item]
def __setitem__(self, key, value):
self.__dict__[key] = int(value)
@classmethod
def from_json(cls, json: {}):
keys = cls.__dict__.keys()
if all(keys) in json:
return StatsDict(**{key: json[key] for key in keys})
| class Statsdict:
def __init__(self, hp: int=0, atk: int=0, phys_def: int=0, spe_atk: int=0, spe_def: int=0, spd: int=0):
self.hp = int(hp)
self.atk = int(atk)
self.phys_def = int(phys_def)
self.spe_atk = int(spe_atk)
self.spe_def = int(spe_def)
self.spd = int(spd)
def __eq__(self, other):
if self.__class__ != other.__class__:
return NotImplementedError
return self.__dict__ == other.__dict__
def __getitem__(self, item: str):
return self.__dict__[item]
def __setitem__(self, key, value):
self.__dict__[key] = int(value)
@classmethod
def from_json(cls, json: {}):
keys = cls.__dict__.keys()
if all(keys) in json:
return stats_dict(**{key: json[key] for key in keys}) |
class SVal:
"""This class represents a square in Sudoku. It either has 1 assigned value, or a set of possible values."""
def __init__(self):
"""Start with no set value and all possible values."""
self.possible_vals = [x for x in range(1, 10)]
self.value = None
def deep_copy(self):
"""Create a deep copy."""
new_s_vals = SVal()
if self.value is not None:
new_s_vals.value = self.value
else:
new_s_vals.possible_vals = self.possible_vals[:]
return new_s_vals
def set_value(self, value):
"""Set the value."""
self.value = value
def remove_possible(self, value):
"""Remove a possible value."""
if value in self.possible_vals:
self.possible_vals.remove(value)
def is_set(self):
"""Check if this value is set."""
return self.value is not None
def num_possible(self):
"""Return the number of possibilities this square has."""
return len(self.possible_vals)
def get_possible(self):
"""Return possible values for this square."""
return self.possible_vals
def __str__(self):
"""String for an SVals."""
return str(self.value) if self.is_set() else " "
| class Sval:
"""This class represents a square in Sudoku. It either has 1 assigned value, or a set of possible values."""
def __init__(self):
"""Start with no set value and all possible values."""
self.possible_vals = [x for x in range(1, 10)]
self.value = None
def deep_copy(self):
"""Create a deep copy."""
new_s_vals = s_val()
if self.value is not None:
new_s_vals.value = self.value
else:
new_s_vals.possible_vals = self.possible_vals[:]
return new_s_vals
def set_value(self, value):
"""Set the value."""
self.value = value
def remove_possible(self, value):
"""Remove a possible value."""
if value in self.possible_vals:
self.possible_vals.remove(value)
def is_set(self):
"""Check if this value is set."""
return self.value is not None
def num_possible(self):
"""Return the number of possibilities this square has."""
return len(self.possible_vals)
def get_possible(self):
"""Return possible values for this square."""
return self.possible_vals
def __str__(self):
"""String for an SVals."""
return str(self.value) if self.is_set() else ' ' |
class PrimaryReplicaRouter(object):
def db_for_read(self, model, **hints):
"""
Reads go to a replica, load balanced my some proxy/middleware.
"""
return 'replica'
def db_for_write(self, model, **hints):
"""
Writes always go to primary.
"""
return 'default'
def allow_relation(self, obj1, obj2, **hints):
"""
Relations between objects are allowed if both objects are
in the primary/replica pool.
"""
db_list = ('primary', 'replica')
if obj1._state.db in db_list and obj2._state.db in db_list:
return True
return None
def allow_migrate(self, db, app_label, model=None, **hints):
"""
All non-auth models end up in this pool.
"""
return True
| class Primaryreplicarouter(object):
def db_for_read(self, model, **hints):
"""
Reads go to a replica, load balanced my some proxy/middleware.
"""
return 'replica'
def db_for_write(self, model, **hints):
"""
Writes always go to primary.
"""
return 'default'
def allow_relation(self, obj1, obj2, **hints):
"""
Relations between objects are allowed if both objects are
in the primary/replica pool.
"""
db_list = ('primary', 'replica')
if obj1._state.db in db_list and obj2._state.db in db_list:
return True
return None
def allow_migrate(self, db, app_label, model=None, **hints):
"""
All non-auth models end up in this pool.
"""
return True |
#!/usr/bin/env python
# -*- coding:utf-8 -*-
# @FileName :__init__.py
# @Time :2021/8/19 19:48
# @Author :Amundsen Severus Rubeus Bjaaland
if __name__ == "__main__":
run_code = 0
| if __name__ == '__main__':
run_code = 0 |
c.JupyterHub.tornado_settings = {
'headers': {
'Content-Security-Policy': "frame-ancestors '127.0.0.1:80'",
}
}
| c.JupyterHub.tornado_settings = {'headers': {'Content-Security-Policy': "frame-ancestors '127.0.0.1:80'"}} |
''' 10 best are:
th1
transverse
tree_next_vtx_z_min
th2
opang
nhits_other_pfps
trkshw_score1
slice_ntrk
tree_next_vtx_y_max
sum_nhits_1
'''
def getit_df(df):
df['sum_nhits_1'] = df.loc[:, ['nhits1_p0','nhits1_p1','nhits1_p2']].sum(axis=1)
df.drop(columns=['nhits1_p0','nhits1_p1','nhits1_p2'],inplace=True)
for branch in ['tree_next_vtx_z_min']:
df.loc[df[branch]>9e99,[branch]]=None
for branch in ['tree_next_vtx_y_max']:
df.loc[df[branch]<-9e99,[branch]]=None
return df
def getit(tf):
df = tf.pandas.df([b'th1',b'transverse',b'opang',b'th2',b'nhits_other_pfps',b'tree_next_vtx_z_min',b'slice_ntrk',b'tree_next_vtx_y_max',b'nhits1_p0',b'nhits1_p1',b'nhits1_p2',b'trkshw_score1'])
return getit_df(df)
featmap_vars = {
'int':[ 'type1', 'type2', 'startend1','startend2','slice_ntrk', 'slice_nshw', 'nhits1_p0', 'nhits2_p0', 'nhits1_p1', 'nhits2_p1', 'nhits1_p2', 'nhits2_p2', 'nhits_other_pfps', 'nhits_beg1_p0', 'nhits_beg1_p1', 'nhits_beg1_p2', 'nhits_beg2_p0', 'nhits_beg2_p1', 'nhits_beg2_p2', 'nhits_slice', 'sum_nhits_1', 'sum_nhits_2', 'sum_nhits' ],
'q':['vtx_x', 'vtx_y', 'vtx_z', 'dca', 'opang', 'th1', 'th2', 'phi1', 'phi2', 'b2b', 'transverse', 'next_dca', 'next_len', 'next_nhits', 'next_score', 'len1', 'len2', 'trkshw_score1', 'trkshw_score2', 'slice_nuscore', 'dca_hits_p0', 'dca_hits_p1', 'dca_hits_p2', 'dca_unassoc_vtx_p0', 'dca_unassoc_vtx_p1', 'dca_unassoc_vtx_p2', 'dca_othpfp_vtx_p0', 'dca_othpfp_vtx_p1', 'dca_othpfp_vtx_p2', 'flshtime_slice', 'mean_start_hitamp_asym_p0', 'mean_start_hitamp_asym_p1', 'mean_start_hitamp_asym_p2', 'slice_min_tick', 'slice_max_tick', 'tree_trkfit1_chi2_p0', 'tree_trkfit1_chi2_p1', 'tree_trkfit1_chi2_p2', 'tree_trkfit2_chi2_p0', 'tree_trkfit2_chi2_p1', 'tree_trkfit2_chi2_p2', 'tree_next_vtx_x_min', 'tree_next_vtx_x_neg', 'tree_next_vtx_x_pos', 'tree_next_vtx_x_max', 'tree_next_vtx_y_min', 'tree_next_vtx_y_neg', 'tree_next_vtx_y_pos', 'tree_next_vtx_y_max', 'tree_next_vtx_z_min', 'tree_next_vtx_z_neg', 'tree_next_vtx_z_pos', 'tree_next_vtx_z_max', 'tree_cand_min_x', 'tree_cand_max_x', 'tree_slice_min_x', 'tree_slice_max_x', 'tree_cand_min_y', 'tree_cand_max_y', 'tree_slice_min_y', 'tree_slice_max_y', 'tree_cand_min_z', 'tree_cand_max_z', 'tree_slice_min_z', 'tree_slice_max_z' ],
'i':['slice_is_neutrino', 'b2b_p0', 'b2b_p1', 'b2b_p2'],
}
featmap = 'featmaps/featmap_10best_nu.txt'
| """ 10 best are:
th1
transverse
tree_next_vtx_z_min
th2
opang
nhits_other_pfps
trkshw_score1
slice_ntrk
tree_next_vtx_y_max
sum_nhits_1
"""
def getit_df(df):
df['sum_nhits_1'] = df.loc[:, ['nhits1_p0', 'nhits1_p1', 'nhits1_p2']].sum(axis=1)
df.drop(columns=['nhits1_p0', 'nhits1_p1', 'nhits1_p2'], inplace=True)
for branch in ['tree_next_vtx_z_min']:
df.loc[df[branch] > 9e+99, [branch]] = None
for branch in ['tree_next_vtx_y_max']:
df.loc[df[branch] < -9e+99, [branch]] = None
return df
def getit(tf):
df = tf.pandas.df([b'th1', b'transverse', b'opang', b'th2', b'nhits_other_pfps', b'tree_next_vtx_z_min', b'slice_ntrk', b'tree_next_vtx_y_max', b'nhits1_p0', b'nhits1_p1', b'nhits1_p2', b'trkshw_score1'])
return getit_df(df)
featmap_vars = {'int': ['type1', 'type2', 'startend1', 'startend2', 'slice_ntrk', 'slice_nshw', 'nhits1_p0', 'nhits2_p0', 'nhits1_p1', 'nhits2_p1', 'nhits1_p2', 'nhits2_p2', 'nhits_other_pfps', 'nhits_beg1_p0', 'nhits_beg1_p1', 'nhits_beg1_p2', 'nhits_beg2_p0', 'nhits_beg2_p1', 'nhits_beg2_p2', 'nhits_slice', 'sum_nhits_1', 'sum_nhits_2', 'sum_nhits'], 'q': ['vtx_x', 'vtx_y', 'vtx_z', 'dca', 'opang', 'th1', 'th2', 'phi1', 'phi2', 'b2b', 'transverse', 'next_dca', 'next_len', 'next_nhits', 'next_score', 'len1', 'len2', 'trkshw_score1', 'trkshw_score2', 'slice_nuscore', 'dca_hits_p0', 'dca_hits_p1', 'dca_hits_p2', 'dca_unassoc_vtx_p0', 'dca_unassoc_vtx_p1', 'dca_unassoc_vtx_p2', 'dca_othpfp_vtx_p0', 'dca_othpfp_vtx_p1', 'dca_othpfp_vtx_p2', 'flshtime_slice', 'mean_start_hitamp_asym_p0', 'mean_start_hitamp_asym_p1', 'mean_start_hitamp_asym_p2', 'slice_min_tick', 'slice_max_tick', 'tree_trkfit1_chi2_p0', 'tree_trkfit1_chi2_p1', 'tree_trkfit1_chi2_p2', 'tree_trkfit2_chi2_p0', 'tree_trkfit2_chi2_p1', 'tree_trkfit2_chi2_p2', 'tree_next_vtx_x_min', 'tree_next_vtx_x_neg', 'tree_next_vtx_x_pos', 'tree_next_vtx_x_max', 'tree_next_vtx_y_min', 'tree_next_vtx_y_neg', 'tree_next_vtx_y_pos', 'tree_next_vtx_y_max', 'tree_next_vtx_z_min', 'tree_next_vtx_z_neg', 'tree_next_vtx_z_pos', 'tree_next_vtx_z_max', 'tree_cand_min_x', 'tree_cand_max_x', 'tree_slice_min_x', 'tree_slice_max_x', 'tree_cand_min_y', 'tree_cand_max_y', 'tree_slice_min_y', 'tree_slice_max_y', 'tree_cand_min_z', 'tree_cand_max_z', 'tree_slice_min_z', 'tree_slice_max_z'], 'i': ['slice_is_neutrino', 'b2b_p0', 'b2b_p1', 'b2b_p2']}
featmap = 'featmaps/featmap_10best_nu.txt' |
#Ask the user for quantity of name he has and save it in a variable
number_of_names = int (input ("How many names do you have?: "))
full_name = ""
#Print many times as the name of the user
for i in range (number_of_names):
f_name = str(input("Write your names: "))
#Save each name and write a space between them
full_name = full_name + f_name + " "
#Print out all the names saved
print (full_name)
| number_of_names = int(input('How many names do you have?: '))
full_name = ''
for i in range(number_of_names):
f_name = str(input('Write your names: '))
full_name = full_name + f_name + ' '
print(full_name) |
"""Define HeteroCL default tool settings"""
#pylint: disable=too-few-public-methods, too-many-return-statements
model_table = {
"xilinx" : ["fpga_xc7z045", "fpga_xcvu19p"],
"intel" : ["cpu_e5", "cpu_i7", "fpga_stratix10_gx",
"fpga_stratix10_dx", "fpga_stratix10_mx", "fpga_arria10"],
"arm" : ["cpu_a7", "cpu_a9", "cpu_a53"],
"riscv" : ["cpu_riscv"]
}
option_table = {
"llvm" : ("sw_sim", {"version" : "6.0.0"}),
"sdaccel" : ("sw_sim", {"version" : "2017.1", "clock" : "1"}),
"sdsoc" : ("sw_sim", {"version" : "2017.1", "clock" : "1"}),
"vitis" : ("sw_sim", {"version" : "2019.2", "clock" : "1"}),
"vivado_hls" : ("sw_sim", {"version" : "2017.1"}),
"rocket" : ("debug", {"RISCV" : ""}),
# refer to xilinx2016_1/ug904-vivado-implementation.pdf
"vivado" : ("pnr",
{"version" : "2017.1",
"logic" : [
"Default",
"Explore",
"ExploreSequentialArea",
"AddRemap",
"ExploreArea"],
"placement" : [
"Default",
"Explore",
"ExtraNetDelay_high",
"ExtraNetDelay_medium",
"ExtraNetDelay_low",
"ExtraPostPlacementOpt",
"WLDrivenBlockPlacement",
"LateBlockPlacement",
"AltSpreadLogic_low",
"AltSpreadLogic_medium",
"AltSpreadLogic_high"],
"routing" : [
"Default",
"Explore",
"HigherDelayCost"],
"fanout_opt" : ["on", "off"],
"placement_opt" : ["on", "off"],
"critical_cell_opt" : ["on", "off"],
"critical_pin_opt" : ["on", "off"],
"retime" : ["on", "off"],
"rewire" : ["on", "off"],
}),
"quartus" : ("pnr",
{"version" : "17.1",
"auto_dsp_recognition" : ['On', 'Off'],
"disable_register_merging_across_hierarchies" : ['On', 'Off', 'Auto'],
"mux_restructure" : ['On', 'Off', 'Auto'],
"optimization_technique" : ['Area', 'Speed', 'Balanced'],
"synthesis_effort" : ['Auto', 'Fast'],
"synth_timing_driven_synthesis" : ['On', 'Off'],
"fitter_aggressive_routability_optimization" : ['Always', 'Automatically', 'Never'],
"fitter_effort" : ['Standard Fit', 'Auto Fit'],
"remove_duplicate_registers" : ['On', 'Off'],
"physical_synthesis" : ['On', 'Off'],
"adv_netlist_opt_synth_wysiwyg_remap" : ['On', 'Off'],
"allow_any_ram_size_for_recognition" : ['On', 'Off'],
"allow_any_rom_size_for_recognition" : ['On', 'Off'],
"allow_any_shift_register_size_for_recognition" : ['On', 'Off'],
"allow_power_up_dont_care" : ['On', 'Off'],
"allow_shift_register_merging_across_hierarchies" : ["Always", "Auto", "Off"],
"allow_synch_ctrl_usage" : ['On', 'Off'],
"auto_carry_chains" : ['On', 'Off'],
"auto_clock_enable_recognition" : ['On', 'Off'],
"auto_dsp_recognition" : ['On', 'Off'],
"auto_enable_smart_compile" : ['On', 'Off'],
"auto_open_drain_pins" : ['On', 'Off'],
"auto_ram_recognition" : ['On', 'Off'],
"auto_resource_sharing" : ['On', 'Off'],
"auto_rom_recognition" : ['On', 'Off'],
"auto_shift_register_recognition" : ["Always", "Auto", "Off"],
"disable_register_merging_across_hierarchies" : ["Auto", "On", "Off"],
"enable_state_machine_inference" : ['On', 'Off'],
"force_synch_clear" : ['On', 'Off'],
"ignore_carry_buffers" : ['On', 'Off'],
"ignore_cascade_buffers" : ['On', 'Off'],
"ignore_max_fanout_assignments" : ['On', 'Off'],
"infer_rams_from_raw_logic" : ['On', 'Off'],
"mux_restructure" : ["Auto", "On", "Off"],
"optimization_technique" : ["Area", "Balanced", "Speed"],
"optimize_power_during_synthesis" : ["Extra effort", "Normal compilation", "Off"],
"remove_duplicate_registers" : ['On', 'Off'],
"shift_register_recognition_aclr_signal" : ['On', 'Off'],
"state_machine_processing" : ["Auto", "Gray",
"Johnson, Minimal Bits", "One-Hot", "Sequential", "User-Encoded"],
"strict_ram_recognition" : ['On', 'Off'],
"synthesis_effort" : ["Auto", "Fast"],
"synthesis_keep_synch_clear_preset_behavior_in_unmapper" : ['On', 'Off'],
"synth_resource_aware_inference_for_block_ram" : ['On', 'Off'],
"synth_timing_driven_synthesis" : ['On', 'Off'],
"alm_register_packing_effort" : ["High", "Low", "Medium"],
"auto_delay_chains" : ['On', 'Off'],
"auto_delay_chains_for_high_fanout_input_pins" : ["On", "Off"],
"eco_optimize_timing" : ["On", "Off"],
"final_placement_optimization" : ["Always", "Automatically", "Never"],
"fitter_aggressive_routability_optimization" : ["Always", "Automatically", "Never"],
"fitter_effort" : ["Standard Fit", "Auto Fit"],
"optimize_for_metastability" : ["On", "Off"],
"optimize_hold_timing" : ["All Paths", "IO Paths and Minimum TPD Paths", "Off"],
"optimize_ioc_register_placement_for_timing" : ["Normal", "Off", "Pack All IO Registers"],
"optimize_multi_corner_timing" : ['On', 'Off'],
"optimize_power_during_fitting" : ["Extra effort", "Normal compilation", "Off"],
"physical_synthesis" : ['On', 'Off'],
"placement_effort_multiplier" : [0.2, 0.5, 1.0, 2.0, 3.0, 4.0],
"programmable_power_technology_setting" : ["Automatic",
"Force All Tiles with Failing Timing Paths to High Speed",
"Force All Used Tiles to High Speed", "Minimize Power Only"],
"qii_auto_packed_registers" : ["Auto", "Minimize Area",
"Minimize Area with Chains", "Normal", "Off", "Sparse", "Sparse Auto"],
"router_clocking_topology_analysis" : ['On', 'Off'],
"router_lcell_insertion_and_logic_duplication" : ["Auto", "On", "Off"],
"router_register_duplication" : ["Auto", "On", "Off"],
"router_timing_optimization_level" : ["MINIMUM", "Normal", "MAXIMUM"],
"seed" : (1, 5),
"tdc_aggressive_hold_closure_effort" : ['On', 'Off'],
"allow_register_retiming" : ['On', 'Off']}),
"aocl" : ("sw_sim", {"version" : "17.0", "clock" : "1.5"})
}
| """Define HeteroCL default tool settings"""
model_table = {'xilinx': ['fpga_xc7z045', 'fpga_xcvu19p'], 'intel': ['cpu_e5', 'cpu_i7', 'fpga_stratix10_gx', 'fpga_stratix10_dx', 'fpga_stratix10_mx', 'fpga_arria10'], 'arm': ['cpu_a7', 'cpu_a9', 'cpu_a53'], 'riscv': ['cpu_riscv']}
option_table = {'llvm': ('sw_sim', {'version': '6.0.0'}), 'sdaccel': ('sw_sim', {'version': '2017.1', 'clock': '1'}), 'sdsoc': ('sw_sim', {'version': '2017.1', 'clock': '1'}), 'vitis': ('sw_sim', {'version': '2019.2', 'clock': '1'}), 'vivado_hls': ('sw_sim', {'version': '2017.1'}), 'rocket': ('debug', {'RISCV': ''}), 'vivado': ('pnr', {'version': '2017.1', 'logic': ['Default', 'Explore', 'ExploreSequentialArea', 'AddRemap', 'ExploreArea'], 'placement': ['Default', 'Explore', 'ExtraNetDelay_high', 'ExtraNetDelay_medium', 'ExtraNetDelay_low', 'ExtraPostPlacementOpt', 'WLDrivenBlockPlacement', 'LateBlockPlacement', 'AltSpreadLogic_low', 'AltSpreadLogic_medium', 'AltSpreadLogic_high'], 'routing': ['Default', 'Explore', 'HigherDelayCost'], 'fanout_opt': ['on', 'off'], 'placement_opt': ['on', 'off'], 'critical_cell_opt': ['on', 'off'], 'critical_pin_opt': ['on', 'off'], 'retime': ['on', 'off'], 'rewire': ['on', 'off']}), 'quartus': ('pnr', {'version': '17.1', 'auto_dsp_recognition': ['On', 'Off'], 'disable_register_merging_across_hierarchies': ['On', 'Off', 'Auto'], 'mux_restructure': ['On', 'Off', 'Auto'], 'optimization_technique': ['Area', 'Speed', 'Balanced'], 'synthesis_effort': ['Auto', 'Fast'], 'synth_timing_driven_synthesis': ['On', 'Off'], 'fitter_aggressive_routability_optimization': ['Always', 'Automatically', 'Never'], 'fitter_effort': ['Standard Fit', 'Auto Fit'], 'remove_duplicate_registers': ['On', 'Off'], 'physical_synthesis': ['On', 'Off'], 'adv_netlist_opt_synth_wysiwyg_remap': ['On', 'Off'], 'allow_any_ram_size_for_recognition': ['On', 'Off'], 'allow_any_rom_size_for_recognition': ['On', 'Off'], 'allow_any_shift_register_size_for_recognition': ['On', 'Off'], 'allow_power_up_dont_care': ['On', 'Off'], 'allow_shift_register_merging_across_hierarchies': ['Always', 'Auto', 'Off'], 'allow_synch_ctrl_usage': ['On', 'Off'], 'auto_carry_chains': ['On', 'Off'], 'auto_clock_enable_recognition': ['On', 'Off'], 'auto_dsp_recognition': ['On', 'Off'], 'auto_enable_smart_compile': ['On', 'Off'], 'auto_open_drain_pins': ['On', 'Off'], 'auto_ram_recognition': ['On', 'Off'], 'auto_resource_sharing': ['On', 'Off'], 'auto_rom_recognition': ['On', 'Off'], 'auto_shift_register_recognition': ['Always', 'Auto', 'Off'], 'disable_register_merging_across_hierarchies': ['Auto', 'On', 'Off'], 'enable_state_machine_inference': ['On', 'Off'], 'force_synch_clear': ['On', 'Off'], 'ignore_carry_buffers': ['On', 'Off'], 'ignore_cascade_buffers': ['On', 'Off'], 'ignore_max_fanout_assignments': ['On', 'Off'], 'infer_rams_from_raw_logic': ['On', 'Off'], 'mux_restructure': ['Auto', 'On', 'Off'], 'optimization_technique': ['Area', 'Balanced', 'Speed'], 'optimize_power_during_synthesis': ['Extra effort', 'Normal compilation', 'Off'], 'remove_duplicate_registers': ['On', 'Off'], 'shift_register_recognition_aclr_signal': ['On', 'Off'], 'state_machine_processing': ['Auto', 'Gray', 'Johnson, Minimal Bits', 'One-Hot', 'Sequential', 'User-Encoded'], 'strict_ram_recognition': ['On', 'Off'], 'synthesis_effort': ['Auto', 'Fast'], 'synthesis_keep_synch_clear_preset_behavior_in_unmapper': ['On', 'Off'], 'synth_resource_aware_inference_for_block_ram': ['On', 'Off'], 'synth_timing_driven_synthesis': ['On', 'Off'], 'alm_register_packing_effort': ['High', 'Low', 'Medium'], 'auto_delay_chains': ['On', 'Off'], 'auto_delay_chains_for_high_fanout_input_pins': ['On', 'Off'], 'eco_optimize_timing': ['On', 'Off'], 'final_placement_optimization': ['Always', 'Automatically', 'Never'], 'fitter_aggressive_routability_optimization': ['Always', 'Automatically', 'Never'], 'fitter_effort': ['Standard Fit', 'Auto Fit'], 'optimize_for_metastability': ['On', 'Off'], 'optimize_hold_timing': ['All Paths', 'IO Paths and Minimum TPD Paths', 'Off'], 'optimize_ioc_register_placement_for_timing': ['Normal', 'Off', 'Pack All IO Registers'], 'optimize_multi_corner_timing': ['On', 'Off'], 'optimize_power_during_fitting': ['Extra effort', 'Normal compilation', 'Off'], 'physical_synthesis': ['On', 'Off'], 'placement_effort_multiplier': [0.2, 0.5, 1.0, 2.0, 3.0, 4.0], 'programmable_power_technology_setting': ['Automatic', 'Force All Tiles with Failing Timing Paths to High Speed', 'Force All Used Tiles to High Speed', 'Minimize Power Only'], 'qii_auto_packed_registers': ['Auto', 'Minimize Area', 'Minimize Area with Chains', 'Normal', 'Off', 'Sparse', 'Sparse Auto'], 'router_clocking_topology_analysis': ['On', 'Off'], 'router_lcell_insertion_and_logic_duplication': ['Auto', 'On', 'Off'], 'router_register_duplication': ['Auto', 'On', 'Off'], 'router_timing_optimization_level': ['MINIMUM', 'Normal', 'MAXIMUM'], 'seed': (1, 5), 'tdc_aggressive_hold_closure_effort': ['On', 'Off'], 'allow_register_retiming': ['On', 'Off']}), 'aocl': ('sw_sim', {'version': '17.0', 'clock': '1.5'})} |
def _run_pbjs(actions, executable, proto_file, es6):
suffix = ".js"
wrap = "amd"
if es6:
suffix = ".closure.js"
wrap = "es6"
proto_name = proto_file.basename[:-len(".proto")]
js_tmpl_file = actions.declare_file(proto_name + suffix + ".tmpl")
js_file = actions.declare_file(proto_name + suffix)
args = actions.args()
args.add(["-t", "static-module"])
args.add(["-w", wrap])
args.add(["-o", js_file.path + ".tmpl"])
args.add(proto_file.path)
actions.run(
executable = executable._pbjs,
inputs = [proto_file],
outputs = [js_tmpl_file],
arguments = [args],
)
actions.expand_template(
template = js_tmpl_file,
output = js_file,
substitutions = {
"define(": "define('cars/libs/api/src/car', "
}
)
return js_file
def _run_pbts(actions, executable, js_file):
ts_file = actions.declare_file(js_file.basename[:-len(".closure.js")] + ".d.ts")
args = actions.args()
args.add(["-o", ts_file.path])
args.add(js_file.path)
actions.run(
executable = executable._pbts,
inputs = [js_file],
outputs = [ts_file],
arguments = [args],
)
return ts_file
def _ts_proto_library(ctx):
#'pbjs -t static-module -w commonjs -o car.js car.proto'
#'pbts -o car.d.ts car.js'
js_es5 = _run_pbjs(ctx.actions, ctx.executable, ctx.files.srcs[0], es6 = False)
js_es6 = _run_pbjs(ctx.actions, ctx.executable, ctx.files.srcs[0], es6 = True)
dts = _run_pbts(ctx.actions, ctx.executable, js_es6)
return struct(
files=depset([js_es5, js_es6, dts]),
typescript = struct(
declarations = [dts],
transitive_declarations = [dts],
type_blacklisted_declarations = [],
es5_sources = depset([js_es5]),
es6_sources = depset([js_es6]),
transitive_es5_sources = depset(),
transitive_es6_sources = depset(),
)
)
ts_proto_library = rule(
implementation = _ts_proto_library,
attrs = {
"srcs": attr.label_list(allow_files=True, doc=""""""),
"_pbjs": attr.label(default = Label("//tools/protobufjs:pbjs"),
executable = True, cfg = "host"),
"_pbts": attr.label(default = Label("//tools/protobufjs:pbts"),
executable = True, cfg = "host"),
},
)
| def _run_pbjs(actions, executable, proto_file, es6):
suffix = '.js'
wrap = 'amd'
if es6:
suffix = '.closure.js'
wrap = 'es6'
proto_name = proto_file.basename[:-len('.proto')]
js_tmpl_file = actions.declare_file(proto_name + suffix + '.tmpl')
js_file = actions.declare_file(proto_name + suffix)
args = actions.args()
args.add(['-t', 'static-module'])
args.add(['-w', wrap])
args.add(['-o', js_file.path + '.tmpl'])
args.add(proto_file.path)
actions.run(executable=executable._pbjs, inputs=[proto_file], outputs=[js_tmpl_file], arguments=[args])
actions.expand_template(template=js_tmpl_file, output=js_file, substitutions={'define(': "define('cars/libs/api/src/car', "})
return js_file
def _run_pbts(actions, executable, js_file):
ts_file = actions.declare_file(js_file.basename[:-len('.closure.js')] + '.d.ts')
args = actions.args()
args.add(['-o', ts_file.path])
args.add(js_file.path)
actions.run(executable=executable._pbts, inputs=[js_file], outputs=[ts_file], arguments=[args])
return ts_file
def _ts_proto_library(ctx):
js_es5 = _run_pbjs(ctx.actions, ctx.executable, ctx.files.srcs[0], es6=False)
js_es6 = _run_pbjs(ctx.actions, ctx.executable, ctx.files.srcs[0], es6=True)
dts = _run_pbts(ctx.actions, ctx.executable, js_es6)
return struct(files=depset([js_es5, js_es6, dts]), typescript=struct(declarations=[dts], transitive_declarations=[dts], type_blacklisted_declarations=[], es5_sources=depset([js_es5]), es6_sources=depset([js_es6]), transitive_es5_sources=depset(), transitive_es6_sources=depset()))
ts_proto_library = rule(implementation=_ts_proto_library, attrs={'srcs': attr.label_list(allow_files=True, doc=''), '_pbjs': attr.label(default=label('//tools/protobufjs:pbjs'), executable=True, cfg='host'), '_pbts': attr.label(default=label('//tools/protobufjs:pbts'), executable=True, cfg='host')}) |
'''
The first idea I came up is to use O(n^2) by checking every single possible combination and see if they are covered with each other.
The function I wrote is by comparing the maximum value of the beginning of the two intervals and minimum value of the ending of the two intervals
I used the method that I previous used in Leetcode 836
https://leetcode.com/problems/rectangle-overlap/solution/
Time complexity is O(n^2) since we need to use double for loop to check
Space complexity is O(1) since we need two variables to check if there's overlap between two intervals
C++ passed but Python failed at last case QQ
I know there's better solution but I will come back later tomorrow
'''
class Solution:
def canAttendMeetings(self, intervals: List[List[int]]) -> bool:
def cover(a:List[int],b:List[int]) -> bool:
minvalue = max(a[0],b[0])
maxvalue = min(a[1],b[1])
return minvalue < maxvalue
for i in range(len(intervals)):
for j in range(i+1,len(intervals)):
if cover(intervals[i],intervals[j]):
return False
return True
| """
The first idea I came up is to use O(n^2) by checking every single possible combination and see if they are covered with each other.
The function I wrote is by comparing the maximum value of the beginning of the two intervals and minimum value of the ending of the two intervals
I used the method that I previous used in Leetcode 836
https://leetcode.com/problems/rectangle-overlap/solution/
Time complexity is O(n^2) since we need to use double for loop to check
Space complexity is O(1) since we need two variables to check if there's overlap between two intervals
C++ passed but Python failed at last case QQ
I know there's better solution but I will come back later tomorrow
"""
class Solution:
def can_attend_meetings(self, intervals: List[List[int]]) -> bool:
def cover(a: List[int], b: List[int]) -> bool:
minvalue = max(a[0], b[0])
maxvalue = min(a[1], b[1])
return minvalue < maxvalue
for i in range(len(intervals)):
for j in range(i + 1, len(intervals)):
if cover(intervals[i], intervals[j]):
return False
return True |
def solve(start, dest):
answer = 0
dist = dest - start
index = 0
while True:
if answer >= dist:
return index
else:
index += 1
answer += ((index - 1) // 2 + 1)
def main():
start, dest = input().split(' ')
start = int(start)
dest = int(dest)
print(solve(start, dest))
if __name__ == '__main__':
[main() for _ in range(int(input()))]
| def solve(start, dest):
answer = 0
dist = dest - start
index = 0
while True:
if answer >= dist:
return index
else:
index += 1
answer += (index - 1) // 2 + 1
def main():
(start, dest) = input().split(' ')
start = int(start)
dest = int(dest)
print(solve(start, dest))
if __name__ == '__main__':
[main() for _ in range(int(input()))] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.