content stringlengths 7 1.05M | fixed_cases stringlengths 1 1.28M |
|---|---|
fd = open('Sales.txt','a')
fd.write("1111,Ashish,63278648732,1001,5 Star,5,4,20 \n")
fd.close()
| fd = open('Sales.txt', 'a')
fd.write('1111,Ashish,63278648732,1001,5 Star,5,4,20 \n')
fd.close() |
"""
Longest Palindromic Subsequence
Given a sequence, find the length of the longest palindromic subsequence in it.
Example :
Input:"bbbab"
Output:4
"""
def lps(s):
r = s[::-1]
n = len(s)
dp = [[0 for _ in range(n+1)] for _ in range(n+1)]
for i in range(1, n+1):
for j in range(1, n+1):
if s[i-1] == r[j-1]:
dp[i][j] = 1 + dp[i-1][j-1]
else:
dp[i][j] = max(dp[i-1][j], dp[i][j-1])
return dp[-1][-1]
if __name__ == "__main__":
print(lps("bbbab"))
print(lps("BBABCBCAB"))
| """
Longest Palindromic Subsequence
Given a sequence, find the length of the longest palindromic subsequence in it.
Example :
Input:"bbbab"
Output:4
"""
def lps(s):
r = s[::-1]
n = len(s)
dp = [[0 for _ in range(n + 1)] for _ in range(n + 1)]
for i in range(1, n + 1):
for j in range(1, n + 1):
if s[i - 1] == r[j - 1]:
dp[i][j] = 1 + dp[i - 1][j - 1]
else:
dp[i][j] = max(dp[i - 1][j], dp[i][j - 1])
return dp[-1][-1]
if __name__ == '__main__':
print(lps('bbbab'))
print(lps('BBABCBCAB')) |
def compact(lst):
return list(filter(bool,lst))
print(compact([0,1,False,True,2,'',3,'a','s',34]))
| def compact(lst):
return list(filter(bool, lst))
print(compact([0, 1, False, True, 2, '', 3, 'a', 's', 34])) |
class Solution:
"""
@param list: The coins
@param k: The k
@return: The answer
"""
def takeCoins(self, list, k):
# Write your code here
n = len(list)
presum = [0] * (1 + n)
for i in range(n):
presum[i + 1] = presum[i] + list[i]
return max(presum[i] + presum[n] - presum[n - k + i] for i in range(k + 1))
| class Solution:
"""
@param list: The coins
@param k: The k
@return: The answer
"""
def take_coins(self, list, k):
n = len(list)
presum = [0] * (1 + n)
for i in range(n):
presum[i + 1] = presum[i] + list[i]
return max((presum[i] + presum[n] - presum[n - k + i] for i in range(k + 1))) |
class Solution:
def uniqueMorseRepresentations(self, words: List[str]) -> int:
morse = [".-", "-...", "-.-.", "-..", ".", "..-.", "--.", "....", "..", ".---", "-.-", ".-..", "--",
"-.", "---", ".--.", "--.-", ".-.", "...", "-", "..-", "...-", ".--", "-..-", "-.--", "--.."]
transformations = set()
for word in words:
transformation = ''.join(morse[ord(c) - ord('a')] for c in word)
transformations.add(transformation)
return len(transformations)
| class Solution:
def unique_morse_representations(self, words: List[str]) -> int:
morse = ['.-', '-...', '-.-.', '-..', '.', '..-.', '--.', '....', '..', '.---', '-.-', '.-..', '--', '-.', '---', '.--.', '--.-', '.-.', '...', '-', '..-', '...-', '.--', '-..-', '-.--', '--..']
transformations = set()
for word in words:
transformation = ''.join((morse[ord(c) - ord('a')] for c in word))
transformations.add(transformation)
return len(transformations) |
def test_example_silver():
assert 567 == seat_id("BFFFBBFRRR")
assert 119 == seat_id("FFFBBBFRRR")
assert 820 == seat_id("BBFFBBFRLL")
def test_silver():
with open("input.txt") as file:
seats = file.read().split("\n")
assert 842 == max([seat_id(seat) for seat in seats])
def test_gold():
with open("input.txt") as file:
seats = file.read().split("\n")
seat_ids = sorted([seat_id(seat) for seat in seats])
your_seat = seat_ids[
[
seat_ids[i + 1] - seat_ids[i]
for i in range(len(seat_ids) - 1)
].index(2)
] + 1
assert your_seat not in seat_ids
assert your_seat - 1 in seat_ids
assert your_seat + 1 in seat_ids
assert 617 == your_seat
def seat_id(seat):
return int(
seat.replace(
"F", "0"
).replace(
"B", "1"
).replace(
"L", "0"
).replace(
"R", "1"
),
2
)
| def test_example_silver():
assert 567 == seat_id('BFFFBBFRRR')
assert 119 == seat_id('FFFBBBFRRR')
assert 820 == seat_id('BBFFBBFRLL')
def test_silver():
with open('input.txt') as file:
seats = file.read().split('\n')
assert 842 == max([seat_id(seat) for seat in seats])
def test_gold():
with open('input.txt') as file:
seats = file.read().split('\n')
seat_ids = sorted([seat_id(seat) for seat in seats])
your_seat = seat_ids[[seat_ids[i + 1] - seat_ids[i] for i in range(len(seat_ids) - 1)].index(2)] + 1
assert your_seat not in seat_ids
assert your_seat - 1 in seat_ids
assert your_seat + 1 in seat_ids
assert 617 == your_seat
def seat_id(seat):
return int(seat.replace('F', '0').replace('B', '1').replace('L', '0').replace('R', '1'), 2) |
# Definition for a binary tree node.
# class TreeNode:
# def __init__(self, x):
# self.val = x
# self.left = None
# self.right = None
class Solution:
def in_order_traverse_2(self, root, last_val) -> bool:
if root.left is None:
last_val.append(root.val)
else:
self.in_order_traverse_2(root.left, last_val)
last_val.append(root.val)
if root.right is None:
pass
else:
self.in_order_traverse_2(root.right, last_val)
last_val.append(root.right.val)
def in_order_traverse(self, root, last_val) -> bool:
if root.left is not None:
left_in_order = (root.val > root.left.val)
if left_in_order is False:
return False
left_in_order = self.in_order_traverse(root.left, root.val)
if left_in_order is False:
return False
if root.right is not None:
right_in_order = (root.val < root.right.val)
if right_in_order is False:
return False
right_in_order = self.in_order_traverse(root.right, root.val)
if right_in_order is False:
return False
return True
def isValidBST(self, root: TreeNode) -> bool:
if root is None:
return True
return self.in_order_traverse(root, root.val)
| class Solution:
def in_order_traverse_2(self, root, last_val) -> bool:
if root.left is None:
last_val.append(root.val)
else:
self.in_order_traverse_2(root.left, last_val)
last_val.append(root.val)
if root.right is None:
pass
else:
self.in_order_traverse_2(root.right, last_val)
last_val.append(root.right.val)
def in_order_traverse(self, root, last_val) -> bool:
if root.left is not None:
left_in_order = root.val > root.left.val
if left_in_order is False:
return False
left_in_order = self.in_order_traverse(root.left, root.val)
if left_in_order is False:
return False
if root.right is not None:
right_in_order = root.val < root.right.val
if right_in_order is False:
return False
right_in_order = self.in_order_traverse(root.right, root.val)
if right_in_order is False:
return False
return True
def is_valid_bst(self, root: TreeNode) -> bool:
if root is None:
return True
return self.in_order_traverse(root, root.val) |
hangman_txt = ("""
_________
|/
|
|
|
|
|
========""", """
_________
|/ |
|
|
|
|
|
========""", """
_________
|/ |
| (_)
|
|
|
|
========""", """
________
|/ |
| (_)
| |
| |
|
|
========""", """
_________
|/ |
| (_)
| /|
| |
|
|
========""", """
_________
|/ |
| (_)
| /|\
| |
|
|
========""", """
________
|/ |
| (_)
| /|\
| |
| /
|
========""", """
________
|/ |
| (_)
| /|\
| |
| / \
|
========""")
| hangman_txt = ('\n _________\n |/ \n | \n | \n | \n | \n | \n ========', '\n _________\n |/ | \n | \n | \n | \n | \n | \n ========', '\n _________ \n |/ | \n | (_)\n | \n | \n | \n | \n ========', '\n ________ \n |/ | \n | (_) \n | | \n | | \n | \n | \n ========', '\n _________ \n |/ | \n | (_) \n | /| \n | | \n | \n | \n ========', '\n _________ \n |/ | \n | (_) \n | /|\\ \n | | \n | \n | \n ========', '\n ________ \n |/ | \n | (_) \n | /|\\ \n | | \n | / \n | \n ========', '\n ________\n |/ | \n | (_) \n | /|\\ \n | | \n | / \\ \n | \n ========') |
"""Define battery utilities."""
BATTERY_STATE_OFF = "off"
BATTERY_STATE_ON = "on"
def calculate_binary_battery(value: float) -> str:
"""Calculate a "binary battery" value (OK/Low)."""
if value == 0:
return BATTERY_STATE_OFF
return BATTERY_STATE_ON
| """Define battery utilities."""
battery_state_off = 'off'
battery_state_on = 'on'
def calculate_binary_battery(value: float) -> str:
"""Calculate a "binary battery" value (OK/Low)."""
if value == 0:
return BATTERY_STATE_OFF
return BATTERY_STATE_ON |
class Solution:
def wordBreak(self, s: str, wordDict: List[str]) -> bool:
size = len(s)
dp = [False] * (size + 1)
dp[0] = True
for i in range(1, size + 1):
for j in range(i):
if dp[j] and s[j:i] in wordDict:
dp[i] = True
break
return dp[size]
A = Solution()
print(A.wordBreak("catsandog", ["cats","dog","sand","and","cat"]))
print(A.wordBreak("sandbox", ["sand","box"]))
print(A.wordBreak("code", []))
print(A.wordBreak("l", ["lll"])) | class Solution:
def word_break(self, s: str, wordDict: List[str]) -> bool:
size = len(s)
dp = [False] * (size + 1)
dp[0] = True
for i in range(1, size + 1):
for j in range(i):
if dp[j] and s[j:i] in wordDict:
dp[i] = True
break
return dp[size]
a = solution()
print(A.wordBreak('catsandog', ['cats', 'dog', 'sand', 'and', 'cat']))
print(A.wordBreak('sandbox', ['sand', 'box']))
print(A.wordBreak('code', []))
print(A.wordBreak('l', ['lll'])) |
# https://adventofcode.com/2018/day/3
total_overlaps = 0
fabric = {}
with open('./data.txt', 'r') as ffile:
data = ffile.read().strip().split('\n')
for data_row in data:
parts = data_row.split('@')
parts2 = parts[1].split(':')
left, top = parts2[0].split(',')
width, height = parts2[1].split('x')
width = int(width)
height = int(height)
left = int(left)
top = int(top)
for width_shift in range(width):
for height_shift in range(height):
coord_x = left + width_shift + 1
coord_y = top + height_shift + 1
if coord_x not in fabric:
fabric[coord_x] = {}
if coord_y not in fabric[coord_x]:
fabric[coord_x][coord_y] = 0
fabric[coord_x][coord_y] += 1
total_rows = 0
for index, value in fabric.items():
for subindex, subvalue in fabric[index].items():
if subvalue > 1:
total_overlaps += 1
print(total_overlaps)
| total_overlaps = 0
fabric = {}
with open('./data.txt', 'r') as ffile:
data = ffile.read().strip().split('\n')
for data_row in data:
parts = data_row.split('@')
parts2 = parts[1].split(':')
(left, top) = parts2[0].split(',')
(width, height) = parts2[1].split('x')
width = int(width)
height = int(height)
left = int(left)
top = int(top)
for width_shift in range(width):
for height_shift in range(height):
coord_x = left + width_shift + 1
coord_y = top + height_shift + 1
if coord_x not in fabric:
fabric[coord_x] = {}
if coord_y not in fabric[coord_x]:
fabric[coord_x][coord_y] = 0
fabric[coord_x][coord_y] += 1
total_rows = 0
for (index, value) in fabric.items():
for (subindex, subvalue) in fabric[index].items():
if subvalue > 1:
total_overlaps += 1
print(total_overlaps) |
#!/usr/bin/env python
# coding: utf-8
# In[ ]:
def TicTacDraw(board):
n=len(board)
d={'0':'O','1':'X','2':' '}
for i in range(n):
s=' '
for j in range(n):
if j == (len(board[i])-1):
s=s+d[str(board[i][j])]
else:
s=s+d[str(board[i][j])]+' | '
if i == (len(board)-1):
print(s)
else:
print(s)
print('-'*(4*n-1))
if __name__ == '__main__':
board = [[0, 1, 2], [2, 0, 0], [1, 1, 2]]
TicTacDraw(board) | def tic_tac_draw(board):
n = len(board)
d = {'0': 'O', '1': 'X', '2': ' '}
for i in range(n):
s = ' '
for j in range(n):
if j == len(board[i]) - 1:
s = s + d[str(board[i][j])]
else:
s = s + d[str(board[i][j])] + ' | '
if i == len(board) - 1:
print(s)
else:
print(s)
print('-' * (4 * n - 1))
if __name__ == '__main__':
board = [[0, 1, 2], [2, 0, 0], [1, 1, 2]]
tic_tac_draw(board) |
#import matplotlib.pyplot as plt
# import torch
# from torchvision import datasets, transforms
# import helper
# image = Image.open('new_digit.png')
# image = image.resize((400, 400))
# new_image.save('image_400.jpg')
results = ['a','b']
for ite, (brackets) in results:
print(ite)
print(brackets)
#print(c) | results = ['a', 'b']
for (ite, brackets) in results:
print(ite)
print(brackets) |
CONST_TIMED_ROTATING_FILE_HANDLER = 'TimedRotatingFileHandler'
CONST_SOCKET_HANDLER = 'SocketHandler'
CONST_FILE_HANDLER = 'FileHandler'
CONST_ROTATING_FILE_HANDLER = 'RotatingFileHandler'
CONST_STREAM_HANDLER = 'StreamHandler'
CONST_NULL_HANDLER = 'NullHandler'
CONST_WATCHED_FILE_HANDLER = 'WatchedFileHandler'
CONST_DATAGRAM_HANDLER = 'DatagramHandler'
CONST_SYSLOG_HANDLER = 'SysLogHandler'
CONST_NT_EVENT_LOG_HANDLER = 'NTEventLogHandler'
CONST_SMTP_HANDLER = 'SMTPHandler'
CONST_MEMORY_HANDLER = 'MemoryHandler'
CONST_HTTP_HANDLER = 'HTTPHandler'
# Default Constants for SOKCET HANDLER
CONST_DEFAULT_HOST_IP = '54.67.35.135'
CONST_DEFAULT_PORT = 10020 | const_timed_rotating_file_handler = 'TimedRotatingFileHandler'
const_socket_handler = 'SocketHandler'
const_file_handler = 'FileHandler'
const_rotating_file_handler = 'RotatingFileHandler'
const_stream_handler = 'StreamHandler'
const_null_handler = 'NullHandler'
const_watched_file_handler = 'WatchedFileHandler'
const_datagram_handler = 'DatagramHandler'
const_syslog_handler = 'SysLogHandler'
const_nt_event_log_handler = 'NTEventLogHandler'
const_smtp_handler = 'SMTPHandler'
const_memory_handler = 'MemoryHandler'
const_http_handler = 'HTTPHandler'
const_default_host_ip = '54.67.35.135'
const_default_port = 10020 |
def calc_pos(dna, temp):
n = len(dna)
m = len(temp)
pos = []
for i in range(n-m+1):
if dna[i:i+m] == temp:
pos.append(i+1)
return pos
fin = open('rosalind_subs.txt')
dna = fin.readline().strip()
temp = fin.readline().strip()
pos = calc_pos(dna, temp)
for i in pos:
print (i, end = " ")
print()
fin.close() | def calc_pos(dna, temp):
n = len(dna)
m = len(temp)
pos = []
for i in range(n - m + 1):
if dna[i:i + m] == temp:
pos.append(i + 1)
return pos
fin = open('rosalind_subs.txt')
dna = fin.readline().strip()
temp = fin.readline().strip()
pos = calc_pos(dna, temp)
for i in pos:
print(i, end=' ')
print()
fin.close() |
fitbitSettings = {
'ClientID': '',
'ClientSecret':'',
'CallbackUrl': '',
'OAuthAuthorizeUri':'',
'OAuthAccessRefreshTokenRequestUri': '',
'LoggingApp':'FitbitDataImporter',
'LoggingDirectory':'',
'LogFileName': 'FitbitDataImport.log'
}
fitbitDataConfigSettings = []
HEART_RATE_SETTINGS = {
'PrefixIndexName': 'fitbit-daily-activites-heart-rate-',
'IndexType':'heartrate',
'FieldName':'heartrate',
'ResourceName': 'activities/heart',
'DataIndex': 'activities-heart-intraday',
'DetailLevel': '1sec',
'DataType':'Heart Rate'
}
STEP_SETTINGS = {
'PrefixIndexName': 'fitbit-daily-activites-steps-',
'IndexType':'steps',
'FieldName':'steps',
'ResourceName': 'activities/steps',
'DataIndex': 'activities-steps-intraday',
'DetailLevel': '1min',
'DataType':'Steps'
}
SLEEP_SETTINGS = {
'PrefixIndexName': 'fitbit-daily-activites-sleep-',
'IndexType':'sleep',
'FieldName':'',
'ResourceName': 'activities/steps',
'DataIndex': 'sleep',
'DetailLevel': '1min',
'DataType':'Sleep'
}
fitbitDataConfigSettings.append(HEART_RATE_SETTINGS)
fitbitDataConfigSettings.append(STEP_SETTINGS)
fitbitDataConfigSettings.append(SLEEP_SETTINGS) | fitbit_settings = {'ClientID': '', 'ClientSecret': '', 'CallbackUrl': '', 'OAuthAuthorizeUri': '', 'OAuthAccessRefreshTokenRequestUri': '', 'LoggingApp': 'FitbitDataImporter', 'LoggingDirectory': '', 'LogFileName': 'FitbitDataImport.log'}
fitbit_data_config_settings = []
heart_rate_settings = {'PrefixIndexName': 'fitbit-daily-activites-heart-rate-', 'IndexType': 'heartrate', 'FieldName': 'heartrate', 'ResourceName': 'activities/heart', 'DataIndex': 'activities-heart-intraday', 'DetailLevel': '1sec', 'DataType': 'Heart Rate'}
step_settings = {'PrefixIndexName': 'fitbit-daily-activites-steps-', 'IndexType': 'steps', 'FieldName': 'steps', 'ResourceName': 'activities/steps', 'DataIndex': 'activities-steps-intraday', 'DetailLevel': '1min', 'DataType': 'Steps'}
sleep_settings = {'PrefixIndexName': 'fitbit-daily-activites-sleep-', 'IndexType': 'sleep', 'FieldName': '', 'ResourceName': 'activities/steps', 'DataIndex': 'sleep', 'DetailLevel': '1min', 'DataType': 'Sleep'}
fitbitDataConfigSettings.append(HEART_RATE_SETTINGS)
fitbitDataConfigSettings.append(STEP_SETTINGS)
fitbitDataConfigSettings.append(SLEEP_SETTINGS) |
# -*- coding: utf-8 -*-
"""Untitled1.ipynb
Automatically generated by Colaboratory.
Original file is located at
https://colab.research.google.com/drive/1c4ELojr5RJIgfRft7MhpjXDLvmoQLe-A
"""
R = 4
C = 4
# Function to print the required traversal
def counterClockspiralPrint(m, n, matrix) :
k = 0; l = 0
# k - starting row index
# m - ending row index
# l - starting column index
# n - ending column index
# i - iterator
# initialize the count
count = 0
# total number of elements in matrix
total = m * n
while (k < m and l < n) :
if (count == total) :
break
# Print the first column from the remaining columns
for i in range(k, m) :
print(matrix[i][l], end = " ")
count += 1
l += 1
if (count == total) :
break
# Print the last row from the remaining rows
for i in range (l, n) :
print( matrix[m - 1][i], end = " ")
count += 1
m -= 1
if (count == total) :
break
# Print the last column from the remaining columns
if (k < m) :
for i in range(m - 1, k - 1, -1) :
print(matrix[i][n - 1], end = " ")
count += 1
n -= 1
if (count == total) :
break
# Print the first row from the remaining rows
if (l < n) :
for i in range(n - 1, l - 1, -1) :
print( matrix[k][i], end = " ")
count += 1
k += 1
matrix = [ [ 1, 2, 3, 4 ],
[ 5, 6, 7, 8 ],
[ 9, 10, 11, 12 ],
[ 13, 14, 15, 16 ] ]
counterClockspiralPrint(R, C, matrix)
| """Untitled1.ipynb
Automatically generated by Colaboratory.
Original file is located at
https://colab.research.google.com/drive/1c4ELojr5RJIgfRft7MhpjXDLvmoQLe-A
"""
r = 4
c = 4
def counter_clockspiral_print(m, n, matrix):
k = 0
l = 0
count = 0
total = m * n
while k < m and l < n:
if count == total:
break
for i in range(k, m):
print(matrix[i][l], end=' ')
count += 1
l += 1
if count == total:
break
for i in range(l, n):
print(matrix[m - 1][i], end=' ')
count += 1
m -= 1
if count == total:
break
if k < m:
for i in range(m - 1, k - 1, -1):
print(matrix[i][n - 1], end=' ')
count += 1
n -= 1
if count == total:
break
if l < n:
for i in range(n - 1, l - 1, -1):
print(matrix[k][i], end=' ')
count += 1
k += 1
matrix = [[1, 2, 3, 4], [5, 6, 7, 8], [9, 10, 11, 12], [13, 14, 15, 16]]
counter_clockspiral_print(R, C, matrix) |
"""Atomistic ToolKit (ATK)
Some useful tools in the daily life of atomistic simulations.
Maintained by Leopold Talirz (leopold.talirz@gmail.com)
"""
| """Atomistic ToolKit (ATK)
Some useful tools in the daily life of atomistic simulations.
Maintained by Leopold Talirz (leopold.talirz@gmail.com)
""" |
class UserResponse:
_raw_input = ""
_split_input = []
def __init__(self, prompt=""):
# get input with prompt
self._raw_input = input(prompt)
def get_key(self):
if self._raw_input == "":
return None
# if input is not null then slit it by space-characters and fetch index 0
self._split_input = self._raw_input.split()
return self._split_input[0]
def get_args(self):
# return all list items that are not the key
return self._split_input[1:]
| class Userresponse:
_raw_input = ''
_split_input = []
def __init__(self, prompt=''):
self._raw_input = input(prompt)
def get_key(self):
if self._raw_input == '':
return None
self._split_input = self._raw_input.split()
return self._split_input[0]
def get_args(self):
return self._split_input[1:] |
def getMinimumUniqueSum(arr):
n = len(arr)
arr = sorted(arr)
unique = list(set(arr))
i = 0
if len(arr) != len(unique):
while len(arr) != len(unique):
temp = arr[i]
print(temp)
for j, item in enumerate(unique):
if temp == item:
temp = temp + 1
# if temp != x:
arr[i] = temp
unique.append(temp)
unique = sorted(unique)
arr = sorted(arr)
print(unique)
i = i + 1
sum = 0
for i in range(n):
sum = sum + unique[i]
return sum
#print(getMinimumUniqueSum([3, 2, 1, 2, 7, 2, 2, 2, 2]))
print(getMinimumUniqueSum([2,2,2,2,2,2,2,2,2,2,2]))
#print(getMinimumUniqueSum([2,2,2,2,2,2,2,2,2,2,2,1]))
#print(getMinimumUniqueSum([3,2,1,2,7]))
#print(getMinimumUniqueSum([2, 2, 2, 4, 5, 5, 5, 1, 10, 10, 10, 8, 2, 1, 20]))
| def get_minimum_unique_sum(arr):
n = len(arr)
arr = sorted(arr)
unique = list(set(arr))
i = 0
if len(arr) != len(unique):
while len(arr) != len(unique):
temp = arr[i]
print(temp)
for (j, item) in enumerate(unique):
if temp == item:
temp = temp + 1
arr[i] = temp
unique.append(temp)
unique = sorted(unique)
arr = sorted(arr)
print(unique)
i = i + 1
sum = 0
for i in range(n):
sum = sum + unique[i]
return sum
print(get_minimum_unique_sum([2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2])) |
class Complex(object):
def __init__(self, real, image):
self.real = real
self.image = image
def __mul__(self, other):
return Complex(
self.real * other.real - self.image * other.image,
self.real * other.image + self.image * other.real
)
def __str__(self):
return '%d+%di' % (self.real, self.image)
@staticmethod
def parse(s):
real, image = s.split('+')
image = image[:-1]
return Complex(int(real), int(image))
class Solution:
def complexNumberMultiply(self, a, b):
"""
:type a: str
:type b: str
:rtype: str
"""
return str(Complex.parse(a) * Complex.parse(b))
if __name__ == "__main__":
print(Solution().complexNumberMultiply("1+1i", "1+1i"))
print(Solution().complexNumberMultiply("1+-1i", "1+-1i"))
| class Complex(object):
def __init__(self, real, image):
self.real = real
self.image = image
def __mul__(self, other):
return complex(self.real * other.real - self.image * other.image, self.real * other.image + self.image * other.real)
def __str__(self):
return '%d+%di' % (self.real, self.image)
@staticmethod
def parse(s):
(real, image) = s.split('+')
image = image[:-1]
return complex(int(real), int(image))
class Solution:
def complex_number_multiply(self, a, b):
"""
:type a: str
:type b: str
:rtype: str
"""
return str(Complex.parse(a) * Complex.parse(b))
if __name__ == '__main__':
print(solution().complexNumberMultiply('1+1i', '1+1i'))
print(solution().complexNumberMultiply('1+-1i', '1+-1i')) |
# -*- coding: utf-8 -*-
__version__ = "1.0"
__author__ = "Kacper Kowalik"
| __version__ = '1.0'
__author__ = 'Kacper Kowalik' |
"""
URIs templates for resources exposed by the Weather API 2.5
"""
ICONS_BASE_URL = 'http://openweathermap.org/img/w/%s.png'
| """
URIs templates for resources exposed by the Weather API 2.5
"""
icons_base_url = 'http://openweathermap.org/img/w/%s.png' |
"""
PASSENGERS
"""
numPassengers = 26795
passenger_arriving = (
(4, 8, 6, 6, 2, 1, 1, 5, 5, 0, 0, 2, 0, 12, 5, 4, 3, 5, 7, 4, 0, 3, 4, 0, 1, 0), # 0
(12, 11, 10, 11, 6, 5, 4, 4, 3, 1, 0, 0, 0, 8, 5, 6, 5, 4, 4, 1, 2, 2, 1, 1, 0, 0), # 1
(5, 10, 9, 10, 2, 3, 5, 2, 3, 2, 1, 0, 0, 14, 11, 5, 1, 8, 3, 4, 1, 4, 4, 1, 2, 0), # 2
(6, 9, 9, 9, 7, 2, 4, 3, 6, 0, 1, 2, 0, 9, 6, 7, 4, 10, 2, 4, 3, 5, 0, 2, 3, 0), # 3
(8, 10, 8, 11, 8, 3, 2, 5, 4, 1, 4, 2, 0, 8, 8, 4, 4, 10, 0, 4, 5, 3, 2, 5, 0, 0), # 4
(8, 7, 6, 2, 7, 4, 3, 4, 3, 0, 0, 3, 0, 9, 13, 5, 7, 4, 1, 5, 3, 3, 1, 2, 1, 0), # 5
(4, 14, 9, 9, 6, 1, 6, 6, 7, 2, 4, 0, 0, 5, 9, 3, 4, 10, 7, 4, 5, 4, 2, 4, 0, 0), # 6
(9, 12, 8, 6, 7, 5, 4, 7, 5, 2, 0, 1, 0, 9, 8, 5, 7, 2, 7, 3, 1, 1, 0, 0, 3, 0), # 7
(10, 6, 7, 11, 9, 3, 4, 3, 2, 3, 0, 0, 0, 8, 9, 7, 8, 9, 6, 3, 3, 3, 2, 2, 0, 0), # 8
(12, 13, 13, 3, 7, 4, 3, 7, 5, 2, 1, 1, 0, 16, 9, 9, 4, 9, 8, 4, 3, 1, 4, 1, 2, 0), # 9
(10, 10, 16, 13, 9, 3, 2, 7, 2, 2, 2, 0, 0, 11, 14, 7, 6, 8, 6, 3, 1, 4, 2, 3, 1, 0), # 10
(9, 11, 8, 7, 8, 2, 5, 3, 4, 1, 2, 0, 0, 15, 8, 8, 13, 7, 5, 3, 4, 6, 5, 2, 2, 0), # 11
(15, 11, 6, 9, 11, 7, 1, 4, 6, 2, 4, 2, 0, 11, 8, 5, 8, 14, 6, 5, 4, 3, 4, 2, 2, 0), # 12
(11, 9, 11, 7, 12, 7, 7, 4, 6, 1, 0, 0, 0, 11, 10, 13, 9, 14, 7, 8, 2, 3, 5, 1, 2, 0), # 13
(9, 11, 8, 13, 7, 7, 4, 9, 5, 2, 4, 1, 0, 14, 8, 7, 5, 12, 6, 7, 3, 2, 2, 1, 1, 0), # 14
(11, 14, 8, 12, 12, 6, 6, 2, 5, 4, 0, 0, 0, 13, 10, 3, 7, 11, 9, 9, 2, 7, 3, 5, 0, 0), # 15
(10, 21, 14, 4, 10, 9, 5, 4, 5, 2, 2, 2, 0, 9, 11, 11, 9, 5, 6, 4, 6, 2, 4, 2, 0, 0), # 16
(13, 16, 7, 12, 11, 4, 6, 4, 5, 1, 0, 2, 0, 22, 11, 10, 11, 18, 8, 7, 2, 6, 5, 2, 1, 0), # 17
(9, 21, 12, 8, 8, 4, 11, 8, 7, 3, 2, 1, 0, 13, 18, 9, 8, 8, 9, 8, 3, 5, 5, 4, 2, 0), # 18
(14, 10, 10, 13, 6, 3, 5, 6, 6, 1, 2, 3, 0, 12, 7, 16, 8, 18, 10, 3, 3, 4, 7, 1, 1, 0), # 19
(15, 11, 15, 11, 10, 4, 4, 5, 4, 3, 2, 1, 0, 10, 16, 17, 9, 8, 4, 5, 7, 8, 2, 4, 1, 0), # 20
(16, 13, 14, 11, 11, 4, 12, 6, 7, 3, 1, 3, 0, 23, 10, 16, 8, 11, 8, 3, 2, 9, 4, 5, 1, 0), # 21
(15, 15, 9, 13, 13, 4, 6, 9, 9, 3, 1, 0, 0, 20, 12, 5, 10, 16, 7, 4, 4, 5, 2, 4, 1, 0), # 22
(16, 7, 14, 15, 14, 8, 4, 4, 8, 1, 3, 1, 0, 21, 13, 7, 9, 19, 8, 2, 4, 6, 4, 3, 1, 0), # 23
(18, 13, 7, 18, 16, 6, 5, 5, 4, 4, 5, 1, 0, 19, 10, 11, 8, 14, 9, 7, 5, 8, 5, 2, 2, 0), # 24
(17, 22, 13, 20, 13, 5, 9, 5, 6, 0, 2, 0, 0, 12, 5, 9, 3, 19, 10, 6, 4, 3, 3, 1, 0, 0), # 25
(13, 16, 21, 22, 6, 3, 4, 5, 6, 4, 1, 2, 0, 15, 10, 9, 5, 6, 5, 4, 5, 6, 1, 3, 1, 0), # 26
(10, 22, 7, 13, 12, 3, 5, 3, 7, 3, 2, 0, 0, 16, 9, 14, 5, 14, 6, 3, 7, 6, 4, 2, 1, 0), # 27
(8, 20, 6, 10, 15, 2, 4, 7, 3, 1, 1, 2, 0, 16, 15, 10, 8, 12, 8, 7, 4, 4, 4, 4, 1, 0), # 28
(12, 9, 10, 13, 16, 5, 5, 9, 3, 1, 2, 1, 0, 12, 12, 7, 6, 10, 8, 9, 6, 3, 2, 4, 1, 0), # 29
(13, 13, 8, 12, 6, 8, 3, 4, 6, 1, 0, 4, 0, 14, 24, 8, 9, 11, 6, 10, 8, 5, 4, 1, 1, 0), # 30
(11, 16, 13, 12, 13, 6, 7, 3, 4, 2, 3, 3, 0, 7, 15, 6, 8, 12, 7, 7, 2, 12, 7, 3, 1, 0), # 31
(14, 9, 25, 10, 14, 4, 2, 4, 7, 4, 2, 1, 0, 10, 10, 13, 13, 9, 5, 9, 1, 4, 5, 1, 2, 0), # 32
(11, 18, 7, 18, 11, 6, 4, 9, 5, 3, 1, 2, 0, 18, 13, 7, 9, 11, 6, 2, 4, 7, 4, 5, 0, 0), # 33
(12, 17, 7, 17, 11, 6, 2, 9, 5, 3, 3, 1, 0, 10, 7, 16, 9, 20, 8, 9, 2, 9, 2, 2, 2, 0), # 34
(18, 18, 15, 13, 14, 3, 3, 7, 6, 5, 1, 0, 0, 10, 9, 8, 9, 11, 8, 7, 3, 8, 1, 2, 2, 0), # 35
(14, 13, 18, 12, 6, 5, 4, 5, 8, 2, 2, 1, 0, 15, 17, 7, 5, 11, 7, 6, 1, 6, 6, 2, 0, 0), # 36
(14, 10, 17, 17, 11, 4, 8, 5, 3, 1, 4, 1, 0, 10, 16, 6, 4, 12, 3, 9, 2, 2, 7, 5, 0, 0), # 37
(15, 12, 18, 15, 5, 7, 3, 7, 9, 3, 1, 6, 0, 15, 9, 9, 9, 10, 8, 7, 4, 4, 5, 2, 1, 0), # 38
(13, 19, 15, 12, 9, 5, 5, 6, 7, 3, 2, 1, 0, 17, 18, 9, 6, 14, 7, 5, 4, 4, 7, 3, 4, 0), # 39
(11, 10, 10, 3, 13, 7, 12, 4, 5, 4, 3, 2, 0, 19, 17, 10, 5, 19, 5, 8, 3, 5, 7, 5, 1, 0), # 40
(14, 14, 10, 11, 12, 8, 7, 10, 5, 1, 2, 2, 0, 13, 7, 9, 5, 11, 7, 4, 1, 2, 4, 5, 2, 0), # 41
(22, 9, 11, 14, 17, 8, 5, 7, 5, 2, 1, 1, 0, 14, 9, 9, 4, 9, 3, 3, 5, 9, 5, 2, 2, 0), # 42
(20, 14, 13, 12, 17, 6, 7, 3, 5, 1, 5, 1, 0, 19, 8, 9, 7, 14, 4, 13, 5, 4, 5, 2, 0, 0), # 43
(11, 14, 7, 5, 5, 1, 3, 6, 4, 2, 2, 0, 0, 17, 15, 5, 8, 14, 11, 4, 2, 5, 1, 2, 2, 0), # 44
(19, 9, 10, 12, 6, 10, 2, 4, 8, 3, 1, 1, 0, 13, 14, 9, 4, 14, 7, 3, 2, 10, 2, 0, 1, 0), # 45
(18, 18, 14, 9, 9, 8, 7, 3, 5, 2, 2, 0, 0, 8, 13, 8, 8, 12, 1, 2, 1, 1, 1, 2, 0, 0), # 46
(17, 12, 13, 18, 12, 3, 4, 8, 4, 1, 1, 1, 0, 26, 10, 13, 9, 18, 6, 2, 5, 8, 5, 6, 1, 0), # 47
(14, 16, 16, 19, 5, 3, 7, 6, 2, 2, 2, 1, 0, 15, 9, 9, 10, 10, 9, 5, 5, 4, 6, 3, 1, 0), # 48
(11, 12, 6, 14, 11, 3, 6, 2, 4, 3, 3, 0, 0, 10, 14, 7, 10, 10, 7, 9, 4, 6, 4, 1, 1, 0), # 49
(12, 15, 11, 11, 6, 6, 2, 6, 5, 2, 3, 0, 0, 20, 17, 5, 10, 10, 4, 7, 4, 5, 5, 1, 1, 0), # 50
(14, 3, 10, 11, 11, 4, 7, 3, 7, 1, 1, 1, 0, 14, 12, 11, 4, 14, 4, 3, 2, 4, 5, 0, 1, 0), # 51
(8, 8, 12, 12, 5, 4, 6, 4, 8, 7, 1, 2, 0, 14, 17, 11, 8, 8, 6, 5, 2, 2, 7, 0, 2, 0), # 52
(13, 12, 10, 16, 9, 7, 7, 2, 10, 1, 4, 1, 0, 11, 11, 11, 8, 10, 6, 7, 5, 7, 0, 5, 1, 0), # 53
(17, 15, 11, 14, 11, 7, 5, 0, 5, 1, 0, 1, 0, 15, 6, 15, 7, 6, 9, 5, 2, 6, 5, 4, 1, 0), # 54
(14, 15, 14, 8, 11, 6, 6, 4, 5, 1, 4, 0, 0, 12, 11, 12, 7, 10, 4, 9, 3, 6, 6, 1, 2, 0), # 55
(15, 10, 9, 11, 7, 2, 6, 4, 11, 2, 1, 1, 0, 22, 13, 13, 11, 8, 7, 5, 4, 5, 6, 2, 2, 0), # 56
(12, 14, 5, 12, 9, 6, 7, 4, 6, 2, 3, 1, 0, 6, 11, 7, 8, 13, 11, 7, 7, 8, 1, 3, 3, 0), # 57
(26, 5, 8, 16, 7, 5, 4, 4, 5, 3, 4, 1, 0, 10, 20, 10, 7, 7, 6, 5, 6, 5, 2, 4, 0, 0), # 58
(7, 16, 9, 16, 9, 3, 6, 2, 7, 2, 3, 2, 0, 12, 16, 13, 7, 13, 4, 4, 3, 9, 3, 4, 1, 0), # 59
(19, 14, 9, 13, 9, 3, 5, 2, 4, 2, 0, 0, 0, 8, 12, 11, 6, 11, 2, 4, 5, 6, 4, 3, 2, 0), # 60
(14, 13, 8, 12, 6, 4, 4, 7, 3, 1, 0, 3, 0, 15, 13, 8, 9, 13, 5, 3, 3, 8, 2, 5, 0, 0), # 61
(13, 17, 19, 13, 8, 2, 5, 2, 8, 5, 2, 2, 0, 14, 12, 13, 11, 12, 3, 4, 6, 6, 5, 5, 0, 0), # 62
(21, 11, 14, 13, 12, 4, 6, 7, 10, 3, 5, 1, 0, 8, 10, 8, 3, 13, 2, 0, 4, 10, 4, 1, 0, 0), # 63
(16, 11, 14, 15, 5, 5, 9, 4, 3, 6, 0, 2, 0, 12, 9, 13, 8, 10, 10, 5, 2, 7, 4, 0, 4, 0), # 64
(19, 8, 9, 13, 7, 2, 6, 5, 8, 3, 5, 2, 0, 14, 15, 10, 9, 11, 5, 8, 4, 5, 4, 0, 1, 0), # 65
(12, 18, 10, 10, 13, 5, 2, 4, 4, 3, 4, 0, 0, 9, 11, 13, 5, 14, 12, 4, 5, 8, 2, 0, 0, 0), # 66
(13, 15, 12, 11, 9, 11, 9, 1, 7, 4, 1, 2, 0, 14, 11, 9, 9, 17, 6, 3, 4, 5, 2, 0, 0, 0), # 67
(11, 11, 12, 5, 7, 3, 4, 3, 11, 4, 4, 1, 0, 15, 13, 14, 4, 16, 6, 8, 3, 7, 4, 9, 1, 0), # 68
(21, 12, 16, 8, 10, 11, 4, 2, 9, 2, 5, 0, 0, 17, 9, 10, 7, 16, 4, 6, 6, 2, 4, 3, 0, 0), # 69
(14, 12, 10, 15, 8, 5, 5, 3, 10, 1, 1, 0, 0, 11, 14, 6, 7, 13, 6, 5, 4, 3, 4, 1, 0, 0), # 70
(13, 8, 8, 10, 10, 3, 5, 5, 4, 2, 4, 2, 0, 16, 6, 6, 8, 8, 2, 6, 1, 4, 3, 2, 2, 0), # 71
(8, 16, 8, 9, 10, 7, 5, 5, 0, 4, 3, 3, 0, 9, 15, 9, 16, 18, 7, 3, 5, 3, 3, 1, 3, 0), # 72
(14, 10, 6, 9, 10, 5, 7, 1, 7, 3, 3, 2, 0, 11, 13, 14, 12, 6, 9, 5, 3, 8, 8, 2, 1, 0), # 73
(16, 11, 17, 13, 11, 4, 4, 4, 3, 1, 2, 0, 0, 16, 17, 11, 7, 14, 5, 5, 2, 4, 8, 2, 0, 0), # 74
(15, 20, 14, 5, 12, 3, 3, 3, 4, 2, 1, 0, 0, 18, 12, 7, 11, 9, 5, 4, 5, 5, 2, 1, 1, 0), # 75
(18, 11, 12, 15, 13, 4, 8, 4, 2, 4, 5, 2, 0, 10, 18, 8, 7, 9, 10, 4, 3, 5, 5, 2, 3, 0), # 76
(17, 15, 10, 15, 7, 11, 11, 5, 3, 1, 1, 2, 0, 8, 11, 10, 11, 8, 3, 1, 4, 8, 4, 2, 1, 0), # 77
(13, 11, 10, 13, 13, 7, 7, 8, 7, 1, 2, 0, 0, 13, 12, 14, 7, 15, 6, 5, 5, 1, 5, 2, 2, 0), # 78
(18, 17, 16, 13, 7, 8, 3, 3, 5, 2, 3, 2, 0, 12, 11, 11, 3, 13, 0, 7, 5, 7, 6, 3, 1, 0), # 79
(19, 16, 15, 16, 9, 7, 4, 6, 4, 4, 5, 1, 0, 15, 14, 7, 8, 14, 9, 5, 4, 4, 3, 4, 1, 0), # 80
(18, 15, 9, 13, 6, 2, 4, 3, 7, 1, 2, 3, 0, 8, 10, 10, 12, 3, 6, 6, 2, 3, 4, 5, 1, 0), # 81
(11, 10, 14, 8, 9, 5, 7, 3, 5, 4, 2, 1, 0, 21, 10, 8, 8, 9, 8, 8, 4, 5, 4, 1, 3, 0), # 82
(14, 10, 17, 13, 13, 9, 5, 7, 9, 2, 1, 2, 0, 12, 12, 13, 8, 13, 4, 5, 3, 4, 2, 1, 1, 0), # 83
(15, 21, 11, 18, 8, 7, 2, 4, 1, 1, 0, 1, 0, 18, 11, 7, 8, 9, 6, 6, 0, 4, 4, 3, 1, 0), # 84
(11, 8, 17, 15, 12, 6, 6, 1, 9, 2, 1, 3, 0, 17, 13, 12, 5, 10, 6, 4, 2, 3, 2, 2, 1, 0), # 85
(14, 13, 15, 11, 5, 5, 3, 8, 7, 1, 0, 5, 0, 7, 20, 6, 7, 15, 6, 2, 4, 5, 3, 4, 1, 0), # 86
(17, 19, 8, 10, 8, 3, 1, 4, 1, 3, 0, 1, 0, 11, 17, 15, 6, 17, 5, 4, 4, 9, 4, 6, 1, 0), # 87
(13, 15, 9, 13, 13, 1, 5, 8, 4, 4, 2, 0, 0, 10, 13, 11, 5, 9, 3, 1, 2, 5, 7, 3, 1, 0), # 88
(20, 16, 14, 22, 11, 3, 6, 5, 4, 0, 1, 1, 0, 18, 11, 11, 8, 16, 5, 2, 10, 4, 2, 1, 0, 0), # 89
(19, 11, 8, 6, 9, 3, 6, 2, 6, 2, 0, 0, 0, 14, 15, 12, 8, 10, 6, 6, 5, 9, 7, 3, 1, 0), # 90
(10, 13, 15, 8, 7, 7, 3, 2, 6, 2, 1, 2, 0, 15, 10, 9, 5, 15, 1, 5, 2, 2, 1, 1, 2, 0), # 91
(10, 13, 11, 9, 13, 5, 5, 5, 8, 1, 1, 1, 0, 19, 10, 8, 6, 5, 9, 5, 2, 4, 4, 0, 0, 0), # 92
(10, 11, 11, 13, 4, 3, 1, 4, 4, 5, 4, 1, 0, 8, 12, 9, 8, 18, 7, 5, 2, 6, 7, 2, 0, 0), # 93
(13, 5, 9, 6, 8, 5, 7, 5, 6, 0, 0, 1, 0, 11, 6, 15, 10, 10, 8, 8, 4, 4, 3, 7, 1, 0), # 94
(21, 4, 9, 12, 8, 7, 4, 3, 7, 6, 1, 2, 0, 11, 20, 8, 8, 10, 0, 3, 4, 5, 3, 2, 0, 0), # 95
(5, 11, 7, 13, 15, 3, 5, 5, 5, 2, 1, 4, 0, 17, 9, 10, 8, 6, 4, 4, 5, 4, 2, 5, 0, 0), # 96
(19, 6, 10, 12, 15, 3, 4, 1, 5, 4, 1, 0, 0, 14, 6, 9, 4, 12, 7, 6, 4, 4, 5, 3, 1, 0), # 97
(15, 14, 6, 16, 11, 8, 4, 6, 7, 2, 0, 1, 0, 17, 8, 8, 11, 9, 3, 2, 1, 3, 1, 2, 0, 0), # 98
(14, 13, 11, 11, 17, 5, 4, 2, 6, 5, 1, 1, 0, 17, 11, 18, 12, 17, 3, 4, 7, 7, 3, 3, 0, 0), # 99
(10, 15, 11, 17, 12, 5, 5, 6, 2, 1, 1, 0, 0, 17, 10, 19, 8, 10, 6, 4, 5, 7, 2, 5, 0, 0), # 100
(13, 16, 8, 8, 7, 4, 7, 4, 6, 1, 0, 0, 0, 14, 8, 11, 6, 12, 8, 3, 2, 4, 3, 0, 1, 0), # 101
(13, 16, 5, 6, 10, 4, 4, 5, 1, 0, 4, 1, 0, 12, 11, 8, 5, 9, 7, 4, 3, 6, 3, 2, 3, 0), # 102
(16, 11, 10, 13, 13, 5, 6, 6, 5, 1, 1, 1, 0, 13, 13, 11, 9, 13, 3, 5, 3, 3, 4, 1, 1, 0), # 103
(10, 13, 16, 9, 13, 5, 4, 2, 3, 2, 2, 1, 0, 17, 10, 3, 10, 8, 4, 3, 3, 5, 4, 3, 1, 0), # 104
(16, 14, 11, 16, 15, 4, 5, 5, 9, 0, 1, 0, 0, 9, 14, 10, 9, 10, 0, 7, 6, 5, 3, 1, 1, 0), # 105
(15, 16, 10, 12, 6, 5, 3, 1, 5, 1, 0, 1, 0, 9, 9, 10, 6, 7, 5, 7, 6, 13, 7, 3, 0, 0), # 106
(9, 13, 10, 14, 12, 4, 8, 3, 6, 5, 2, 1, 0, 16, 16, 8, 6, 10, 6, 7, 6, 4, 3, 2, 2, 0), # 107
(16, 15, 8, 5, 7, 9, 3, 4, 6, 0, 2, 0, 0, 13, 12, 5, 4, 13, 2, 2, 0, 4, 4, 1, 0, 0), # 108
(11, 9, 12, 11, 8, 4, 7, 5, 5, 2, 0, 0, 0, 14, 6, 6, 2, 6, 4, 4, 3, 3, 8, 1, 0, 0), # 109
(17, 11, 13, 16, 13, 5, 4, 2, 6, 0, 0, 2, 0, 9, 13, 10, 4, 9, 5, 5, 3, 6, 2, 1, 0, 0), # 110
(17, 13, 7, 7, 7, 5, 2, 4, 4, 2, 1, 0, 0, 10, 11, 11, 9, 10, 4, 4, 2, 5, 4, 5, 0, 0), # 111
(13, 13, 11, 5, 7, 3, 3, 1, 6, 1, 2, 2, 0, 8, 15, 5, 8, 8, 6, 4, 1, 3, 3, 1, 2, 0), # 112
(10, 11, 7, 11, 9, 2, 5, 2, 6, 1, 2, 3, 0, 20, 8, 5, 4, 10, 3, 2, 7, 3, 4, 2, 0, 0), # 113
(13, 12, 12, 8, 10, 4, 5, 0, 3, 2, 2, 0, 0, 5, 15, 8, 6, 15, 3, 8, 1, 5, 3, 0, 0, 0), # 114
(9, 7, 7, 6, 15, 9, 2, 6, 5, 4, 1, 3, 0, 10, 17, 11, 3, 13, 6, 5, 4, 6, 6, 0, 0, 0), # 115
(11, 12, 9, 12, 4, 4, 6, 3, 4, 4, 2, 0, 0, 11, 17, 7, 5, 8, 5, 3, 3, 7, 1, 0, 0, 0), # 116
(7, 11, 10, 12, 13, 3, 2, 1, 6, 3, 3, 1, 0, 12, 10, 10, 1, 14, 4, 5, 7, 3, 3, 4, 1, 0), # 117
(11, 11, 8, 8, 11, 5, 3, 2, 1, 3, 0, 1, 0, 12, 15, 8, 4, 14, 3, 1, 7, 4, 4, 1, 3, 0), # 118
(8, 9, 10, 10, 8, 5, 1, 3, 5, 1, 2, 1, 0, 15, 12, 6, 5, 13, 6, 3, 4, 5, 4, 1, 2, 0), # 119
(14, 12, 10, 13, 7, 7, 5, 2, 6, 5, 1, 0, 0, 16, 15, 3, 8, 6, 3, 4, 2, 3, 3, 3, 2, 0), # 120
(14, 3, 12, 9, 13, 5, 7, 4, 4, 1, 2, 3, 0, 12, 12, 7, 7, 8, 3, 1, 3, 8, 0, 1, 0, 0), # 121
(9, 10, 9, 8, 8, 4, 6, 4, 9, 5, 3, 3, 0, 9, 9, 9, 8, 7, 7, 3, 1, 4, 4, 1, 1, 0), # 122
(14, 9, 9, 12, 7, 3, 8, 3, 3, 2, 2, 0, 0, 11, 9, 10, 8, 9, 6, 3, 6, 9, 5, 1, 0, 0), # 123
(6, 7, 11, 15, 9, 6, 5, 4, 7, 1, 2, 0, 0, 14, 15, 7, 4, 12, 6, 5, 3, 5, 4, 0, 0, 0), # 124
(11, 3, 9, 11, 11, 3, 9, 2, 5, 1, 3, 1, 0, 8, 9, 10, 8, 8, 2, 3, 7, 4, 4, 3, 0, 0), # 125
(11, 6, 11, 11, 8, 3, 3, 3, 5, 0, 2, 1, 0, 15, 8, 8, 5, 16, 5, 1, 3, 5, 3, 2, 3, 0), # 126
(10, 8, 10, 8, 12, 1, 4, 3, 8, 1, 1, 2, 0, 11, 12, 7, 3, 10, 5, 2, 1, 3, 4, 4, 0, 0), # 127
(11, 13, 13, 11, 15, 3, 3, 3, 4, 2, 3, 2, 0, 14, 12, 6, 6, 6, 3, 4, 3, 4, 6, 2, 1, 0), # 128
(14, 8, 15, 9, 8, 9, 4, 9, 5, 3, 2, 1, 0, 11, 11, 10, 6, 13, 4, 3, 4, 7, 3, 3, 1, 0), # 129
(14, 6, 7, 10, 7, 7, 3, 2, 5, 0, 5, 0, 0, 19, 6, 7, 2, 12, 6, 5, 5, 3, 5, 2, 0, 0), # 130
(16, 7, 14, 8, 7, 3, 1, 1, 4, 0, 4, 2, 0, 16, 12, 6, 11, 14, 12, 4, 2, 6, 6, 3, 1, 0), # 131
(9, 4, 9, 7, 10, 2, 5, 1, 4, 2, 3, 1, 0, 14, 11, 8, 7, 10, 3, 6, 3, 1, 2, 1, 1, 0), # 132
(14, 8, 9, 5, 12, 5, 3, 3, 6, 0, 0, 1, 0, 13, 10, 8, 9, 4, 0, 1, 4, 5, 3, 1, 2, 0), # 133
(7, 8, 7, 7, 16, 5, 2, 1, 6, 1, 3, 2, 0, 11, 14, 4, 3, 11, 2, 7, 6, 10, 2, 2, 1, 0), # 134
(10, 7, 9, 10, 10, 1, 4, 5, 3, 0, 2, 0, 0, 17, 10, 7, 9, 13, 7, 1, 5, 4, 4, 1, 0, 0), # 135
(11, 9, 9, 16, 7, 3, 0, 3, 8, 2, 4, 0, 0, 8, 11, 7, 9, 17, 3, 6, 3, 3, 2, 3, 1, 0), # 136
(20, 6, 11, 8, 7, 4, 3, 6, 3, 1, 1, 1, 0, 13, 13, 9, 5, 9, 5, 5, 5, 4, 5, 1, 1, 0), # 137
(6, 4, 11, 6, 6, 3, 4, 4, 6, 1, 4, 1, 0, 21, 9, 9, 5, 13, 4, 6, 1, 3, 4, 4, 1, 0), # 138
(10, 9, 13, 11, 8, 8, 3, 9, 7, 2, 0, 1, 0, 18, 15, 15, 1, 9, 4, 3, 5, 3, 3, 2, 0, 0), # 139
(6, 9, 7, 11, 9, 3, 4, 6, 1, 1, 1, 1, 0, 18, 10, 3, 3, 9, 2, 5, 6, 4, 4, 3, 0, 0), # 140
(8, 10, 12, 9, 8, 2, 1, 1, 5, 3, 3, 1, 0, 16, 19, 7, 6, 8, 6, 4, 2, 7, 4, 1, 0, 0), # 141
(7, 6, 11, 13, 14, 7, 0, 4, 6, 4, 2, 0, 0, 13, 8, 4, 7, 12, 3, 3, 5, 3, 3, 4, 2, 0), # 142
(7, 6, 12, 9, 7, 3, 4, 2, 3, 1, 0, 0, 0, 12, 3, 10, 4, 11, 3, 4, 0, 3, 2, 3, 1, 0), # 143
(9, 5, 14, 9, 8, 3, 1, 3, 4, 1, 1, 0, 0, 6, 12, 8, 5, 11, 5, 4, 3, 5, 1, 1, 1, 0), # 144
(17, 4, 14, 6, 11, 3, 1, 3, 4, 1, 2, 0, 0, 12, 12, 5, 5, 7, 5, 4, 2, 0, 3, 1, 0, 0), # 145
(21, 7, 6, 13, 4, 4, 4, 7, 3, 1, 2, 1, 0, 11, 11, 5, 4, 11, 2, 3, 4, 3, 7, 1, 0, 0), # 146
(9, 8, 9, 15, 11, 4, 3, 4, 1, 1, 1, 2, 0, 9, 13, 6, 3, 11, 6, 3, 4, 7, 3, 3, 1, 0), # 147
(14, 6, 8, 10, 10, 9, 1, 3, 4, 4, 1, 0, 0, 11, 12, 7, 3, 7, 6, 3, 4, 7, 2, 5, 0, 0), # 148
(10, 4, 8, 11, 7, 4, 1, 4, 5, 1, 3, 0, 0, 8, 8, 5, 5, 13, 5, 6, 5, 6, 2, 2, 0, 0), # 149
(11, 9, 7, 13, 13, 4, 0, 3, 5, 1, 1, 0, 0, 8, 12, 5, 7, 11, 4, 2, 1, 2, 2, 2, 0, 0), # 150
(10, 12, 16, 6, 10, 6, 5, 6, 6, 1, 1, 2, 0, 11, 7, 7, 6, 9, 5, 2, 4, 2, 2, 1, 0, 0), # 151
(13, 13, 12, 9, 6, 9, 3, 4, 5, 1, 2, 1, 0, 16, 14, 3, 5, 15, 4, 5, 4, 2, 3, 4, 1, 0), # 152
(8, 14, 6, 9, 11, 5, 3, 1, 4, 2, 0, 2, 0, 4, 10, 11, 4, 9, 5, 3, 1, 3, 5, 1, 1, 0), # 153
(6, 11, 9, 8, 11, 1, 5, 6, 6, 3, 4, 0, 0, 14, 9, 10, 4, 12, 2, 5, 3, 5, 3, 2, 0, 0), # 154
(9, 11, 10, 3, 11, 0, 6, 3, 2, 2, 3, 1, 0, 17, 2, 8, 3, 6, 3, 2, 5, 4, 3, 0, 1, 0), # 155
(13, 10, 4, 17, 11, 4, 2, 5, 3, 1, 1, 2, 0, 10, 10, 7, 4, 10, 4, 6, 3, 8, 3, 3, 0, 0), # 156
(10, 9, 10, 12, 6, 4, 2, 4, 5, 1, 1, 0, 0, 11, 10, 6, 5, 10, 5, 5, 2, 6, 3, 2, 1, 0), # 157
(13, 3, 7, 20, 11, 8, 2, 1, 5, 0, 0, 2, 0, 13, 12, 6, 11, 13, 5, 0, 5, 4, 5, 1, 0, 0), # 158
(15, 10, 10, 9, 8, 3, 5, 3, 3, 1, 1, 1, 0, 11, 5, 4, 7, 17, 3, 5, 5, 5, 5, 0, 0, 0), # 159
(9, 14, 8, 7, 15, 7, 1, 3, 4, 4, 1, 0, 0, 16, 4, 7, 6, 11, 4, 3, 1, 2, 2, 2, 0, 0), # 160
(10, 8, 12, 7, 13, 2, 6, 5, 1, 1, 0, 1, 0, 10, 10, 9, 5, 12, 5, 3, 4, 3, 3, 1, 1, 0), # 161
(11, 11, 15, 13, 13, 1, 4, 3, 1, 2, 1, 0, 0, 8, 4, 9, 2, 8, 4, 1, 1, 4, 5, 1, 3, 0), # 162
(15, 4, 9, 8, 4, 2, 2, 2, 5, 1, 0, 1, 0, 13, 7, 9, 4, 7, 4, 0, 3, 3, 4, 1, 1, 0), # 163
(6, 6, 9, 14, 9, 3, 4, 3, 4, 1, 2, 0, 0, 10, 5, 5, 2, 9, 1, 6, 1, 2, 5, 3, 1, 0), # 164
(9, 6, 10, 9, 13, 3, 5, 3, 2, 1, 1, 0, 0, 5, 5, 7, 4, 8, 6, 3, 2, 4, 0, 2, 1, 0), # 165
(10, 5, 8, 4, 12, 2, 3, 5, 7, 2, 1, 0, 0, 6, 8, 2, 5, 5, 3, 7, 3, 2, 4, 4, 1, 0), # 166
(12, 3, 6, 11, 4, 7, 2, 5, 3, 3, 0, 0, 0, 16, 6, 5, 1, 9, 5, 1, 2, 6, 4, 1, 0, 0), # 167
(7, 6, 5, 7, 5, 3, 2, 6, 3, 5, 2, 1, 0, 8, 5, 5, 4, 8, 1, 4, 0, 0, 3, 3, 0, 0), # 168
(2, 5, 5, 6, 8, 1, 2, 1, 4, 0, 2, 0, 0, 4, 11, 7, 2, 6, 3, 4, 1, 4, 2, 4, 2, 0), # 169
(11, 6, 9, 5, 8, 2, 5, 3, 3, 0, 1, 0, 0, 9, 6, 5, 9, 4, 1, 2, 5, 4, 4, 1, 1, 0), # 170
(12, 5, 4, 7, 6, 6, 5, 2, 2, 1, 1, 0, 0, 8, 8, 2, 6, 9, 2, 3, 0, 5, 1, 1, 1, 0), # 171
(8, 3, 7, 5, 2, 1, 2, 1, 5, 1, 0, 0, 0, 6, 2, 5, 3, 6, 3, 3, 4, 3, 3, 1, 0, 0), # 172
(10, 5, 8, 5, 13, 3, 1, 4, 3, 1, 0, 0, 0, 5, 8, 6, 4, 3, 2, 3, 4, 3, 5, 2, 2, 0), # 173
(7, 4, 1, 9, 11, 3, 2, 1, 0, 0, 2, 0, 0, 5, 7, 11, 4, 4, 3, 2, 0, 2, 0, 0, 0, 0), # 174
(5, 4, 6, 5, 5, 1, 2, 2, 9, 0, 1, 0, 0, 9, 3, 2, 2, 6, 2, 0, 2, 1, 3, 4, 1, 0), # 175
(8, 3, 2, 9, 7, 4, 2, 1, 0, 1, 3, 0, 0, 7, 7, 3, 2, 3, 3, 3, 2, 1, 2, 2, 0, 0), # 176
(9, 3, 6, 2, 5, 1, 2, 0, 7, 1, 1, 0, 0, 12, 8, 2, 3, 2, 2, 3, 1, 2, 2, 1, 0, 0), # 177
(3, 2, 10, 0, 6, 2, 0, 3, 2, 1, 2, 0, 0, 10, 2, 4, 2, 3, 3, 1, 4, 2, 2, 2, 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), # 179
)
station_arriving_intensity = (
(7.029211809720476, 7.735403983570434, 7.29579652145751, 8.700534883408807, 7.776559850653457, 4.394116904852274, 5.804449861523481, 6.514446642171193, 8.52613868703521, 5.541221021731318, 5.887371229439844, 6.857081109628643, 7.117432297609708), # 0
(7.496058012827964, 8.246084971802663, 7.777485227862214, 9.275201954587263, 8.291486472463932, 4.684377017659578, 6.187256517769172, 6.943319212067992, 9.089143456866074, 5.90657296918801, 6.2763345903385845, 7.309703325140097, 7.587708306415797), # 1
(7.9614122125716245, 8.754739239247371, 8.257259199766379, 9.847582786530712, 8.804548163249642, 4.9734791603174235, 6.568545911144986, 7.370475347066188, 9.64990152962857, 6.270479285028765, 6.663752408286839, 7.760525712874277, 8.056110759493567), # 2
(8.423460910405188, 9.259348702711026, 8.733215217047796, 10.415406970544904, 9.313726346402664, 5.260276871619158, 6.946805098307138, 7.79422162049231, 10.206189225289531, 6.631495777796654, 7.0480877765583365, 8.207759958902646, 8.520781928755916), # 3
(8.880390607782374, 9.757895279000085, 9.203450059584252, 10.976404097935598, 9.81700244531509, 5.543623690358135, 7.320521135911843, 8.212864605672882, 10.75578286381579, 6.988178256034751, 7.4278037884268056, 8.64961774929667, 8.979864086115745), # 4
(9.330387806156915, 10.248360884921025, 9.666060507253526, 11.528303760008551, 10.312357883378994, 5.822373155327701, 7.688181080615314, 8.62471087593443, 11.296458765174183, 7.339082528286129, 7.801363537165986, 9.084310770127807, 9.43149950348596), # 5
(9.771639006982534, 10.728727437280302, 10.119143339933412, 12.068835548069513, 10.79777408398646, 6.09537880532121, 8.048271989073768, 9.028067004603484, 11.825993249331543, 7.682764403093862, 8.167230116049597, 9.510050707467531, 9.87383045277945), # 6
(10.202330711712957, 11.196976852884385, 10.56079533750169, 12.595729053424249, 11.271232470529577, 6.36149417913201, 8.39928091794342, 9.421239565006573, 12.342162636254702, 8.017779689001022, 8.523866618351377, 9.925049247387301, 10.304999205909127), # 7
(10.62064942180191, 11.651091048539739, 10.989113279836156, 13.1067138673785, 11.730714466400421, 6.619572815553446, 8.739694923880478, 9.802535130470215, 12.842743245910489, 8.342684194550685, 8.86973613734505, 10.327518075958585, 10.723148034787885), # 8
(11.02478163870312, 12.089051941052832, 11.402193946814586, 13.599519581238038, 12.174201494991074, 6.868468253378878, 9.068001063541168, 10.170260274320949, 13.325511398265744, 8.65603372828592, 9.20330176630435, 10.71566887925284, 11.126419211328628), # 9
(11.412913863870306, 12.508841447230123, 11.798134118314776, 14.071875786308604, 12.599674979693622, 7.107034031401651, 9.382686393581697, 10.522721569885295, 13.7882434132873, 8.956384098749801, 9.523026598503003, 11.087713343341534, 11.512955007444255), # 10
(11.783232598757209, 12.90844148387809, 12.175030574214501, 14.521512073895957, 13.005116343900148, 7.334123688415116, 9.682237970658283, 10.85822559048978, 14.228715610941991, 9.242291114485408, 9.82737372721475, 11.441863154296136, 11.880897695047656), # 11
(12.133924344817538, 13.285833967803178, 12.530980094391557, 14.946158035305858, 13.38850701100273, 7.5485907632126175, 9.965142851427137, 11.17507890946093, 14.644704311196652, 9.512310584035802, 10.114806245713309, 11.776329998188096, 12.22838954605175), # 12
(12.463175603505027, 13.639000815811869, 12.864079458723728, 15.343543261844063, 13.747828404393443, 7.749288794587514, 10.22988809254448, 11.471588100125276, 15.033985834018106, 9.764998315944066, 10.383787247272418, 12.08932556108889, 12.55357283236943), # 13
(12.769172876273403, 13.965923944710624, 13.172425447088806, 15.71139734481631, 14.081061947464386, 7.935071321333148, 10.474960750666526, 11.746059735809345, 15.39433649937319, 9.998910118753269, 10.6327798251658, 12.379061529069986, 12.85458982591359), # 14
(13.050102664576398, 14.264585271305906, 13.45411483936456, 16.047449875528383, 14.386189063607633, 8.104791882242878, 10.698847882449478, 11.99680038983966, 15.723532627228748, 10.212601801006487, 10.860247072667189, 12.64374958820284, 13.129582798597134), # 15
(13.30415146986772, 14.532966712404187, 13.707244415428796, 16.349430445286004, 14.661191176215267, 8.257304016110044, 10.900036544549568, 12.222116635542745, 16.019350537551603, 10.404629171246796, 11.06465208305032, 12.881601424558916, 13.376694022332964), # 16
(13.529505793601107, 14.769050184811926, 13.929910955159293, 16.61506864539496, 14.904049708679375, 8.391461261728, 11.077013793622996, 12.420315046245145, 16.27956655030858, 10.573548038017254, 11.24445794958892, 13.090828724209679, 13.594065769033982), # 17
(13.724352137230287, 14.970817605335585, 14.120211238433834, 16.842094067160993, 15.112746084392025, 8.506117157890104, 11.228266686325993, 12.589702195273366, 16.501956985466535, 10.717914209860952, 11.398127765556712, 13.269643173226603, 13.779840310613086), # 18
(13.88687700220898, 15.136250890781643, 14.27624204513021, 17.02823630188984, 15.285261726745313, 8.600125243389693, 11.352282279314753, 12.728584655953943, 16.68429816299229, 10.83628349532096, 11.52412462422743, 13.416256457681136, 13.932159918983176), # 19
(14.015266889990915, 15.263331957956549, 14.396100155126206, 17.171224940887296, 15.419578059131322, 8.672339057020126, 11.44754762924551, 12.835269001613405, 16.82436640285268, 10.927211702940342, 11.62091161887481, 13.528880263644748, 14.049166866057154), # 20
(14.107708302029813, 15.350042723666784, 14.477882348299607, 17.26878957545908, 15.513676504942126, 8.72161213757475, 11.512549792774463, 12.908061805578273, 16.91993802501453, 10.989254641262178, 11.686951842772585, 13.60572627718891, 14.12900342374791), # 21
(14.162387739779412, 15.394365104718803, 14.5196854045282, 17.31865979691097, 15.565538487569807, 8.746798023846914, 11.54577582655784, 12.945269641175082, 16.968789349444684, 11.02096811882954, 11.720708389194478, 13.645006184385087, 14.16981186396836), # 22
(14.182550708679697, 15.39961303155007, 14.524892455418383, 17.324903137860087, 15.578824878445637, 8.75, 11.549725603163076, 12.949291358024693, 16.974896728395063, 11.024709181527207, 11.724941252026436, 13.649856607224509, 14.175), # 23
(14.197417378247815, 15.396551851851854, 14.524040740740743, 17.324134722222226, 15.586350659060795, 8.75, 11.547555337690634, 12.943700000000002, 16.974078333333335, 11.02241086419753, 11.724474410774413, 13.648720987654322, 14.175), # 24
(14.211970122296213, 15.390517832647463, 14.522359396433473, 17.322614454732513, 15.593710923832306, 8.75, 11.543278463648836, 12.932716049382718, 16.97246141975309, 11.01788637402835, 11.723548759196907, 13.646479195244629, 14.175), # 25
(14.226207826667249, 15.381603155006863, 14.519871467764064, 17.320359619341563, 15.600905415789548, 8.75, 11.53696140563221, 12.916546913580248, 16.97006672839506, 11.011210992226795, 11.722172677391198, 13.643161957018751, 14.175), # 26
(14.240129377203292, 15.3699, 14.5166, 17.3173875, 15.607933877961901, 8.75, 11.528670588235297, 12.895400000000002, 16.966915, 11.00246, 11.720354545454546, 13.638800000000003, 14.175), # 27
(14.253733659746702, 15.355500548696845, 14.51256803840878, 17.313715380658437, 15.614796053378763, 8.75, 11.518472436052612, 12.869482716049385, 16.963026975308644, 10.9917086785551, 11.718102743484225, 13.633424051211708, 14.175), # 28
(14.26701956013985, 15.338496982167355, 14.50779862825789, 17.30936054526749, 15.62149168506951, 8.75, 11.506433373678693, 12.839002469135803, 16.95842339506173, 10.979032309099225, 11.715425651577503, 13.627064837677183, 14.175), # 29
(14.279985964225098, 15.318981481481483, 14.502314814814815, 17.30434027777778, 15.628020516063533, 8.75, 11.492619825708061, 12.804166666666665, 16.953125, 10.964506172839508, 11.71233164983165, 13.619753086419752, 14.175), # 30
(14.292631757844802, 15.297046227709194, 14.496139643347053, 17.29867186213992, 15.634382289390214, 8.75, 11.477098216735257, 12.765182716049384, 16.947152530864198, 10.948205550983083, 11.708829118343933, 13.611519524462738, 14.175), # 31
(14.304955826841338, 15.27278340192044, 14.489296159122084, 17.29237258230453, 15.640576748078935, 8.75, 11.4599349713548, 12.72225802469136, 16.940526728395064, 10.930205724737084, 11.704926437211622, 13.602394878829449, 14.175), # 32
(14.316957057057056, 15.246285185185185, 14.481807407407409, 17.28545972222222, 15.646603635159089, 8.75, 11.441196514161222, 12.675600000000001, 16.933268333333334, 10.910581975308643, 11.700631986531986, 13.59240987654321, 14.175), # 33
(14.328634334334335, 15.217643758573388, 14.473696433470508, 17.27795056584362, 15.652462693660054, 8.75, 11.420949269749054, 12.625416049382716, 16.925398086419758, 10.889409583904893, 11.695954146402293, 13.581595244627344, 14.175), # 34
(14.339986544515531, 15.186951303155007, 14.464986282578877, 17.26986239711934, 15.65815366661122, 8.75, 11.399259662712824, 12.571913580246914, 16.916936728395065, 10.866763831732968, 11.690901296919815, 13.569981710105168, 14.175), # 35
(14.35101257344301, 15.1543, 14.455700000000002, 17.2612125, 15.663676297041972, 8.75, 11.37619411764706, 12.515300000000002, 16.907905, 10.84272, 11.685481818181819, 13.557600000000003, 14.175), # 36
(14.361711306959135, 15.119782030178326, 14.445860631001374, 17.252018158436215, 15.669030327981691, 8.75, 11.351819059146292, 12.455782716049384, 16.89832364197531, 10.817353369913125, 11.679704090285574, 13.544480841335163, 14.175), # 37
(14.372081630906267, 15.083489574759948, 14.43549122085048, 17.242296656378603, 15.674215502459768, 8.75, 11.326200911805053, 12.393569135802473, 16.88821339506173, 10.790739222679472, 11.673576493328346, 13.530654961133976, 14.175), # 38
(14.382122431126781, 15.045514814814815, 14.424614814814818, 17.232065277777778, 15.679231563505585, 8.75, 11.299406100217867, 12.328866666666666, 16.877595000000003, 10.762952839506175, 11.667107407407409, 13.516153086419752, 14.175), # 39
(14.39183259346303, 15.005949931412895, 14.413254458161866, 17.221341306584364, 15.684078254148528, 8.75, 11.271501048979264, 12.261882716049385, 16.866489197530868, 10.734069501600368, 11.660305212620028, 13.501005944215823, 14.175), # 40
(14.40121100375738, 14.964887105624143, 14.401433196159124, 17.210142026748972, 15.688755317417984, 8.75, 11.242552182683774, 12.192824691358027, 16.85491672839506, 10.704164490169182, 11.653178289063476, 13.485244261545498, 14.175), # 41
(14.410256547852201, 14.922418518518521, 14.389174074074077, 17.198484722222226, 15.693262496343333, 8.75, 11.212625925925927, 12.121900000000002, 16.842898333333338, 10.673313086419753, 11.645735016835017, 13.4688987654321, 14.175), # 42
(14.418968111589852, 14.878636351165984, 14.376500137174213, 17.186386676954736, 15.697599533953966, 8.75, 11.181788703300251, 12.049316049382718, 16.83045475308642, 10.641590571559215, 11.637983776031925, 13.452000182898951, 14.175), # 43
(14.427344580812699, 14.83363278463649, 14.363434430727025, 17.173865174897124, 15.701766173279264, 8.75, 11.150106939401276, 11.975280246913583, 16.817606728395063, 10.609072226794698, 11.629932946751465, 13.434579240969367, 14.175), # 44
(14.435384841363105, 14.787500000000001, 14.350000000000001, 17.160937500000003, 15.705762157348616, 8.75, 11.11764705882353, 11.9, 16.804375, 10.575833333333335, 11.62159090909091, 13.416666666666666, 14.175), # 45
(14.443087779083434, 14.740330178326476, 14.336219890260631, 17.147620936213993, 15.709587229191404, 8.75, 11.084475486161544, 11.823682716049385, 16.790780308641974, 10.541949172382258, 11.612966043147525, 13.398293187014175, 14.175), # 46
(14.45045227981605, 14.692215500685872, 14.322117146776408, 17.133932767489714, 15.713241131837016, 8.75, 11.050658646009847, 11.746535802469136, 16.776843395061732, 10.507495025148607, 11.604066729018582, 13.37948952903521, 14.175), # 47
(14.457477229403315, 14.64324814814815, 14.307714814814817, 17.11989027777778, 15.716723608314837, 8.75, 11.016262962962964, 11.668766666666668, 16.762585, 10.472546172839506, 11.594901346801347, 13.360286419753088, 14.175), # 48
(14.464161513687602, 14.593520301783265, 14.29303593964335, 17.10551075102881, 15.720034401654251, 8.75, 10.981354861615428, 11.590582716049383, 16.748025864197533, 10.437177896662096, 11.585478276593093, 13.340714586191131, 14.175), # 49
(14.470504018511264, 14.543124142661183, 14.278103566529495, 17.090811471193415, 15.723173254884642, 8.75, 10.94600076656177, 11.512191358024692, 16.73318672839506, 10.401465477823503, 11.575805898491085, 13.32080475537266, 14.175), # 50
(14.476503629716676, 14.492151851851853, 14.262940740740742, 17.075809722222225, 15.726139911035398, 8.75, 10.910267102396515, 11.433800000000002, 16.718088333333338, 10.365484197530865, 11.565892592592595, 13.30058765432099, 14.175), # 51
(14.482159233146191, 14.440695610425243, 14.247570507544584, 17.060522788065846, 15.728934113135901, 8.75, 10.874220293714194, 11.355616049382716, 16.70275141975309, 10.329309336991313, 11.555746738994888, 13.280094010059445, 14.175), # 52
(14.487469714642183, 14.388847599451307, 14.232015912208508, 17.0449679526749, 15.731555604215542, 8.75, 10.837926765109337, 11.277846913580248, 16.687196728395065, 10.293016177411982, 11.545376717795238, 13.259354549611341, 14.175), # 53
(14.492433960047004, 14.336700000000002, 14.2163, 17.0291625, 15.734004127303704, 8.75, 10.801452941176471, 11.2007, 16.671445000000002, 10.256680000000001, 11.534790909090908, 13.2384, 14.175), # 54
(14.497050855203032, 14.284344993141291, 14.200445816186559, 17.01312371399177, 15.736279425429768, 8.75, 10.764865246510128, 11.124382716049384, 16.655516975308643, 10.220376085962506, 11.523997692979176, 13.217261088248744, 14.175), # 55
(14.501319285952622, 14.231874759945132, 14.184476406035667, 16.996868878600825, 15.738381241623124, 8.75, 10.728230105704835, 11.049102469135804, 16.63943339506173, 10.184179716506632, 11.513005449557303, 13.195968541380887, 14.175), # 56
(14.505238138138138, 14.179381481481483, 14.168414814814819, 16.98041527777778, 15.740309318913155, 8.75, 10.69161394335512, 10.975066666666669, 16.623215000000002, 10.148166172839508, 11.50182255892256, 13.174553086419753, 14.175), # 57
(14.508806297601952, 14.126957338820304, 14.152284087791497, 16.96378019547325, 15.742063400329245, 8.75, 10.655083184055517, 10.902482716049382, 16.606882530864198, 10.112410736168268, 11.490457401172218, 13.153045450388662, 14.175), # 58
(14.51202265018642, 14.07469451303155, 14.136107270233198, 16.946980915637862, 15.743643228900785, 8.75, 10.61870425240055, 10.83155802469136, 16.590456728395065, 10.076988687700048, 11.478918356403542, 13.131476360310929, 14.175), # 59
(14.51488608173391, 14.022685185185187, 14.119907407407407, 16.930034722222224, 15.745048547657152, 8.75, 10.582543572984749, 10.762500000000001, 16.573958333333337, 10.041975308641977, 11.467213804713806, 13.109876543209879, 14.175), # 60
(14.517395478086781, 13.971021536351168, 14.10370754458162, 16.912958899176957, 15.746279099627737, 8.75, 10.546667570402647, 10.695516049382718, 16.557408086419755, 10.00744588020119, 11.455352126200275, 13.088276726108827, 14.175), # 61
(14.519549725087407, 13.919795747599453, 14.087530727023323, 16.89577073045268, 15.74733462784193, 8.75, 10.51114266924877, 10.630813580246915, 16.540826728395064, 9.973475683584821, 11.44334170096022, 13.066707636031095, 14.175), # 62
(14.521347708578144, 13.869100000000001, 14.071400000000002, 16.878487500000002, 15.7482148753291, 8.75, 10.476035294117647, 10.568600000000002, 16.524235, 9.94014, 11.43119090909091, 13.045200000000001, 14.175), # 63
(14.522788314401359, 13.819026474622772, 14.05533840877915, 16.86112649176955, 15.74891958511865, 8.75, 10.44141186960381, 10.509082716049384, 16.50765364197531, 9.907514110653864, 11.41890813068961, 13.023784545038868, 14.175), # 64
(14.523870428399414, 13.769667352537724, 14.03936899862826, 16.843704989711934, 15.749448500239955, 8.75, 10.407338820301785, 10.45246913580247, 16.49110339506173, 9.875673296753543, 11.4065017458536, 13.00249199817101, 14.175), # 65
(14.524592936414676, 13.721114814814818, 14.023514814814817, 16.826240277777778, 15.749801363722403, 8.75, 10.373882570806101, 10.398966666666668, 16.474605000000004, 9.844692839506173, 11.393980134680135, 12.981353086419755, 14.175), # 66
(14.524954724289511, 13.673461042524005, 14.00779890260631, 16.808749639917696, 15.749977918595382, 8.75, 10.341109545711289, 10.348782716049385, 16.458179197530864, 9.814648020118886, 11.381351677266494, 12.960398536808412, 14.175), # 67
(14.524708260273156, 13.626548095048452, 13.99216832990398, 16.7910984366613, 15.749829137416285, 8.74983761621704, 10.308921272761506, 10.301681390032009, 16.44172298811157, 9.785468618306034, 11.368400383956526, 12.939542030659641, 14.174825210048013), # 68
(14.522398389694043, 13.578943727598569, 13.976183796296295, 16.772396920289854, 15.748474945533768, 8.748553909465022, 10.27637545388526, 10.25513827160494, 16.424516975308645, 9.756328946986201, 11.35380797448166, 12.918106562703056, 14.17344039351852), # 69
(14.517840102582454, 13.5304294437807, 13.95977580589849, 16.752521973966722, 15.74579903978052, 8.746025758268557, 10.243324188385918, 10.208733424782809, 16.40646404892547, 9.727087334247829, 11.337408441136512, 12.895991865809934, 14.170705268347055), # 70
(14.511097524900102, 13.481034236028144, 13.942950120027435, 16.731502905260335, 15.74183531025579, 8.742294131992075, 10.209782323354585, 10.162482213077277, 16.387591095107457, 9.697744503079695, 11.319262319097408, 12.873214112097802, 14.166655842764062), # 71
(14.502234782608697, 13.430787096774193, 13.9257125, 16.709369021739132, 15.736617647058825, 8.737400000000001, 10.175764705882354, 10.1164, 16.367925000000003, 9.668301176470589, 11.299430143540672, 12.849789473684211, 14.161328125), # 72
(14.491316001669949, 13.379717018452144, 13.90806870713306, 16.686149630971553, 15.730179940288872, 8.73138433165676, 10.141286183060329, 10.070502149062644, 16.347492649748517, 9.63875807740929, 11.277972449642624, 12.825734122686688, 14.154758123285324), # 73
(14.478405308045566, 13.32785299349529, 13.890024502743485, 16.661874040526033, 15.722556080045187, 8.72428809632678, 10.106361601979613, 10.024804023776863, 16.3263209304984, 9.609115928884586, 11.254949772579598, 12.801064231222776, 14.146981845850483), # 74
(14.463566827697262, 13.275224014336917, 13.871585648148148, 16.636571557971017, 15.713779956427018, 8.716152263374488, 10.0710058097313, 9.979320987654322, 16.30443672839506, 9.579375453885259, 11.23042264752791, 12.775795971410007, 14.138035300925928), # 75
(14.44686468658675, 13.22185907341033, 13.852757904663925, 16.610271490874936, 15.703885459533609, 8.707017802164305, 10.035233653406493, 9.934068404206677, 16.281866929583906, 9.549537375400092, 11.20445160966389, 12.749945515365916, 14.127954496742113), # 76
(14.428363010675731, 13.167787163148816, 13.833547033607681, 16.583003146806227, 15.692906479464213, 8.696925682060662, 9.999059980096293, 9.88906163694559, 16.258638420210335, 9.519602416417872, 11.177097194163862, 12.723529035208049, 14.116775441529496), # 77
(14.408125925925928, 13.113037275985667, 13.813958796296298, 16.554795833333333, 15.680876906318085, 8.685916872427983, 9.962499636891796, 9.844316049382718, 16.23477808641975, 9.489571299927379, 11.148419936204148, 12.696562703053933, 14.10453414351852), # 78
(14.386217558299041, 13.057638404354178, 13.793998954046641, 16.525678858024694, 15.667830630194468, 8.674032342630696, 9.925567470884102, 9.799847005029722, 16.210312814357568, 9.4594447489174, 11.118480370961072, 12.669062691021107, 14.091266610939643), # 79
(14.362702033756786, 13.001619540687642, 13.773673268175584, 16.495681528448742, 15.653801541192612, 8.661313062033226, 9.888278329164315, 9.755669867398264, 16.185269490169183, 9.429223486376719, 11.087339033610965, 12.64104517122711, 14.07700885202332), # 80
(14.337643478260873, 12.945009677419357, 13.752987500000001, 16.464833152173917, 15.638823529411765, 8.6478, 9.85064705882353, 9.711800000000002, 16.159675, 9.398908235294119, 11.055056459330146, 12.612526315789475, 14.061796875), # 81
(14.311106017773009, 12.887837806982612, 13.731947410836765, 16.433163036768654, 15.622930484951183, 8.633534125895444, 9.812688506952853, 9.668252766346594, 16.133556229995428, 9.368499718658382, 11.02169318329494, 12.583522296825743, 14.045666688100141), # 82
(14.283153778254908, 12.8301329218107, 13.710558762002744, 16.400700489801395, 15.606156297910111, 8.618556409083983, 9.774417520643375, 9.625043529949703, 16.10694006630087, 9.337998659458297, 10.987309740681672, 12.554049286453447, 14.028654299554185), # 83
(14.253850885668278, 12.77192401433692, 13.688827314814816, 16.36747481884058, 15.588534858387801, 8.602907818930042, 9.735848946986202, 9.582187654320988, 16.07985339506173, 9.307405780682645, 10.951966666666667, 12.524123456790125, 14.010795717592593), # 84
(14.223261465974833, 12.713240076994557, 13.666758830589849, 16.333515331454645, 15.5701000564835, 8.58662932479805, 9.696997633072435, 9.53970050297211, 16.05232310242341, 9.276721805320209, 10.915724496426252, 12.493760979953313, 13.992126950445819), # 85
(14.191449645136279, 12.654110102216913, 13.644359070644722, 16.298851335212028, 15.550885782296458, 8.569761896052432, 9.65787842599317, 9.497597439414724, 16.024376074531325, 9.245947456359774, 10.878643765136749, 12.462978028060553, 13.97268400634431), # 86
(14.15847954911433, 12.594563082437277, 13.621633796296296, 16.26351213768116, 15.53092592592593, 8.552346502057613, 9.618506172839506, 9.455893827160494, 15.996039197530868, 9.215083456790124, 10.840785007974482, 12.43179077322937, 13.95250289351852), # 87
(14.124415303870702, 12.534628010088941, 13.598588768861456, 16.22752704643049, 15.510254377471155, 8.534424112178023, 9.578895720702548, 9.414605029721079, 15.967339357567447, 9.184130529600042, 10.802208760115779, 12.400215387577312, 13.931619620198905), # 88
(14.089321035367092, 12.474333877605204, 13.575229749657066, 16.19092536902845, 15.488905027031391, 8.516035695778085, 9.539061916673392, 9.37374641060814, 15.938303440786468, 9.153089397778317, 10.762975556736963, 12.36826804322191, 13.910070194615912), # 89
(14.053260869565218, 12.413709677419357, 13.551562500000001, 16.153736413043482, 15.466911764705886, 8.497222222222224, 9.499019607843138, 9.333333333333334, 15.908958333333336, 9.121960784313726, 10.723145933014354, 12.335964912280703, 13.887890625), # 90
(14.016298932426789, 12.352784401964689, 13.527592781207133, 16.11598948604402, 15.444308480593882, 8.478024660874867, 9.458783641302887, 9.293381161408323, 15.879330921353455, 9.090745412195057, 10.682780424124285, 12.303322166871226, 13.865116919581618), # 91
(13.978499349913523, 12.2915870436745, 13.503326354595337, 16.0777138955985, 15.421129064794641, 8.458483981100443, 9.418368864143739, 9.253905258344766, 15.84944809099223, 9.059444004411093, 10.641939565243074, 12.270355979111017, 13.841785086591221), # 92
(13.939926247987117, 12.230146594982081, 13.478768981481483, 16.038938949275366, 15.397407407407409, 8.438641152263374, 9.37779012345679, 9.214920987654322, 15.819336728395063, 9.028057283950616, 10.600683891547051, 12.23708252111761, 13.81793113425926), # 93
(13.900643752609293, 12.168492048320722, 13.453926423182445, 15.999693954643051, 15.37317739853143, 8.418537143728091, 9.337062266333147, 9.176443712848654, 15.789023719707364, 8.996585973802416, 10.559073938212535, 12.203517965008546, 13.793591070816188), # 94
(13.860715989741754, 12.106652396123724, 13.42880444101509, 15.960008219269996, 15.34847292826596, 8.398212924859017, 9.296200139863902, 9.138488797439416, 15.758535951074533, 8.96503079695527, 10.517170240415854, 12.169678482901354, 13.768800904492457), # 95
(13.820207085346219, 12.044656630824377, 13.403408796296299, 15.91991105072464, 15.32332788671024, 8.377709465020576, 9.25521859114016, 9.101071604938273, 15.727900308641976, 8.933392476397968, 10.475033333333334, 12.135580246913582, 13.74359664351852), # 96
(13.779181165384388, 11.98253374485597, 13.377745250342937, 15.879431756575416, 15.297776163963531, 8.357067733577198, 9.21413246725302, 9.064207498856883, 15.6971436785551, 8.901671735119288, 10.432723752141296, 12.101239429162758, 13.718014296124831), # 97
(13.737702355817978, 11.9203127306518, 13.35181956447188, 15.83859964439077, 15.271851650125074, 8.336328699893311, 9.17295661529358, 9.027911842706905, 15.666292946959304, 8.86986929610802, 10.390302032016068, 12.066672201766417, 13.69208987054184), # 98
(13.695834782608697, 11.858022580645162, 13.325637500000003, 15.797444021739132, 15.24558823529412, 8.315533333333335, 9.131705882352943, 8.9922, 15.635375000000002, 8.83798588235294, 10.347828708133973, 12.031894736842107, 13.665859375000002), # 99
(13.653642571718258, 11.795692287269347, 13.29920481824417, 15.755994196188944, 15.21901980956992, 8.294722603261699, 9.090395115522204, 8.957087334247829, 15.60441672382259, 8.806022216842843, 10.305364315671335, 11.996923206507354, 13.639358817729768), # 100
(13.611189849108369, 11.733350842957654, 13.272527280521263, 15.714279475308645, 15.192180263051725, 8.273937479042829, 9.049039161892468, 8.922589208962048, 15.573445004572475, 8.773979022566504, 10.262969389804478, 11.961773782879694, 13.612624206961591), # 101
(13.568540740740744, 11.67102724014337, 13.245610648148148, 15.67232916666667, 15.165103485838781, 8.253218930041154, 9.00765286855483, 8.888720987654322, 15.542486728395062, 8.741857022512711, 10.22070446570973, 11.926462638076675, 13.585691550925928), # 102
(13.525759372577088, 11.60875047125979, 13.218460682441702, 15.630172577831457, 15.137823368030341, 8.232607925621096, 8.966251082600394, 8.855498033836307, 15.511568781435757, 8.709656939670245, 10.178630078563414, 11.891005944215824, 13.558596857853223), # 103
(13.482909870579116, 11.546549528740211, 13.191083144718794, 15.587839016371445, 15.110373799725652, 8.212145435147082, 8.924848651120257, 8.822935711019662, 15.480718049839965, 8.677379497027893, 10.13680676354185, 11.855419873414677, 13.53137613597394), # 104
(13.440056360708535, 11.484453405017922, 13.163483796296298, 15.545357789855073, 15.082788671023966, 8.19187242798354, 8.883460421205521, 8.79104938271605, 15.449961419753087, 8.64502541757444, 10.095295055821373, 11.819720597790775, 13.50406539351852), # 105
(13.39726296892706, 11.42249109252622, 13.135668398491084, 15.50275820585078, 15.055101872024531, 8.171829873494895, 8.842101239947283, 8.759854412437129, 15.41932577732053, 8.612595424298663, 10.054155490578298, 11.783924289461654, 13.476700638717421), # 106
(13.3545938211964, 11.360691583698395, 13.10764271262003, 15.460069571927, 15.027347292826596, 8.152058741045574, 8.800785954436646, 8.72936616369456, 15.388838008687703, 8.580090240189355, 10.013448602988953, 11.748047120544847, 13.449317879801098), # 107
(13.312113043478263, 11.299083870967744, 13.079412500000002, 15.417321195652177, 14.999558823529412, 8.132600000000002, 8.759529411764706, 8.699600000000002, 15.358525000000002, 8.547510588235296, 9.973234928229665, 11.712105263157897, 13.421953125000002), # 108
(13.26988476173436, 11.237696946767558, 13.050983521947876, 15.374542384594738, 14.97177035423223, 8.113494619722603, 8.718346459022568, 8.670571284865114, 15.328413637402836, 8.514857191425268, 9.933575001476758, 11.676114889418335, 13.394642382544584), # 109
(13.227973101926404, 11.176559803531132, 13.022361539780524, 15.331762446323136, 14.944015775034297, 8.094783569577809, 8.677251943301325, 8.642295381801555, 15.29853080704161, 8.482130772748057, 9.894529357906551, 11.640092171443701, 13.367421660665297), # 110
(13.186442190016104, 11.11570143369176, 12.993552314814819, 15.2890106884058, 14.91632897603486, 8.076507818930043, 8.636260711692085, 8.614787654320988, 15.26890339506173, 8.449332055192448, 9.856158532695375, 11.60405328135153, 13.340326967592594), # 111
(13.14535615196517, 11.055150829682729, 12.96456160836763, 15.246316418411165, 14.888743847333174, 8.05870833714373, 8.595387611285942, 8.588063465935072, 15.239558287608595, 8.416461761747223, 9.818523061019553, 11.568014391259355, 13.313394311556928), # 112
(13.104705913184263, 10.995038066300333, 12.935464959552897, 15.203767435488858, 14.861245952243188, 8.04141767690032, 8.554736349119478, 8.562193596292849, 15.21059793576207, 8.383626631257822, 9.781693468614014, 11.5320701111062, 13.286621461180511), # 113
(13.064073257060091, 10.935956056935751, 12.906663945030267, 15.161705189788272, 14.833550696392859, 8.024596451941862, 8.514825491774811, 8.537495763307168, 15.182466649998286, 8.351441235077896, 9.745742071958476, 11.496677040958165, 13.25978557982405), # 114
(13.023338864205595, 10.877926078156266, 12.878175705790246, 15.120118307254492, 14.805570749044042, 8.008200917498272, 8.475683510268187, 8.513963715990194, 15.155174970136306, 8.319955459183308, 9.710616315997932, 11.461852615582393, 13.232809284324528), # 115
(12.982451822532688, 10.820863593808383, 12.849945065977423, 15.078932610372966, 14.777263936937292, 7.992192428201937, 8.43724674453905, 8.491532438058591, 15.128653874918964, 8.289110701829367, 9.676248303780074, 11.427532476482286, 13.205650163658248), # 116
(12.941361219953283, 10.76468406773861, 12.82191684973638, 15.038073921629142, 14.748588086813156, 7.976532338685248, 8.399451534526854, 8.47013691322902, 15.102834343089086, 8.258848361271381, 9.642570138352598, 11.39365226516125, 13.178265806801516), # 117
(12.900016144379297, 10.709302963793455, 12.794035881211714, 14.997468063508467, 14.71950102541218, 7.9611820035805945, 8.362234220171041, 8.449712125218136, 15.07764735338951, 8.229109835764664, 9.609513922763194, 11.36014762312269, 13.150613802730636), # 118
(12.858365683722639, 10.654635745819421, 12.766246984548014, 14.95704085849639, 14.689960579474912, 7.946102777520366, 8.325531141411059, 8.430193057742605, 15.053023884563062, 8.199836523564521, 9.577011760059559, 11.326954191870009, 13.122651740421906), # 119
(12.816358925895228, 10.600597877663022, 12.738494983889867, 14.916718129078353, 14.659924575741897, 7.931256015136952, 8.289278638186355, 8.41151469451908, 15.028894915352582, 8.170969822926269, 9.544995753289383, 11.294007612906617, 13.094337208851638), # 120
(12.773944958808976, 10.547104823170763, 12.710724703381864, 14.876425697739808, 14.629350840953688, 7.9166030710627435, 8.253413050436373, 8.39361201926423, 15.0051914245009, 8.142451132105215, 9.513398005500363, 11.261243527735912, 13.065627796996127), # 121
(12.731072870375797, 10.494072046189146, 12.682880967168597, 14.836089386966199, 14.598197201850828, 7.902105299930128, 8.217870718100565, 8.376420015694709, 14.981844390750846, 8.11422184935667, 9.482150619740192, 11.228597577861303, 13.036481093831679), # 122
(12.687691748507607, 10.441415010564684, 12.65490859939465, 14.795635019242972, 14.56642148517387, 7.887724056371495, 8.182587981118376, 8.359873667527177, 14.958784792845258, 8.086223372935942, 9.451185699056563, 11.19600540478619, 13.0068546883346), # 123
(12.643750681116316, 10.389049180143882, 12.62675242420462, 14.754988417055582, 14.533981517663353, 7.873420695019235, 8.147501179429248, 8.343907958478297, 14.935943609526962, 8.058397101098347, 9.420435346497168, 11.163402650013985, 12.976706169481197), # 124
(12.599198756113843, 10.33689001877325, 12.598357265743093, 14.714075402889465, 14.500835126059833, 7.859156570505739, 8.112546652972636, 8.328457872264728, 14.913251819538791, 8.030684432099187, 9.389831665109703, 11.130724955048088, 12.94599312624776), # 125
(12.553985061412101, 10.284852990299292, 12.56966794815466, 14.672821799230077, 14.466940137103851, 7.844893037463395, 8.077660741687978, 8.31345839260313, 14.890640401623585, 8.00302676419378, 9.359306757941859, 11.097907961391908, 12.91467314761061), # 126
(12.508058684923006, 10.232853558568515, 12.540629295583907, 14.63115342856286, 14.432254377535958, 7.830591450524592, 8.042779785514732, 8.298844503210164, 14.86804033452417, 7.975365495637434, 9.32879272804133, 11.064887310548842, 12.88270382254604), # 127
(12.461368714558466, 10.18080718742743, 12.51118613217543, 14.588996113373266, 14.396735674096707, 7.816213164321722, 8.007840124392336, 8.284551187802489, 14.845382596983379, 7.947642024685458, 9.298221678455814, 11.031598644022305, 12.850042740030352), # 128
(12.413864238230394, 10.128629340722538, 12.481283282073816, 14.546275676146736, 14.360341853526638, 7.801719533487173, 7.972778098260239, 8.270513430096765, 14.822598167744045, 7.919797749593164, 9.267525712233, 10.997977603315691, 12.816647489039854), # 129
(12.365494343850713, 10.076235482300353, 12.450865569423652, 14.502917939368722, 14.3230307425663, 7.7870719126533325, 7.937530047057888, 8.256666213809652, 14.799618025549002, 7.89177406861586, 9.236636932420582, 10.963959829932413, 12.78247565855085), # 130
(12.316208119331334, 10.023541076007378, 12.419877818369534, 14.458848725524668, 14.284760167956243, 7.772231656452593, 7.902032310724733, 8.24294452265781, 14.776373149141081, 7.86351238000886, 9.205487442066255, 10.929480965375875, 12.747484837539638), # 131
(12.265954652584163, 9.970461585690122, 12.388264853056045, 14.413993857100023, 14.245487956437017, 7.757160119517344, 7.8662212292002165, 8.229283340357902, 14.752794517263117, 7.834954082027471, 9.17400934421771, 10.894476651149478, 12.711632614982527), # 132
(12.21468303152113, 9.91691247519509, 12.355971497627777, 14.368279156580234, 14.205171934749162, 7.741818656479974, 7.830033142423786, 8.215617650626585, 14.728813108657938, 7.806040572927006, 9.142134741922645, 10.85888252875663, 12.674876579855821), # 133
(12.162342344054133, 9.862809208368793, 12.322942576229327, 14.321630446450746, 14.163769929633231, 7.726168621972872, 7.79340439033489, 8.201882437180522, 14.704359902068381, 7.776713250962773, 9.109795738228751, 10.822634239700733, 12.637174321135817), # 134
(12.108881678095097, 9.808067249057736, 12.289122913005274, 14.273973549197011, 14.12123976782977, 7.710171370628429, 7.756271312872975, 8.18801268373637, 14.679365876237274, 7.746913514390087, 9.07692443618372, 10.785667425485194, 12.59848342779883), # 135
(12.05425012155593, 9.752602061108423, 12.254457332100213, 14.225234287304469, 14.077539276079325, 7.693788257079036, 7.718570249977489, 8.173943374010788, 14.65376200990745, 7.716582761464252, 9.043452938835248, 10.747917727613418, 12.558761488821151), # 136
(11.998396762348548, 9.696329108367367, 12.218890657658735, 14.175338483258576, 14.032626281122448, 7.6769806359570785, 7.6802375415878785, 8.159609491720442, 14.627479281821747, 7.685662390440583, 9.009313349231029, 10.709320787588808, 12.517966093179089), # 137
(11.941270688384867, 9.639163854681073, 12.182367713825425, 14.12421195954477, 13.986458609699687, 7.6597098618949495, 7.6412095276435865, 8.144946020581987, 14.600448670722995, 7.654093799574386, 8.974437770418753, 10.66981224691477, 12.476054829848946), # 138
(11.882820987576796, 9.581021763896047, 12.144833324744877, 14.071780538648504, 13.938994088551583, 7.641937289525037, 7.601422548084064, 8.129887944312085, 14.572601155354022, 7.621818387120976, 8.938758305446116, 10.62932774709471, 12.432985287807028), # 139
(11.822996747836257, 9.521818299858795, 12.106232314561684, 14.017970043055223, 13.890190544418692, 7.623624273479732, 7.560812942848756, 8.114370246627395, 14.543867714457667, 7.588777551335661, 8.902207057360812, 10.58780292963203, 12.38871505602964), # 140
(11.761747057075162, 9.46146892641583, 12.066509507420426, 13.962706295250376, 13.840005804041555, 7.604732168391422, 7.519317051877113, 8.09832791124458, 14.514179326776754, 7.554912690473753, 8.864716129210535, 10.545173436030137, 12.34320172349308), # 141
(11.69902100320542, 9.399889107413653, 12.0256097274657, 13.90591511771941, 13.788397694160723, 7.585222328892499, 7.476871215108577, 8.081695921880296, 14.48346697105412, 7.52016520279056, 8.826217624042977, 10.501374907792433, 12.296402879173653), # 142
(11.634767674138946, 9.336994306698774, 11.983477798842097, 13.847522332947767, 13.735324041516742, 7.56505610961535, 7.4334117724825965, 8.064409262251205, 14.451661626032607, 7.484476486541395, 8.786643644905832, 10.456342986422326, 12.248276112047666), # 143
(11.56893615778766, 9.2726999881177, 11.9400585456942, 13.787453763420901, 13.680742672850162, 7.544194865192366, 7.3888750639386185, 8.04640291607397, 14.418694270455035, 7.4477879399815645, 8.745926294846791, 10.41001331342322, 12.198779011091421), # 144
(11.501475542063469, 9.20692161551694, 11.895296792166606, 13.725635231624254, 13.624611414901528, 7.5225999502559375, 7.343197429416091, 8.027611867065247, 14.384495883064238, 7.410040961366383, 8.703997676913554, 10.36232153029852, 12.14786916528122), # 145
(11.432334914878291, 9.139574652742999, 11.849137362403903, 13.661992560043277, 13.566888094411391, 7.500232719438453, 7.2963152088544625, 8.007971098941699, 14.34899744260305, 7.37117694895116, 8.660789894153808, 10.313203278551628, 12.095504163593366), # 146
(11.361463364144042, 9.070574563642383, 11.801525080550675, 13.596451571163414, 13.507530538120294, 7.477054527372301, 7.2481647421931745, 7.987415595419982, 14.312129927814308, 7.331137300991204, 8.616235049615252, 10.262594199685955, 12.041641595004167), # 147
(11.288809977772631, 8.999836812061604, 11.752404770751518, 13.528938087470117, 13.446496572768787, 7.453026728689875, 7.198682369371678, 7.965880340216761, 14.273824317440841, 7.289863415741826, 8.570265246345576, 10.210429935204898, 11.986239048489919), # 148
(11.214323843675977, 8.927276861847163, 11.701721257151021, 13.459377931448826, 13.38374402509742, 7.42811067802356, 7.147804430329418, 7.943300317048694, 14.234011590225474, 7.247296691458339, 8.522812587392474, 10.156646126611868, 11.929254113026934), # 149
(11.137954049765991, 8.852810176845571, 11.649419363893772, 13.387696925584994, 13.319230721846738, 7.402267730005749, 7.0954672650058415, 7.91961050963244, 14.192622724911054, 7.2033785263960475, 8.473809175803641, 10.101178415410269, 11.870644377591507), # 150
(11.059649683954586, 8.776352220903336, 11.59544391512436, 13.313820892364063, 13.252914489757288, 7.375459239268828, 7.041607213340397, 7.8947459016846615, 14.149588700240406, 7.15805031881027, 8.423187114626767, 10.043962443103501, 11.810367431159946), # 151
(10.979359834153682, 8.697818457866962, 11.539739734987382, 13.237675654271488, 13.184753155569618, 7.34764656044519, 6.986160615272531, 7.8686414769220185, 14.10484049495636, 7.11125346695631, 8.37087850690955, 9.984933851194974, 11.748380862708558), # 152
(10.897033588275185, 8.61712435158296, 11.482251647627416, 13.159187033792707, 13.11470454602428, 7.318791048167222, 6.929063810741687, 7.841232219061167, 14.058309087801755, 7.062929369089481, 8.316815455699683, 9.92402828118809, 11.68464226121364), # 153
(10.81262003423102, 8.534185365897834, 11.422924477189063, 13.078280853413174, 13.042726487861813, 7.288854057067317, 6.87025313968732, 7.8124531118187726, 14.009925457519413, 7.013019423465095, 8.260930064044857, 9.861181374586256, 11.6191092156515), # 154
(10.72606825993309, 8.448916964658093, 11.361703047816906, 12.99488293561833, 12.968776807822776, 7.257796941777861, 6.809664942048866, 7.782239138911491, 13.95962058285218, 6.9614650283384565, 8.203154434992767, 9.796328772892876, 11.551739314998438), # 155
(10.637327353293314, 8.361234611710243, 11.298532183655539, 12.908919102893627, 12.892813332647707, 7.225581056931246, 6.74723555776578, 7.750525284055986, 13.907325442542877, 6.9082075819648825, 8.143420671591107, 9.729406117611353, 11.48249014823076), # 156
(10.546346402223609, 8.271053770900794, 11.233356708849547, 12.820315177724513, 12.81479388907716, 7.19216775715986, 6.6829013267775075, 7.717246530968915, 13.852971015334345, 6.853188482599679, 8.08166087688757, 9.660349050245092, 11.411319304324769), # 157
(10.450553324967336, 8.176634369081162, 11.163028735463298, 12.725677414311741, 12.731153548219398, 7.155434266843955, 6.615149409299001, 7.680115733289122, 13.792326928238738, 6.794712282807602, 8.01583405355452, 9.586639389872076, 11.335080203181485), # 158
(10.335201473769764, 8.06829144743927, 11.069432945764184, 12.605568022303835, 12.62126783369428, 7.103165507209945, 6.535497868740003, 7.626098945870136, 13.700998165711002, 6.723193391738244, 7.934383709866593, 9.493907533156353, 11.235598705688274), # 159
(10.198820932866035, 7.945135419957, 10.950689341138245, 12.458008514572404, 12.482988183885514, 7.034077814466758, 6.443141247737298, 7.553838865338286, 13.576395318120113, 6.637687912608051, 7.8361633120533565, 9.380702728442985, 11.110988852451014), # 160
(10.042510876420344, 7.8079692153126565, 10.808065760674433, 12.28440150525942, 12.317750373994958, 6.94900813819844, 6.338754024409627, 7.464240746353693, 13.420161673798626, 6.5389214704393135, 7.7220383164395905, 9.248074456470599, 10.962523662746737), # 161
(9.8673704785969, 7.657595762184535, 10.642830043461695, 12.086149608506858, 12.126990179224487, 6.848793427989039, 6.223010676875733, 7.358209843576484, 13.233940521079093, 6.427619690254325, 7.592874179350069, 9.09707219797781, 10.791476155852466), # 162
(9.674498913559898, 7.494817989250934, 10.456250028588983, 11.864655438456708, 11.912143374775964, 6.734270633422602, 6.096585683254362, 7.2366514116667755, 13.019375148294069, 6.304508197075376, 7.449536357109572, 8.928745433703247, 10.599119351045232), # 163
(9.464995355473539, 7.320438825190149, 10.249593555145248, 11.621321609250947, 11.674645735851264, 6.606276704083181, 5.960153521664253, 7.100470705284697, 12.778108843776113, 6.170312615924756, 7.292890306042875, 8.744143644385526, 10.386726267602059), # 164
(9.239958978502024, 7.135261198680485, 10.024128462219437, 11.357550735031554, 11.415933037652254, 6.465648589554821, 5.814388670224151, 6.950572979090365, 12.511784895857772, 6.02575857182476, 7.123801482474756, 8.544316310763268, 10.155569924799979), # 165
(9.000488956809557, 6.940088038400237, 9.7811225889005, 11.074745429940503, 11.137441055380801, 6.313223239421572, 5.659965607052801, 6.787863487743908, 12.222046592871603, 5.871571689797677, 6.943135342729992, 8.330312913575103, 9.906923341916015), # 166
(8.747684464560333, 6.735722273027703, 9.521843774277388, 10.774308308119782, 10.840605564238773, 6.149837603267482, 5.497558810268945, 6.613247485905448, 11.91053722315016, 5.7084775948658, 6.751757343133359, 8.103182933559642, 9.642059538227196), # 167
(8.482644675918554, 6.52296683124118, 9.247559857439049, 10.457641983711365, 10.526862339428039, 5.9763286306765995, 5.327842757991326, 6.427630228235103, 11.578900075025999, 5.5372019120514215, 6.550532940009634, 7.863975851455517, 9.362251533010546), # 168
(8.206468765048422, 6.302624641718972, 8.959538677474432, 10.126149070857236, 10.197647156150468, 5.793533271232973, 5.151491928338689, 6.231916969393004, 11.228778436831673, 5.358470266376831, 6.3403275896835956, 7.613741148001342, 9.0687723455431), # 169
(7.9202559061141375, 6.0754986331393726, 8.659048073472489, 9.781232183699368, 9.854395789607928, 5.60228847452065, 4.9691807994297745, 6.027012964039266, 10.861815596899735, 5.173008282864322, 6.122006748480023, 7.353528303935743, 8.762894995101878), # 170
(7.6251052732799005, 5.842391734180682, 8.34735588452217, 9.424293936379751, 9.498544015002288, 5.403431190123678, 4.781583849383328, 5.813823466834017, 10.47965484356274, 4.981541586536184, 5.896435872723688, 7.0843867999973416, 8.445892500963913), # 171
(7.322116040709912, 5.604106873521197, 8.025729949712423, 9.056736943040356, 9.131527607535416, 5.197798367626108, 4.5893755563180925, 5.593253732437379, 10.083939465153241, 4.784795802414712, 5.664480418739371, 6.80736611692476, 8.119037882406225), # 172
(7.012387382568372, 5.3614469798392195, 7.695438108132197, 8.679963817823166, 8.754782342409182, 4.9862269566119855, 4.39323039835281, 5.366209015509473, 9.676312750003792, 4.583496555522195, 5.427005842851849, 6.523515735456615, 7.783604158705848), # 173
(6.697018473019482, 5.115214981813045, 7.357748198870443, 8.295377174870158, 8.369743994825454, 4.76955390666536, 4.193822853606226, 5.133594570710425, 9.25841798644695, 4.3783694708809255, 5.1848776013858995, 6.233885136331535, 7.440864349139807), # 174
(6.377108486227438, 4.866213808120973, 7.013928061016112, 7.904379628323315, 7.977848339986097, 4.54861616737028, 3.9918274001970815, 4.896315652700355, 8.831898462815268, 4.170140173513194, 4.938961150666297, 5.939523800288141, 7.092091472985131), # 175
(6.053756596356447, 4.615246387441302, 6.66524553365815, 7.508373792324615, 7.580531153092983, 4.324250688310793, 3.787918516244121, 4.655277516139389, 8.3983974674413, 3.959534288441294, 4.690121947017822, 5.641481208065051, 6.738558549518844), # 176
(5.7280619775707065, 4.363115648452332, 6.3129684558855095, 7.108762281016037, 7.179228209347984, 4.097294419070949, 3.582770679866088, 4.411385415687646, 7.959558288657599, 3.7472774406875144, 4.43922544676525, 5.340806840400891, 6.381538598017975), # 177
(5.401123804034416, 4.11062451983236, 5.95836466678714, 6.7069477085395635, 6.775375283952959, 3.8685843092347962, 3.3770583691817246, 4.165544606005252, 7.51702421479672, 3.5340952552741505, 4.187137106233358, 5.038550178034279, 6.022304637759553), # 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 = (
(4, 8, 6, 6, 2, 1, 1, 5, 5, 0, 0, 2, 0, 12, 5, 4, 3, 5, 7, 4, 0, 3, 4, 0, 1, 0), # 0
(16, 19, 16, 17, 8, 6, 5, 9, 8, 1, 0, 2, 0, 20, 10, 10, 8, 9, 11, 5, 2, 5, 5, 1, 1, 0), # 1
(21, 29, 25, 27, 10, 9, 10, 11, 11, 3, 1, 2, 0, 34, 21, 15, 9, 17, 14, 9, 3, 9, 9, 2, 3, 0), # 2
(27, 38, 34, 36, 17, 11, 14, 14, 17, 3, 2, 4, 0, 43, 27, 22, 13, 27, 16, 13, 6, 14, 9, 4, 6, 0), # 3
(35, 48, 42, 47, 25, 14, 16, 19, 21, 4, 6, 6, 0, 51, 35, 26, 17, 37, 16, 17, 11, 17, 11, 9, 6, 0), # 4
(43, 55, 48, 49, 32, 18, 19, 23, 24, 4, 6, 9, 0, 60, 48, 31, 24, 41, 17, 22, 14, 20, 12, 11, 7, 0), # 5
(47, 69, 57, 58, 38, 19, 25, 29, 31, 6, 10, 9, 0, 65, 57, 34, 28, 51, 24, 26, 19, 24, 14, 15, 7, 0), # 6
(56, 81, 65, 64, 45, 24, 29, 36, 36, 8, 10, 10, 0, 74, 65, 39, 35, 53, 31, 29, 20, 25, 14, 15, 10, 0), # 7
(66, 87, 72, 75, 54, 27, 33, 39, 38, 11, 10, 10, 0, 82, 74, 46, 43, 62, 37, 32, 23, 28, 16, 17, 10, 0), # 8
(78, 100, 85, 78, 61, 31, 36, 46, 43, 13, 11, 11, 0, 98, 83, 55, 47, 71, 45, 36, 26, 29, 20, 18, 12, 0), # 9
(88, 110, 101, 91, 70, 34, 38, 53, 45, 15, 13, 11, 0, 109, 97, 62, 53, 79, 51, 39, 27, 33, 22, 21, 13, 0), # 10
(97, 121, 109, 98, 78, 36, 43, 56, 49, 16, 15, 11, 0, 124, 105, 70, 66, 86, 56, 42, 31, 39, 27, 23, 15, 0), # 11
(112, 132, 115, 107, 89, 43, 44, 60, 55, 18, 19, 13, 0, 135, 113, 75, 74, 100, 62, 47, 35, 42, 31, 25, 17, 0), # 12
(123, 141, 126, 114, 101, 50, 51, 64, 61, 19, 19, 13, 0, 146, 123, 88, 83, 114, 69, 55, 37, 45, 36, 26, 19, 0), # 13
(132, 152, 134, 127, 108, 57, 55, 73, 66, 21, 23, 14, 0, 160, 131, 95, 88, 126, 75, 62, 40, 47, 38, 27, 20, 0), # 14
(143, 166, 142, 139, 120, 63, 61, 75, 71, 25, 23, 14, 0, 173, 141, 98, 95, 137, 84, 71, 42, 54, 41, 32, 20, 0), # 15
(153, 187, 156, 143, 130, 72, 66, 79, 76, 27, 25, 16, 0, 182, 152, 109, 104, 142, 90, 75, 48, 56, 45, 34, 20, 0), # 16
(166, 203, 163, 155, 141, 76, 72, 83, 81, 28, 25, 18, 0, 204, 163, 119, 115, 160, 98, 82, 50, 62, 50, 36, 21, 0), # 17
(175, 224, 175, 163, 149, 80, 83, 91, 88, 31, 27, 19, 0, 217, 181, 128, 123, 168, 107, 90, 53, 67, 55, 40, 23, 0), # 18
(189, 234, 185, 176, 155, 83, 88, 97, 94, 32, 29, 22, 0, 229, 188, 144, 131, 186, 117, 93, 56, 71, 62, 41, 24, 0), # 19
(204, 245, 200, 187, 165, 87, 92, 102, 98, 35, 31, 23, 0, 239, 204, 161, 140, 194, 121, 98, 63, 79, 64, 45, 25, 0), # 20
(220, 258, 214, 198, 176, 91, 104, 108, 105, 38, 32, 26, 0, 262, 214, 177, 148, 205, 129, 101, 65, 88, 68, 50, 26, 0), # 21
(235, 273, 223, 211, 189, 95, 110, 117, 114, 41, 33, 26, 0, 282, 226, 182, 158, 221, 136, 105, 69, 93, 70, 54, 27, 0), # 22
(251, 280, 237, 226, 203, 103, 114, 121, 122, 42, 36, 27, 0, 303, 239, 189, 167, 240, 144, 107, 73, 99, 74, 57, 28, 0), # 23
(269, 293, 244, 244, 219, 109, 119, 126, 126, 46, 41, 28, 0, 322, 249, 200, 175, 254, 153, 114, 78, 107, 79, 59, 30, 0), # 24
(286, 315, 257, 264, 232, 114, 128, 131, 132, 46, 43, 28, 0, 334, 254, 209, 178, 273, 163, 120, 82, 110, 82, 60, 30, 0), # 25
(299, 331, 278, 286, 238, 117, 132, 136, 138, 50, 44, 30, 0, 349, 264, 218, 183, 279, 168, 124, 87, 116, 83, 63, 31, 0), # 26
(309, 353, 285, 299, 250, 120, 137, 139, 145, 53, 46, 30, 0, 365, 273, 232, 188, 293, 174, 127, 94, 122, 87, 65, 32, 0), # 27
(317, 373, 291, 309, 265, 122, 141, 146, 148, 54, 47, 32, 0, 381, 288, 242, 196, 305, 182, 134, 98, 126, 91, 69, 33, 0), # 28
(329, 382, 301, 322, 281, 127, 146, 155, 151, 55, 49, 33, 0, 393, 300, 249, 202, 315, 190, 143, 104, 129, 93, 73, 34, 0), # 29
(342, 395, 309, 334, 287, 135, 149, 159, 157, 56, 49, 37, 0, 407, 324, 257, 211, 326, 196, 153, 112, 134, 97, 74, 35, 0), # 30
(353, 411, 322, 346, 300, 141, 156, 162, 161, 58, 52, 40, 0, 414, 339, 263, 219, 338, 203, 160, 114, 146, 104, 77, 36, 0), # 31
(367, 420, 347, 356, 314, 145, 158, 166, 168, 62, 54, 41, 0, 424, 349, 276, 232, 347, 208, 169, 115, 150, 109, 78, 38, 0), # 32
(378, 438, 354, 374, 325, 151, 162, 175, 173, 65, 55, 43, 0, 442, 362, 283, 241, 358, 214, 171, 119, 157, 113, 83, 38, 0), # 33
(390, 455, 361, 391, 336, 157, 164, 184, 178, 68, 58, 44, 0, 452, 369, 299, 250, 378, 222, 180, 121, 166, 115, 85, 40, 0), # 34
(408, 473, 376, 404, 350, 160, 167, 191, 184, 73, 59, 44, 0, 462, 378, 307, 259, 389, 230, 187, 124, 174, 116, 87, 42, 0), # 35
(422, 486, 394, 416, 356, 165, 171, 196, 192, 75, 61, 45, 0, 477, 395, 314, 264, 400, 237, 193, 125, 180, 122, 89, 42, 0), # 36
(436, 496, 411, 433, 367, 169, 179, 201, 195, 76, 65, 46, 0, 487, 411, 320, 268, 412, 240, 202, 127, 182, 129, 94, 42, 0), # 37
(451, 508, 429, 448, 372, 176, 182, 208, 204, 79, 66, 52, 0, 502, 420, 329, 277, 422, 248, 209, 131, 186, 134, 96, 43, 0), # 38
(464, 527, 444, 460, 381, 181, 187, 214, 211, 82, 68, 53, 0, 519, 438, 338, 283, 436, 255, 214, 135, 190, 141, 99, 47, 0), # 39
(475, 537, 454, 463, 394, 188, 199, 218, 216, 86, 71, 55, 0, 538, 455, 348, 288, 455, 260, 222, 138, 195, 148, 104, 48, 0), # 40
(489, 551, 464, 474, 406, 196, 206, 228, 221, 87, 73, 57, 0, 551, 462, 357, 293, 466, 267, 226, 139, 197, 152, 109, 50, 0), # 41
(511, 560, 475, 488, 423, 204, 211, 235, 226, 89, 74, 58, 0, 565, 471, 366, 297, 475, 270, 229, 144, 206, 157, 111, 52, 0), # 42
(531, 574, 488, 500, 440, 210, 218, 238, 231, 90, 79, 59, 0, 584, 479, 375, 304, 489, 274, 242, 149, 210, 162, 113, 52, 0), # 43
(542, 588, 495, 505, 445, 211, 221, 244, 235, 92, 81, 59, 0, 601, 494, 380, 312, 503, 285, 246, 151, 215, 163, 115, 54, 0), # 44
(561, 597, 505, 517, 451, 221, 223, 248, 243, 95, 82, 60, 0, 614, 508, 389, 316, 517, 292, 249, 153, 225, 165, 115, 55, 0), # 45
(579, 615, 519, 526, 460, 229, 230, 251, 248, 97, 84, 60, 0, 622, 521, 397, 324, 529, 293, 251, 154, 226, 166, 117, 55, 0), # 46
(596, 627, 532, 544, 472, 232, 234, 259, 252, 98, 85, 61, 0, 648, 531, 410, 333, 547, 299, 253, 159, 234, 171, 123, 56, 0), # 47
(610, 643, 548, 563, 477, 235, 241, 265, 254, 100, 87, 62, 0, 663, 540, 419, 343, 557, 308, 258, 164, 238, 177, 126, 57, 0), # 48
(621, 655, 554, 577, 488, 238, 247, 267, 258, 103, 90, 62, 0, 673, 554, 426, 353, 567, 315, 267, 168, 244, 181, 127, 58, 0), # 49
(633, 670, 565, 588, 494, 244, 249, 273, 263, 105, 93, 62, 0, 693, 571, 431, 363, 577, 319, 274, 172, 249, 186, 128, 59, 0), # 50
(647, 673, 575, 599, 505, 248, 256, 276, 270, 106, 94, 63, 0, 707, 583, 442, 367, 591, 323, 277, 174, 253, 191, 128, 60, 0), # 51
(655, 681, 587, 611, 510, 252, 262, 280, 278, 113, 95, 65, 0, 721, 600, 453, 375, 599, 329, 282, 176, 255, 198, 128, 62, 0), # 52
(668, 693, 597, 627, 519, 259, 269, 282, 288, 114, 99, 66, 0, 732, 611, 464, 383, 609, 335, 289, 181, 262, 198, 133, 63, 0), # 53
(685, 708, 608, 641, 530, 266, 274, 282, 293, 115, 99, 67, 0, 747, 617, 479, 390, 615, 344, 294, 183, 268, 203, 137, 64, 0), # 54
(699, 723, 622, 649, 541, 272, 280, 286, 298, 116, 103, 67, 0, 759, 628, 491, 397, 625, 348, 303, 186, 274, 209, 138, 66, 0), # 55
(714, 733, 631, 660, 548, 274, 286, 290, 309, 118, 104, 68, 0, 781, 641, 504, 408, 633, 355, 308, 190, 279, 215, 140, 68, 0), # 56
(726, 747, 636, 672, 557, 280, 293, 294, 315, 120, 107, 69, 0, 787, 652, 511, 416, 646, 366, 315, 197, 287, 216, 143, 71, 0), # 57
(752, 752, 644, 688, 564, 285, 297, 298, 320, 123, 111, 70, 0, 797, 672, 521, 423, 653, 372, 320, 203, 292, 218, 147, 71, 0), # 58
(759, 768, 653, 704, 573, 288, 303, 300, 327, 125, 114, 72, 0, 809, 688, 534, 430, 666, 376, 324, 206, 301, 221, 151, 72, 0), # 59
(778, 782, 662, 717, 582, 291, 308, 302, 331, 127, 114, 72, 0, 817, 700, 545, 436, 677, 378, 328, 211, 307, 225, 154, 74, 0), # 60
(792, 795, 670, 729, 588, 295, 312, 309, 334, 128, 114, 75, 0, 832, 713, 553, 445, 690, 383, 331, 214, 315, 227, 159, 74, 0), # 61
(805, 812, 689, 742, 596, 297, 317, 311, 342, 133, 116, 77, 0, 846, 725, 566, 456, 702, 386, 335, 220, 321, 232, 164, 74, 0), # 62
(826, 823, 703, 755, 608, 301, 323, 318, 352, 136, 121, 78, 0, 854, 735, 574, 459, 715, 388, 335, 224, 331, 236, 165, 74, 0), # 63
(842, 834, 717, 770, 613, 306, 332, 322, 355, 142, 121, 80, 0, 866, 744, 587, 467, 725, 398, 340, 226, 338, 240, 165, 78, 0), # 64
(861, 842, 726, 783, 620, 308, 338, 327, 363, 145, 126, 82, 0, 880, 759, 597, 476, 736, 403, 348, 230, 343, 244, 165, 79, 0), # 65
(873, 860, 736, 793, 633, 313, 340, 331, 367, 148, 130, 82, 0, 889, 770, 610, 481, 750, 415, 352, 235, 351, 246, 165, 79, 0), # 66
(886, 875, 748, 804, 642, 324, 349, 332, 374, 152, 131, 84, 0, 903, 781, 619, 490, 767, 421, 355, 239, 356, 248, 165, 79, 0), # 67
(897, 886, 760, 809, 649, 327, 353, 335, 385, 156, 135, 85, 0, 918, 794, 633, 494, 783, 427, 363, 242, 363, 252, 174, 80, 0), # 68
(918, 898, 776, 817, 659, 338, 357, 337, 394, 158, 140, 85, 0, 935, 803, 643, 501, 799, 431, 369, 248, 365, 256, 177, 80, 0), # 69
(932, 910, 786, 832, 667, 343, 362, 340, 404, 159, 141, 85, 0, 946, 817, 649, 508, 812, 437, 374, 252, 368, 260, 178, 80, 0), # 70
(945, 918, 794, 842, 677, 346, 367, 345, 408, 161, 145, 87, 0, 962, 823, 655, 516, 820, 439, 380, 253, 372, 263, 180, 82, 0), # 71
(953, 934, 802, 851, 687, 353, 372, 350, 408, 165, 148, 90, 0, 971, 838, 664, 532, 838, 446, 383, 258, 375, 266, 181, 85, 0), # 72
(967, 944, 808, 860, 697, 358, 379, 351, 415, 168, 151, 92, 0, 982, 851, 678, 544, 844, 455, 388, 261, 383, 274, 183, 86, 0), # 73
(983, 955, 825, 873, 708, 362, 383, 355, 418, 169, 153, 92, 0, 998, 868, 689, 551, 858, 460, 393, 263, 387, 282, 185, 86, 0), # 74
(998, 975, 839, 878, 720, 365, 386, 358, 422, 171, 154, 92, 0, 1016, 880, 696, 562, 867, 465, 397, 268, 392, 284, 186, 87, 0), # 75
(1016, 986, 851, 893, 733, 369, 394, 362, 424, 175, 159, 94, 0, 1026, 898, 704, 569, 876, 475, 401, 271, 397, 289, 188, 90, 0), # 76
(1033, 1001, 861, 908, 740, 380, 405, 367, 427, 176, 160, 96, 0, 1034, 909, 714, 580, 884, 478, 402, 275, 405, 293, 190, 91, 0), # 77
(1046, 1012, 871, 921, 753, 387, 412, 375, 434, 177, 162, 96, 0, 1047, 921, 728, 587, 899, 484, 407, 280, 406, 298, 192, 93, 0), # 78
(1064, 1029, 887, 934, 760, 395, 415, 378, 439, 179, 165, 98, 0, 1059, 932, 739, 590, 912, 484, 414, 285, 413, 304, 195, 94, 0), # 79
(1083, 1045, 902, 950, 769, 402, 419, 384, 443, 183, 170, 99, 0, 1074, 946, 746, 598, 926, 493, 419, 289, 417, 307, 199, 95, 0), # 80
(1101, 1060, 911, 963, 775, 404, 423, 387, 450, 184, 172, 102, 0, 1082, 956, 756, 610, 929, 499, 425, 291, 420, 311, 204, 96, 0), # 81
(1112, 1070, 925, 971, 784, 409, 430, 390, 455, 188, 174, 103, 0, 1103, 966, 764, 618, 938, 507, 433, 295, 425, 315, 205, 99, 0), # 82
(1126, 1080, 942, 984, 797, 418, 435, 397, 464, 190, 175, 105, 0, 1115, 978, 777, 626, 951, 511, 438, 298, 429, 317, 206, 100, 0), # 83
(1141, 1101, 953, 1002, 805, 425, 437, 401, 465, 191, 175, 106, 0, 1133, 989, 784, 634, 960, 517, 444, 298, 433, 321, 209, 101, 0), # 84
(1152, 1109, 970, 1017, 817, 431, 443, 402, 474, 193, 176, 109, 0, 1150, 1002, 796, 639, 970, 523, 448, 300, 436, 323, 211, 102, 0), # 85
(1166, 1122, 985, 1028, 822, 436, 446, 410, 481, 194, 176, 114, 0, 1157, 1022, 802, 646, 985, 529, 450, 304, 441, 326, 215, 103, 0), # 86
(1183, 1141, 993, 1038, 830, 439, 447, 414, 482, 197, 176, 115, 0, 1168, 1039, 817, 652, 1002, 534, 454, 308, 450, 330, 221, 104, 0), # 87
(1196, 1156, 1002, 1051, 843, 440, 452, 422, 486, 201, 178, 115, 0, 1178, 1052, 828, 657, 1011, 537, 455, 310, 455, 337, 224, 105, 0), # 88
(1216, 1172, 1016, 1073, 854, 443, 458, 427, 490, 201, 179, 116, 0, 1196, 1063, 839, 665, 1027, 542, 457, 320, 459, 339, 225, 105, 0), # 89
(1235, 1183, 1024, 1079, 863, 446, 464, 429, 496, 203, 179, 116, 0, 1210, 1078, 851, 673, 1037, 548, 463, 325, 468, 346, 228, 106, 0), # 90
(1245, 1196, 1039, 1087, 870, 453, 467, 431, 502, 205, 180, 118, 0, 1225, 1088, 860, 678, 1052, 549, 468, 327, 470, 347, 229, 108, 0), # 91
(1255, 1209, 1050, 1096, 883, 458, 472, 436, 510, 206, 181, 119, 0, 1244, 1098, 868, 684, 1057, 558, 473, 329, 474, 351, 229, 108, 0), # 92
(1265, 1220, 1061, 1109, 887, 461, 473, 440, 514, 211, 185, 120, 0, 1252, 1110, 877, 692, 1075, 565, 478, 331, 480, 358, 231, 108, 0), # 93
(1278, 1225, 1070, 1115, 895, 466, 480, 445, 520, 211, 185, 121, 0, 1263, 1116, 892, 702, 1085, 573, 486, 335, 484, 361, 238, 109, 0), # 94
(1299, 1229, 1079, 1127, 903, 473, 484, 448, 527, 217, 186, 123, 0, 1274, 1136, 900, 710, 1095, 573, 489, 339, 489, 364, 240, 109, 0), # 95
(1304, 1240, 1086, 1140, 918, 476, 489, 453, 532, 219, 187, 127, 0, 1291, 1145, 910, 718, 1101, 577, 493, 344, 493, 366, 245, 109, 0), # 96
(1323, 1246, 1096, 1152, 933, 479, 493, 454, 537, 223, 188, 127, 0, 1305, 1151, 919, 722, 1113, 584, 499, 348, 497, 371, 248, 110, 0), # 97
(1338, 1260, 1102, 1168, 944, 487, 497, 460, 544, 225, 188, 128, 0, 1322, 1159, 927, 733, 1122, 587, 501, 349, 500, 372, 250, 110, 0), # 98
(1352, 1273, 1113, 1179, 961, 492, 501, 462, 550, 230, 189, 129, 0, 1339, 1170, 945, 745, 1139, 590, 505, 356, 507, 375, 253, 110, 0), # 99
(1362, 1288, 1124, 1196, 973, 497, 506, 468, 552, 231, 190, 129, 0, 1356, 1180, 964, 753, 1149, 596, 509, 361, 514, 377, 258, 110, 0), # 100
(1375, 1304, 1132, 1204, 980, 501, 513, 472, 558, 232, 190, 129, 0, 1370, 1188, 975, 759, 1161, 604, 512, 363, 518, 380, 258, 111, 0), # 101
(1388, 1320, 1137, 1210, 990, 505, 517, 477, 559, 232, 194, 130, 0, 1382, 1199, 983, 764, 1170, 611, 516, 366, 524, 383, 260, 114, 0), # 102
(1404, 1331, 1147, 1223, 1003, 510, 523, 483, 564, 233, 195, 131, 0, 1395, 1212, 994, 773, 1183, 614, 521, 369, 527, 387, 261, 115, 0), # 103
(1414, 1344, 1163, 1232, 1016, 515, 527, 485, 567, 235, 197, 132, 0, 1412, 1222, 997, 783, 1191, 618, 524, 372, 532, 391, 264, 116, 0), # 104
(1430, 1358, 1174, 1248, 1031, 519, 532, 490, 576, 235, 198, 132, 0, 1421, 1236, 1007, 792, 1201, 618, 531, 378, 537, 394, 265, 117, 0), # 105
(1445, 1374, 1184, 1260, 1037, 524, 535, 491, 581, 236, 198, 133, 0, 1430, 1245, 1017, 798, 1208, 623, 538, 384, 550, 401, 268, 117, 0), # 106
(1454, 1387, 1194, 1274, 1049, 528, 543, 494, 587, 241, 200, 134, 0, 1446, 1261, 1025, 804, 1218, 629, 545, 390, 554, 404, 270, 119, 0), # 107
(1470, 1402, 1202, 1279, 1056, 537, 546, 498, 593, 241, 202, 134, 0, 1459, 1273, 1030, 808, 1231, 631, 547, 390, 558, 408, 271, 119, 0), # 108
(1481, 1411, 1214, 1290, 1064, 541, 553, 503, 598, 243, 202, 134, 0, 1473, 1279, 1036, 810, 1237, 635, 551, 393, 561, 416, 272, 119, 0), # 109
(1498, 1422, 1227, 1306, 1077, 546, 557, 505, 604, 243, 202, 136, 0, 1482, 1292, 1046, 814, 1246, 640, 556, 396, 567, 418, 273, 119, 0), # 110
(1515, 1435, 1234, 1313, 1084, 551, 559, 509, 608, 245, 203, 136, 0, 1492, 1303, 1057, 823, 1256, 644, 560, 398, 572, 422, 278, 119, 0), # 111
(1528, 1448, 1245, 1318, 1091, 554, 562, 510, 614, 246, 205, 138, 0, 1500, 1318, 1062, 831, 1264, 650, 564, 399, 575, 425, 279, 121, 0), # 112
(1538, 1459, 1252, 1329, 1100, 556, 567, 512, 620, 247, 207, 141, 0, 1520, 1326, 1067, 835, 1274, 653, 566, 406, 578, 429, 281, 121, 0), # 113
(1551, 1471, 1264, 1337, 1110, 560, 572, 512, 623, 249, 209, 141, 0, 1525, 1341, 1075, 841, 1289, 656, 574, 407, 583, 432, 281, 121, 0), # 114
(1560, 1478, 1271, 1343, 1125, 569, 574, 518, 628, 253, 210, 144, 0, 1535, 1358, 1086, 844, 1302, 662, 579, 411, 589, 438, 281, 121, 0), # 115
(1571, 1490, 1280, 1355, 1129, 573, 580, 521, 632, 257, 212, 144, 0, 1546, 1375, 1093, 849, 1310, 667, 582, 414, 596, 439, 281, 121, 0), # 116
(1578, 1501, 1290, 1367, 1142, 576, 582, 522, 638, 260, 215, 145, 0, 1558, 1385, 1103, 850, 1324, 671, 587, 421, 599, 442, 285, 122, 0), # 117
(1589, 1512, 1298, 1375, 1153, 581, 585, 524, 639, 263, 215, 146, 0, 1570, 1400, 1111, 854, 1338, 674, 588, 428, 603, 446, 286, 125, 0), # 118
(1597, 1521, 1308, 1385, 1161, 586, 586, 527, 644, 264, 217, 147, 0, 1585, 1412, 1117, 859, 1351, 680, 591, 432, 608, 450, 287, 127, 0), # 119
(1611, 1533, 1318, 1398, 1168, 593, 591, 529, 650, 269, 218, 147, 0, 1601, 1427, 1120, 867, 1357, 683, 595, 434, 611, 453, 290, 129, 0), # 120
(1625, 1536, 1330, 1407, 1181, 598, 598, 533, 654, 270, 220, 150, 0, 1613, 1439, 1127, 874, 1365, 686, 596, 437, 619, 453, 291, 129, 0), # 121
(1634, 1546, 1339, 1415, 1189, 602, 604, 537, 663, 275, 223, 153, 0, 1622, 1448, 1136, 882, 1372, 693, 599, 438, 623, 457, 292, 130, 0), # 122
(1648, 1555, 1348, 1427, 1196, 605, 612, 540, 666, 277, 225, 153, 0, 1633, 1457, 1146, 890, 1381, 699, 602, 444, 632, 462, 293, 130, 0), # 123
(1654, 1562, 1359, 1442, 1205, 611, 617, 544, 673, 278, 227, 153, 0, 1647, 1472, 1153, 894, 1393, 705, 607, 447, 637, 466, 293, 130, 0), # 124
(1665, 1565, 1368, 1453, 1216, 614, 626, 546, 678, 279, 230, 154, 0, 1655, 1481, 1163, 902, 1401, 707, 610, 454, 641, 470, 296, 130, 0), # 125
(1676, 1571, 1379, 1464, 1224, 617, 629, 549, 683, 279, 232, 155, 0, 1670, 1489, 1171, 907, 1417, 712, 611, 457, 646, 473, 298, 133, 0), # 126
(1686, 1579, 1389, 1472, 1236, 618, 633, 552, 691, 280, 233, 157, 0, 1681, 1501, 1178, 910, 1427, 717, 613, 458, 649, 477, 302, 133, 0), # 127
(1697, 1592, 1402, 1483, 1251, 621, 636, 555, 695, 282, 236, 159, 0, 1695, 1513, 1184, 916, 1433, 720, 617, 461, 653, 483, 304, 134, 0), # 128
(1711, 1600, 1417, 1492, 1259, 630, 640, 564, 700, 285, 238, 160, 0, 1706, 1524, 1194, 922, 1446, 724, 620, 465, 660, 486, 307, 135, 0), # 129
(1725, 1606, 1424, 1502, 1266, 637, 643, 566, 705, 285, 243, 160, 0, 1725, 1530, 1201, 924, 1458, 730, 625, 470, 663, 491, 309, 135, 0), # 130
(1741, 1613, 1438, 1510, 1273, 640, 644, 567, 709, 285, 247, 162, 0, 1741, 1542, 1207, 935, 1472, 742, 629, 472, 669, 497, 312, 136, 0), # 131
(1750, 1617, 1447, 1517, 1283, 642, 649, 568, 713, 287, 250, 163, 0, 1755, 1553, 1215, 942, 1482, 745, 635, 475, 670, 499, 313, 137, 0), # 132
(1764, 1625, 1456, 1522, 1295, 647, 652, 571, 719, 287, 250, 164, 0, 1768, 1563, 1223, 951, 1486, 745, 636, 479, 675, 502, 314, 139, 0), # 133
(1771, 1633, 1463, 1529, 1311, 652, 654, 572, 725, 288, 253, 166, 0, 1779, 1577, 1227, 954, 1497, 747, 643, 485, 685, 504, 316, 140, 0), # 134
(1781, 1640, 1472, 1539, 1321, 653, 658, 577, 728, 288, 255, 166, 0, 1796, 1587, 1234, 963, 1510, 754, 644, 490, 689, 508, 317, 140, 0), # 135
(1792, 1649, 1481, 1555, 1328, 656, 658, 580, 736, 290, 259, 166, 0, 1804, 1598, 1241, 972, 1527, 757, 650, 493, 692, 510, 320, 141, 0), # 136
(1812, 1655, 1492, 1563, 1335, 660, 661, 586, 739, 291, 260, 167, 0, 1817, 1611, 1250, 977, 1536, 762, 655, 498, 696, 515, 321, 142, 0), # 137
(1818, 1659, 1503, 1569, 1341, 663, 665, 590, 745, 292, 264, 168, 0, 1838, 1620, 1259, 982, 1549, 766, 661, 499, 699, 519, 325, 143, 0), # 138
(1828, 1668, 1516, 1580, 1349, 671, 668, 599, 752, 294, 264, 169, 0, 1856, 1635, 1274, 983, 1558, 770, 664, 504, 702, 522, 327, 143, 0), # 139
(1834, 1677, 1523, 1591, 1358, 674, 672, 605, 753, 295, 265, 170, 0, 1874, 1645, 1277, 986, 1567, 772, 669, 510, 706, 526, 330, 143, 0), # 140
(1842, 1687, 1535, 1600, 1366, 676, 673, 606, 758, 298, 268, 171, 0, 1890, 1664, 1284, 992, 1575, 778, 673, 512, 713, 530, 331, 143, 0), # 141
(1849, 1693, 1546, 1613, 1380, 683, 673, 610, 764, 302, 270, 171, 0, 1903, 1672, 1288, 999, 1587, 781, 676, 517, 716, 533, 335, 145, 0), # 142
(1856, 1699, 1558, 1622, 1387, 686, 677, 612, 767, 303, 270, 171, 0, 1915, 1675, 1298, 1003, 1598, 784, 680, 517, 719, 535, 338, 146, 0), # 143
(1865, 1704, 1572, 1631, 1395, 689, 678, 615, 771, 304, 271, 171, 0, 1921, 1687, 1306, 1008, 1609, 789, 684, 520, 724, 536, 339, 147, 0), # 144
(1882, 1708, 1586, 1637, 1406, 692, 679, 618, 775, 305, 273, 171, 0, 1933, 1699, 1311, 1013, 1616, 794, 688, 522, 724, 539, 340, 147, 0), # 145
(1903, 1715, 1592, 1650, 1410, 696, 683, 625, 778, 306, 275, 172, 0, 1944, 1710, 1316, 1017, 1627, 796, 691, 526, 727, 546, 341, 147, 0), # 146
(1912, 1723, 1601, 1665, 1421, 700, 686, 629, 779, 307, 276, 174, 0, 1953, 1723, 1322, 1020, 1638, 802, 694, 530, 734, 549, 344, 148, 0), # 147
(1926, 1729, 1609, 1675, 1431, 709, 687, 632, 783, 311, 277, 174, 0, 1964, 1735, 1329, 1023, 1645, 808, 697, 534, 741, 551, 349, 148, 0), # 148
(1936, 1733, 1617, 1686, 1438, 713, 688, 636, 788, 312, 280, 174, 0, 1972, 1743, 1334, 1028, 1658, 813, 703, 539, 747, 553, 351, 148, 0), # 149
(1947, 1742, 1624, 1699, 1451, 717, 688, 639, 793, 313, 281, 174, 0, 1980, 1755, 1339, 1035, 1669, 817, 705, 540, 749, 555, 353, 148, 0), # 150
(1957, 1754, 1640, 1705, 1461, 723, 693, 645, 799, 314, 282, 176, 0, 1991, 1762, 1346, 1041, 1678, 822, 707, 544, 751, 557, 354, 148, 0), # 151
(1970, 1767, 1652, 1714, 1467, 732, 696, 649, 804, 315, 284, 177, 0, 2007, 1776, 1349, 1046, 1693, 826, 712, 548, 753, 560, 358, 149, 0), # 152
(1978, 1781, 1658, 1723, 1478, 737, 699, 650, 808, 317, 284, 179, 0, 2011, 1786, 1360, 1050, 1702, 831, 715, 549, 756, 565, 359, 150, 0), # 153
(1984, 1792, 1667, 1731, 1489, 738, 704, 656, 814, 320, 288, 179, 0, 2025, 1795, 1370, 1054, 1714, 833, 720, 552, 761, 568, 361, 150, 0), # 154
(1993, 1803, 1677, 1734, 1500, 738, 710, 659, 816, 322, 291, 180, 0, 2042, 1797, 1378, 1057, 1720, 836, 722, 557, 765, 571, 361, 151, 0), # 155
(2006, 1813, 1681, 1751, 1511, 742, 712, 664, 819, 323, 292, 182, 0, 2052, 1807, 1385, 1061, 1730, 840, 728, 560, 773, 574, 364, 151, 0), # 156
(2016, 1822, 1691, 1763, 1517, 746, 714, 668, 824, 324, 293, 182, 0, 2063, 1817, 1391, 1066, 1740, 845, 733, 562, 779, 577, 366, 152, 0), # 157
(2029, 1825, 1698, 1783, 1528, 754, 716, 669, 829, 324, 293, 184, 0, 2076, 1829, 1397, 1077, 1753, 850, 733, 567, 783, 582, 367, 152, 0), # 158
(2044, 1835, 1708, 1792, 1536, 757, 721, 672, 832, 325, 294, 185, 0, 2087, 1834, 1401, 1084, 1770, 853, 738, 572, 788, 587, 367, 152, 0), # 159
(2053, 1849, 1716, 1799, 1551, 764, 722, 675, 836, 329, 295, 185, 0, 2103, 1838, 1408, 1090, 1781, 857, 741, 573, 790, 589, 369, 152, 0), # 160
(2063, 1857, 1728, 1806, 1564, 766, 728, 680, 837, 330, 295, 186, 0, 2113, 1848, 1417, 1095, 1793, 862, 744, 577, 793, 592, 370, 153, 0), # 161
(2074, 1868, 1743, 1819, 1577, 767, 732, 683, 838, 332, 296, 186, 0, 2121, 1852, 1426, 1097, 1801, 866, 745, 578, 797, 597, 371, 156, 0), # 162
(2089, 1872, 1752, 1827, 1581, 769, 734, 685, 843, 333, 296, 187, 0, 2134, 1859, 1435, 1101, 1808, 870, 745, 581, 800, 601, 372, 157, 0), # 163
(2095, 1878, 1761, 1841, 1590, 772, 738, 688, 847, 334, 298, 187, 0, 2144, 1864, 1440, 1103, 1817, 871, 751, 582, 802, 606, 375, 158, 0), # 164
(2104, 1884, 1771, 1850, 1603, 775, 743, 691, 849, 335, 299, 187, 0, 2149, 1869, 1447, 1107, 1825, 877, 754, 584, 806, 606, 377, 159, 0), # 165
(2114, 1889, 1779, 1854, 1615, 777, 746, 696, 856, 337, 300, 187, 0, 2155, 1877, 1449, 1112, 1830, 880, 761, 587, 808, 610, 381, 160, 0), # 166
(2126, 1892, 1785, 1865, 1619, 784, 748, 701, 859, 340, 300, 187, 0, 2171, 1883, 1454, 1113, 1839, 885, 762, 589, 814, 614, 382, 160, 0), # 167
(2133, 1898, 1790, 1872, 1624, 787, 750, 707, 862, 345, 302, 188, 0, 2179, 1888, 1459, 1117, 1847, 886, 766, 589, 814, 617, 385, 160, 0), # 168
(2135, 1903, 1795, 1878, 1632, 788, 752, 708, 866, 345, 304, 188, 0, 2183, 1899, 1466, 1119, 1853, 889, 770, 590, 818, 619, 389, 162, 0), # 169
(2146, 1909, 1804, 1883, 1640, 790, 757, 711, 869, 345, 305, 188, 0, 2192, 1905, 1471, 1128, 1857, 890, 772, 595, 822, 623, 390, 163, 0), # 170
(2158, 1914, 1808, 1890, 1646, 796, 762, 713, 871, 346, 306, 188, 0, 2200, 1913, 1473, 1134, 1866, 892, 775, 595, 827, 624, 391, 164, 0), # 171
(2166, 1917, 1815, 1895, 1648, 797, 764, 714, 876, 347, 306, 188, 0, 2206, 1915, 1478, 1137, 1872, 895, 778, 599, 830, 627, 392, 164, 0), # 172
(2176, 1922, 1823, 1900, 1661, 800, 765, 718, 879, 348, 306, 188, 0, 2211, 1923, 1484, 1141, 1875, 897, 781, 603, 833, 632, 394, 166, 0), # 173
(2183, 1926, 1824, 1909, 1672, 803, 767, 719, 879, 348, 308, 188, 0, 2216, 1930, 1495, 1145, 1879, 900, 783, 603, 835, 632, 394, 166, 0), # 174
(2188, 1930, 1830, 1914, 1677, 804, 769, 721, 888, 348, 309, 188, 0, 2225, 1933, 1497, 1147, 1885, 902, 783, 605, 836, 635, 398, 167, 0), # 175
(2196, 1933, 1832, 1923, 1684, 808, 771, 722, 888, 349, 312, 188, 0, 2232, 1940, 1500, 1149, 1888, 905, 786, 607, 837, 637, 400, 167, 0), # 176
(2205, 1936, 1838, 1925, 1689, 809, 773, 722, 895, 350, 313, 188, 0, 2244, 1948, 1502, 1152, 1890, 907, 789, 608, 839, 639, 401, 167, 0), # 177
(2208, 1938, 1848, 1925, 1695, 811, 773, 725, 897, 351, 315, 188, 0, 2254, 1950, 1506, 1154, 1893, 910, 790, 612, 841, 641, 403, 167, 0), # 178
(2208, 1938, 1848, 1925, 1695, 811, 773, 725, 897, 351, 315, 188, 0, 2254, 1950, 1506, 1154, 1893, 910, 790, 612, 841, 641, 403, 167, 0), # 179
)
passenger_arriving_rate = (
(7.029211809720476, 7.090786984939564, 6.079830434547925, 6.525401162556605, 5.184373233768971, 2.563234861163827, 2.9022249307617405, 2.7143527675713304, 2.8420462290117365, 1.3853052554328298, 0.9812285382399741, 0.571423425802387, 0.0, 7.117432297609708, 6.285657683826256, 4.90614269119987, 4.155915766298489, 5.684092458023473, 3.8000938745998627, 2.9022249307617405, 1.8308820436884476, 2.5921866168844856, 2.175133720852202, 1.2159660869095852, 0.6446169986308695, 0.0), # 0
(7.496058012827964, 7.558911224152441, 6.4812376898851785, 6.956401465940448, 5.527657648309288, 2.7325532603014207, 3.093628258884586, 2.893049671694997, 3.0297144856220246, 1.4766432422970026, 1.0460557650564308, 0.6091419437616749, 0.0, 7.587708306415797, 6.700561381378422, 5.230278825282154, 4.429929726891007, 6.059428971244049, 4.050269540372995, 3.093628258884586, 1.9518237573581576, 2.763828824154644, 2.3188004886468163, 1.2962475379770357, 0.687173747650222, 0.0), # 1
(7.9614122125716245, 8.025177635976757, 6.881049333138649, 7.385687089898034, 5.869698775499761, 2.9011961768518306, 3.284272955572493, 3.071031394610912, 3.2166338432095234, 1.5676198212571917, 1.1106254013811399, 0.6467104760728565, 0.0, 8.056110759493567, 7.113815236801421, 5.553127006905699, 4.702859463771574, 6.433267686419047, 4.2994439524552766, 3.284272955572493, 2.0722829834655934, 2.9348493877498805, 2.4618956966326784, 1.37620986662773, 0.7295616032706144, 0.0), # 2
(8.423460910405188, 8.487736310818441, 7.277679347539831, 7.811555227908678, 6.209150897601775, 3.0684948417778424, 3.473402549153569, 3.2475923418717962, 3.4020630750965104, 1.657873944449164, 1.1746812960930562, 0.6839799965752206, 0.0, 8.520781928755916, 7.523779962327425, 5.873406480465281, 4.97362183334749, 6.804126150193021, 4.5466292786205145, 3.473402549153569, 2.191782029841316, 3.1045754488008876, 2.6038517426362264, 1.455535869507966, 0.7716123918925856, 0.0), # 3
(8.880390607782374, 8.94473733908341, 7.669541716320211, 8.232303073451698, 6.5446682968767265, 3.233780486042246, 3.6602605679559215, 3.4220269190303676, 3.585260954605263, 1.7470445640086882, 1.2379672980711345, 0.7208014791080559, 0.0, 8.979864086115745, 7.928816270188614, 6.189836490355671, 5.241133692026064, 7.170521909210526, 4.790837686642515, 3.6602605679559215, 2.30984320431589, 3.2723341484383632, 2.7441010244839, 1.5339083432640421, 0.8131579399166738, 0.0), # 4
(9.330387806156915, 9.394330811177607, 8.055050422711272, 8.646227820006413, 6.874905255585995, 3.396384340607826, 3.844090540307657, 3.593629531639346, 3.765486255058061, 1.8347706320715327, 1.300227256194331, 0.7570258975106506, 0.0, 9.43149950348596, 8.327284872617156, 6.501136280971655, 5.504311896214597, 7.530972510116122, 5.031081344295084, 3.844090540307657, 2.4259888147198754, 3.4374526277929975, 2.8820759400021383, 1.6110100845422546, 0.8540300737434189, 0.0), # 5
(9.771639006982534, 9.834666817506942, 8.43261944994451, 9.051626661052135, 7.198516055990973, 3.5556376364373725, 4.024135994536884, 3.7616945852514516, 3.9419977497771805, 1.920691100773466, 1.3612050193415997, 0.7925042256222944, 0.0, 9.87383045277945, 8.717546481845236, 6.806025096707997, 5.762073302320396, 7.883995499554361, 5.266372419352033, 4.024135994536884, 2.5397411688838374, 3.5992580279954867, 3.017208887017379, 1.6865238899889023, 0.8940606197733586, 0.0), # 6
(10.202330711712957, 10.263895448477353, 8.800662781251408, 9.446796790068186, 7.514154980353052, 3.710871604493673, 4.19964045897171, 3.9255164854194056, 4.1140542120849, 2.004444922250256, 1.4206444363918964, 0.8270874372822752, 0.0, 10.304999205909127, 9.097961810105026, 7.103222181959481, 6.013334766750766, 8.2281084241698, 5.495723079587168, 4.19964045897171, 2.6506225746383376, 3.757077490176526, 3.148932263356063, 1.7601325562502819, 0.9330814044070321, 0.0), # 7
(10.62064942180191, 10.68016679449476, 9.157594399863463, 9.830035400533875, 7.820476310933614, 3.8614174757395103, 4.369847461940239, 4.0843896376959234, 4.280914415303496, 2.0856710486376717, 1.4782893562241752, 0.8606265063298821, 0.0, 10.723148034787885, 9.466891569628702, 7.391446781120876, 6.257013145913014, 8.561828830606991, 5.718145492774292, 4.369847461940239, 2.758155339813936, 3.910238155466807, 3.276678466844626, 1.831518879972693, 0.9709242540449783, 0.0), # 8
(11.02478163870312, 11.081630945965095, 9.501828289012156, 10.199639685928528, 8.116134329994049, 4.006606481137679, 4.534000531770584, 4.237608447633729, 4.441837132755248, 2.1640084320714803, 1.5338836277173917, 0.8929724066044035, 0.0, 11.126419211328628, 9.822696472648436, 7.669418138586958, 6.49202529621444, 8.883674265510496, 5.932651826687221, 4.534000531770584, 2.861861772241199, 4.058067164997024, 3.3998798953095104, 1.9003656578024313, 1.0074209950877362, 0.0), # 9
(11.412913863870306, 11.46643799329428, 9.83177843192898, 10.553906839731454, 8.399783319795748, 4.145769851650964, 4.691343196790848, 4.38446732078554, 4.596081137762433, 2.2390960246874507, 1.5871710997505006, 0.923976111945128, 0.0, 11.512955007444255, 10.163737231396405, 7.935855498752503, 6.717288074062351, 9.192162275524867, 6.138254249099756, 4.691343196790848, 2.961264179750688, 4.199891659897874, 3.517968946577152, 1.9663556863857963, 1.0424034539358438, 0.0), # 10
(11.783232598757209, 11.832738026888249, 10.145858811845418, 10.891134055421968, 8.670077562600099, 4.278238818242151, 4.841118985329142, 4.524260662704076, 4.7429052036473305, 2.3105727786213524, 1.6378956212024585, 0.9534885961913449, 0.0, 11.880897695047656, 10.488374558104791, 8.189478106012292, 6.931718335864056, 9.485810407294661, 6.333964927785706, 4.841118985329142, 3.055884870172965, 4.3350387813000495, 3.63037801847399, 2.0291717623690837, 1.075703456989841, 0.0), # 11
(12.133924344817538, 12.178681137152912, 10.442483411992965, 11.209618526479394, 8.925671340668487, 4.403344611874027, 4.9825714257135685, 4.656282878942054, 4.881568103732217, 2.378077646008951, 1.6858010409522184, 0.9813608331823415, 0.0, 12.22838954605175, 10.794969165005755, 8.429005204761092, 7.134232938026852, 9.763136207464434, 6.518796030518876, 4.9825714257135685, 3.1452461513385908, 4.462835670334243, 3.7365395088264655, 2.0884966823985933, 1.107152830650265, 0.0), # 12
(12.463175603505027, 12.502417414494213, 10.720066215603106, 11.507657446383048, 9.165218936262296, 4.520418463509383, 5.11494404627224, 4.779828375052198, 5.011328611339368, 2.441249578986017, 1.7306312078787365, 1.0074437967574077, 0.0, 12.55357283236943, 11.08188176433148, 8.653156039393682, 7.323748736958049, 10.022657222678736, 6.691759725073078, 5.11494404627224, 3.228870331078131, 4.582609468131148, 3.8358858154610167, 2.1440132431206216, 1.136583401317656, 0.0), # 13
(12.769172876273403, 12.802096949318072, 10.977021205907338, 11.783548008612232, 9.387374631642924, 4.6287916041110035, 5.237480375333263, 4.894191556587227, 5.131445499791063, 2.4997275296883177, 1.7721299708609668, 1.0315884607558323, 0.0, 12.85458982591359, 11.347473068314153, 8.860649854304834, 7.499182589064952, 10.262890999582126, 6.8518681792221185, 5.237480375333263, 3.306279717222145, 4.693687315821462, 3.9278493362040785, 2.195404241181468, 1.1638269953925522, 0.0), # 14
(13.050102664576398, 13.075869832030413, 11.211762366137135, 12.035587406646286, 9.590792709071755, 4.72779526464168, 5.349423941224739, 4.998666829099858, 5.241177542409583, 2.5531504502516222, 1.810041178777865, 1.0536457990169035, 0.0, 13.129582798597134, 11.590103789185937, 9.050205893889325, 7.659451350754866, 10.482355084819165, 6.998133560739801, 5.349423941224739, 3.3769966176011996, 4.795396354535877, 4.0118624688820965, 2.242352473227427, 1.1887154392754924, 0.0), # 15
(13.30415146986772, 13.321886153037171, 11.422703679523998, 12.262072833964503, 9.774127450810177, 4.816760676064193, 5.450018272274784, 5.092548598142811, 5.339783512517201, 2.6011572928116995, 1.8441086805083868, 1.0734667853799098, 0.0, 13.376694022332964, 11.808134639179006, 9.220543402541933, 7.803471878435097, 10.679567025034402, 7.1295680373999355, 5.450018272274784, 3.440543340045852, 4.887063725405088, 4.087357611321502, 2.2845407359047996, 1.2110805593670158, 0.0), # 16
(13.529505793601107, 13.538296002744264, 11.608259129299412, 12.46130148404622, 9.936033139119584, 4.895019069341334, 5.538506896811498, 5.17513126926881, 5.426522183436193, 2.643387009504314, 1.874076324931487, 1.09090239368414, 0.0, 13.594065769033982, 11.999926330525538, 9.370381624657433, 7.9301610285129405, 10.853044366872385, 7.245183776976335, 5.538506896811498, 3.496442192386667, 4.968016569559792, 4.153767161348741, 2.3216518258598824, 1.2307541820676606, 0.0), # 17
(13.724352137230287, 13.723249471557619, 11.766842698694862, 12.631570550370744, 10.07516405626135, 4.961901675435895, 5.6141333431629965, 5.245709248030569, 5.500652328488845, 2.6794785524652385, 1.8996879609261188, 1.1058035977688838, 0.0, 13.779840310613086, 12.163839575457718, 9.498439804630594, 8.038435657395715, 11.00130465697769, 7.343992947242797, 5.6141333431629965, 3.5442154824542103, 5.037582028130675, 4.210523516790249, 2.3533685397389728, 1.2475681337779656, 0.0), # 18
(13.88687700220898, 13.874896649883173, 11.896868370941842, 12.77117722641738, 10.190174484496875, 5.0167397253106545, 5.676141139657377, 5.30357693998081, 5.561432720997431, 2.7090708738302403, 1.9206874373712384, 1.1180213714734282, 0.0, 13.932159918983176, 12.298235086207708, 9.603437186856192, 8.12721262149072, 11.122865441994861, 7.425007715973134, 5.676141139657377, 3.5833855180790386, 5.095087242248438, 4.257059075472461, 2.379373674188369, 1.2613542408984704, 0.0), # 19
(14.015266889990915, 13.991387628126835, 11.996750129271838, 12.87841870566547, 10.279718706087547, 5.058864449928407, 5.723773814622755, 5.348028750672253, 5.608122134284226, 2.731802925735086, 1.936818603145802, 1.1274066886370624, 0.0, 14.049166866057154, 12.401473575007685, 9.68409301572901, 8.195408777205257, 11.216244268568452, 7.487240250941153, 5.723773814622755, 3.6134746070917196, 5.139859353043773, 4.292806235221825, 2.399350025854368, 1.2719443298297126, 0.0), # 20
(14.107708302029813, 14.070872496694552, 12.064901956916339, 12.951592181594311, 10.34245100329475, 5.087607080251938, 5.756274896387231, 5.378359085657614, 5.63997934167151, 2.747313660315545, 1.9478253071287643, 1.133810523099076, 0.0, 14.12900342374791, 12.471915754089835, 9.739126535643821, 8.241940980946634, 11.27995868334302, 7.529702719920659, 5.756274896387231, 3.634005057322813, 5.171225501647375, 4.317197393864771, 2.412980391383268, 1.279170226972232, 0.0), # 21
(14.162387739779412, 14.111501345992236, 12.099737837106835, 12.988994847683228, 10.377025658379871, 5.102298847244033, 5.77288791327892, 5.393862350489618, 5.656263116481561, 2.7552420297073854, 1.9534513981990798, 1.1370838486987573, 0.0, 14.16981186396836, 12.50792233568633, 9.7672569909954, 8.265726089122154, 11.312526232963123, 7.551407290685465, 5.77288791327892, 3.644499176602881, 5.188512829189936, 4.329664949227744, 2.419947567421367, 1.282863758726567, 0.0), # 22
(14.182550708679697, 14.116311945587563, 12.104077046181986, 12.993677353395064, 10.385883252297091, 5.104166666666667, 5.774862801581538, 5.395538065843622, 5.658298909465021, 2.7561772953818022, 1.9541568753377396, 1.1374880506020426, 0.0, 14.175, 12.512368556622466, 9.770784376688697, 8.268531886145405, 11.316597818930042, 7.553753292181072, 5.774862801581538, 3.6458333333333335, 5.192941626148546, 4.331225784465023, 2.4208154092363974, 1.283301085962506, 0.0), # 23
(14.197417378247815, 14.113505864197531, 12.10336728395062, 12.99310104166667, 10.390900439373862, 5.104166666666667, 5.773777668845317, 5.393208333333334, 5.658026111111111, 2.755602716049383, 1.9540790684624023, 1.1373934156378602, 0.0, 14.175, 12.51132757201646, 9.77039534231201, 8.266808148148147, 11.316052222222222, 7.550491666666668, 5.773777668845317, 3.6458333333333335, 5.195450219686931, 4.331033680555557, 2.4206734567901242, 1.2830459876543212, 0.0), # 24
(14.211970122296213, 14.10797467992684, 12.101966163694561, 12.991960841049384, 10.39580728255487, 5.104166666666667, 5.771639231824418, 5.388631687242799, 5.657487139917696, 2.754471593507088, 1.9539247931994848, 1.1372065996037193, 0.0, 14.175, 12.509272595640908, 9.769623965997424, 8.263414780521263, 11.314974279835392, 7.544084362139919, 5.771639231824418, 3.6458333333333335, 5.197903641277435, 4.330653613683129, 2.4203932327389124, 1.2825431527206221, 0.0), # 25
(14.226207826667249, 14.099802892089624, 12.099892889803387, 12.990269714506173, 10.400603610526364, 5.104166666666667, 5.768480702816105, 5.381894547325103, 5.65668890946502, 2.7528027480566992, 1.9536954462318665, 1.136930163084896, 0.0, 14.175, 12.506231793933855, 9.768477231159332, 8.258408244170097, 11.31337781893004, 7.534652366255146, 5.768480702816105, 3.6458333333333335, 5.200301805263182, 4.330089904835392, 2.4199785779606775, 1.2818002629172387, 0.0), # 26
(14.240129377203292, 14.089075, 12.097166666666668, 12.988040625, 10.405289251974601, 5.104166666666667, 5.7643352941176484, 5.3730833333333345, 5.655638333333333, 2.7506150000000003, 1.9533924242424245, 1.1365666666666672, 0.0, 14.175, 12.502233333333336, 9.766962121212122, 8.251845, 11.311276666666666, 7.5223166666666685, 5.7643352941176484, 3.6458333333333335, 5.2026446259873005, 4.329346875000001, 2.4194333333333335, 1.280825, 0.0), # 27
(14.253733659746702, 14.075875502972108, 12.093806698673983, 12.985286535493827, 10.40986403558584, 5.104166666666667, 5.759236218026306, 5.362284465020577, 5.654342325102881, 2.7479271696387753, 1.9530171239140377, 1.1361186709343092, 0.0, 14.175, 12.4973053802774, 9.765085619570188, 8.243781508916324, 11.308684650205763, 7.507198251028808, 5.759236218026306, 3.6458333333333335, 5.20493201779292, 4.32842884516461, 2.418761339734797, 1.2796250457247373, 0.0), # 28
(14.26701956013985, 14.060288900320074, 12.089832190214908, 12.982020408950618, 10.41432779004634, 5.104166666666667, 5.753216686839346, 5.349584362139918, 5.652807798353909, 2.7447580772748066, 1.952570941929584, 1.1355887364730988, 0.0, 14.175, 12.491476101204084, 9.76285470964792, 8.234274231824418, 11.305615596707819, 7.489418106995886, 5.753216686839346, 3.6458333333333335, 5.20716389502317, 4.327340136316874, 2.4179664380429817, 1.2782080818472796, 0.0), # 29
(14.279985964225098, 14.042399691358026, 12.085262345679013, 12.978255208333334, 10.418680344042354, 5.104166666666667, 5.746309912854031, 5.335069444444444, 5.651041666666666, 2.7411265432098775, 1.952055274971942, 1.1349794238683129, 0.0, 14.175, 12.48477366255144, 9.760276374859709, 8.223379629629632, 11.302083333333332, 7.469097222222222, 5.746309912854031, 3.6458333333333335, 5.209340172021177, 4.326085069444446, 2.4170524691358026, 1.276581790123457, 0.0), # 30
(14.292631757844802, 14.022292375400093, 12.080116369455878, 12.97400389660494, 10.422921526260142, 5.104166666666667, 5.7385491083676285, 5.318826131687244, 5.649050843621399, 2.737051387745771, 1.9514715197239891, 1.1342932937052284, 0.0, 14.175, 12.477226230757509, 9.757357598619945, 8.211154163237312, 11.298101687242799, 7.4463565843621415, 5.7385491083676285, 3.6458333333333335, 5.211460763130071, 4.324667965534981, 2.416023273891176, 1.2747538523090995, 0.0), # 31
(14.304955826841338, 14.000051451760402, 12.07441346593507, 12.969279436728398, 10.427051165385956, 5.104166666666667, 5.7299674856774, 5.3009408436214, 5.646842242798354, 2.7325514311842714, 1.950821072868604, 1.1335329065691209, 0.0, 14.175, 12.468861972260328, 9.754105364343019, 8.197654293552812, 11.293684485596708, 7.421317181069961, 5.7299674856774, 3.6458333333333335, 5.213525582692978, 4.3230931455761334, 2.4148826931870144, 1.272731950160037, 0.0), # 32
(14.316957057057056, 13.975761419753086, 12.068172839506175, 12.964094791666666, 10.431069090106059, 5.104166666666667, 5.720598257080611, 5.2815, 5.644422777777778, 2.7276454938271613, 1.9501053310886647, 1.1327008230452675, 0.0, 14.175, 12.459709053497942, 9.750526655443322, 8.182936481481482, 11.288845555555556, 7.394100000000001, 5.720598257080611, 3.6458333333333335, 5.215534545053029, 4.321364930555556, 2.413634567901235, 1.2705237654320989, 0.0), # 33
(14.328634334334335, 13.949506778692271, 12.061413694558757, 12.958462924382715, 10.434975129106702, 5.104166666666667, 5.710474634874527, 5.260590020576132, 5.641799362139919, 2.7223523959762237, 1.9493256910670491, 1.1317996037189455, 0.0, 14.175, 12.449795640908398, 9.746628455335244, 8.16705718792867, 11.283598724279837, 7.3648260288065845, 5.710474634874527, 3.6458333333333335, 5.217487564553351, 4.319487641460906, 2.4122827389117516, 1.2681369798811157, 0.0), # 34
(14.339986544515531, 13.92137202789209, 12.054155235482398, 12.952396797839505, 10.438769111074146, 5.104166666666667, 5.699629831356412, 5.238297325102881, 5.638978909465021, 2.7166909579332423, 1.9484835494866362, 1.1308318091754308, 0.0, 14.175, 12.439149900929737, 9.74241774743318, 8.150072873799726, 11.277957818930043, 7.333616255144034, 5.699629831356412, 3.6458333333333335, 5.219384555537073, 4.317465599279836, 2.41083104709648, 1.2655792752629174, 0.0), # 35
(14.35101257344301, 13.891441666666665, 12.04641666666667, 12.945909375, 10.442450864694647, 5.104166666666667, 5.68809705882353, 5.214708333333334, 5.635968333333333, 2.7106800000000004, 1.9475803030303034, 1.1298000000000004, 0.0, 14.175, 12.427800000000001, 9.737901515151515, 8.13204, 11.271936666666665, 7.300591666666668, 5.68809705882353, 3.6458333333333335, 5.221225432347324, 4.315303125000001, 2.409283333333334, 1.2628583333333334, 0.0), # 36
(14.361711306959135, 13.859800194330132, 12.038217192501145, 12.939013618827161, 10.44602021865446, 5.104166666666667, 5.675909529573146, 5.189909465020577, 5.632774547325103, 2.7043383424782816, 1.9466173483809293, 1.1287067367779304, 0.0, 14.175, 12.415774104557233, 9.733086741904645, 8.113015027434844, 11.265549094650206, 7.265873251028808, 5.675909529573146, 3.6458333333333335, 5.22301010932723, 4.313004539609055, 2.407643438500229, 1.259981835848194, 0.0), # 37
(14.372081630906267, 13.826532110196618, 12.029576017375401, 12.931722492283953, 10.449477001639845, 5.104166666666667, 5.663100455902526, 5.1639871399176975, 5.629404465020576, 2.6976848056698683, 1.9455960822213911, 1.1275545800944982, 0.0, 14.175, 12.403100381039478, 9.727980411106955, 8.093054417009604, 11.258808930041152, 7.229581995884776, 5.663100455902526, 3.6458333333333335, 5.224738500819923, 4.3105741640946516, 2.40591520347508, 1.2569574645633292, 0.0), # 38
(14.382122431126781, 13.791721913580247, 12.020512345679016, 12.924048958333334, 10.452821042337057, 5.104166666666667, 5.649703050108934, 5.137027777777778, 5.625865000000001, 2.690738209876544, 1.9445179012345684, 1.1263460905349796, 0.0, 14.175, 12.389806995884772, 9.722589506172842, 8.07221462962963, 11.251730000000002, 7.191838888888889, 5.649703050108934, 3.6458333333333335, 5.226410521168528, 4.308016319444445, 2.4041024691358035, 1.253792901234568, 0.0), # 39
(14.39183259346303, 13.755454103795152, 12.011045381801555, 12.916005979938273, 10.45605216943235, 5.104166666666667, 5.635750524489632, 5.1091177983539104, 5.622163065843623, 2.6835173754000925, 1.943384202103338, 1.125083828684652, 0.0, 14.175, 12.375922115531171, 9.71692101051669, 8.050552126200277, 11.244326131687245, 7.1527649176954755, 5.635750524489632, 3.6458333333333335, 5.228026084716175, 4.305335326646092, 2.4022090763603114, 1.2504958276177414, 0.0), # 40
(14.40121100375738, 13.717813180155463, 12.001194330132604, 12.90760652006173, 10.459170211611989, 5.104166666666667, 5.621276091341887, 5.080343621399178, 5.618305576131687, 2.676041122542296, 1.9421963815105796, 1.1237703551287916, 0.0, 14.175, 12.361473906416705, 9.710981907552897, 8.028123367626886, 11.236611152263373, 7.112481069958849, 5.621276091341887, 3.6458333333333335, 5.229585105805994, 4.302535506687244, 2.400238866026521, 1.2470739254686787, 0.0), # 41
(14.410256547852201, 13.678883641975311, 11.990978395061731, 12.89886354166667, 10.462174997562222, 5.104166666666667, 5.6063129629629636, 5.050791666666668, 5.614299444444446, 2.668328271604939, 1.9409558361391697, 1.122408230452675, 0.0, 14.175, 12.346490534979424, 9.704779180695848, 8.004984814814815, 11.228598888888891, 7.071108333333335, 5.6063129629629636, 3.6458333333333335, 5.231087498781111, 4.299621180555557, 2.3981956790123466, 1.2435348765432102, 0.0), # 42
(14.418968111589852, 13.638749988568819, 11.980416780978512, 12.889790007716051, 10.46506635596931, 5.104166666666667, 5.5908943516501255, 5.020548353909466, 5.61015158436214, 2.660397642889804, 1.9396639626719878, 1.1210000152415793, 0.0, 14.175, 12.331000167657372, 9.698319813359937, 7.981192928669412, 11.22030316872428, 7.0287676954732525, 5.5908943516501255, 3.6458333333333335, 5.232533177984655, 4.296596669238685, 2.3960833561957027, 1.2398863625971654, 0.0), # 43
(14.427344580812699, 13.597496719250115, 11.969528692272522, 12.880398881172843, 10.467844115519508, 5.104166666666667, 5.575053469700638, 4.98970010288066, 5.605868909465021, 2.652268056698675, 1.938322157791911, 1.1195482700807806, 0.0, 14.175, 12.315030970888586, 9.691610788959554, 7.9568041700960235, 11.211737818930041, 6.985580144032924, 5.575053469700638, 3.6458333333333335, 5.233922057759754, 4.293466293724282, 2.3939057384545044, 1.2361360653863744, 0.0), # 44
(14.435384841363105, 13.555208333333335, 11.958333333333336, 12.870703125000002, 10.470508104899077, 5.104166666666667, 5.558823529411765, 4.958333333333334, 5.601458333333333, 2.6439583333333343, 1.9369318181818187, 1.1180555555555556, 0.0, 14.175, 12.29861111111111, 9.684659090909092, 7.931875000000002, 11.202916666666667, 6.941666666666667, 5.558823529411765, 3.6458333333333335, 5.235254052449538, 4.290234375000002, 2.391666666666667, 1.232291666666667, 0.0), # 45
(14.443087779083434, 13.511969330132603, 11.946849908550526, 12.860715702160494, 10.47305815279427, 5.104166666666667, 5.542237743080772, 4.926534465020577, 5.596926769547324, 2.635487293095565, 1.9354943405245877, 1.1165244322511814, 0.0, 14.175, 12.281768754762993, 9.677471702622938, 7.906461879286693, 11.193853539094649, 6.897148251028808, 5.542237743080772, 3.6458333333333335, 5.236529076397135, 4.286905234053499, 2.3893699817101055, 1.228360848193873, 0.0), # 46
(14.45045227981605, 13.46786420896205, 11.935097622313673, 12.850449575617287, 10.475494087891343, 5.104166666666667, 5.525329323004923, 4.894389917695474, 5.592281131687244, 2.6268737562871523, 1.9340111215030973, 1.1149574607529342, 0.0, 14.175, 12.264532068282275, 9.670055607515485, 7.880621268861455, 11.184562263374488, 6.852145884773663, 5.525329323004923, 3.6458333333333335, 5.237747043945672, 4.283483191872429, 2.387019524462735, 1.2243512917238228, 0.0), # 47
(14.457477229403315, 13.422977469135803, 11.923095679012349, 12.839917708333335, 10.477815738876558, 5.104166666666667, 5.508131481481482, 4.861986111111112, 5.587528333333333, 2.618136543209877, 1.9324835578002246, 1.1133572016460909, 0.0, 14.175, 12.246929218106997, 9.662417789001124, 7.854409629629629, 11.175056666666666, 6.806780555555557, 5.508131481481482, 3.6458333333333335, 5.238907869438279, 4.279972569444446, 2.38461913580247, 1.2202706790123459, 0.0), # 48
(14.464161513687602, 13.377393609967992, 11.910863283036125, 12.829133063271607, 10.480022934436168, 5.104166666666667, 5.490677430807714, 4.829409465020577, 5.582675288065844, 2.6092944741655244, 1.930913046098849, 1.1117262155159278, 0.0, 14.175, 12.228988370675204, 9.654565230494246, 7.827883422496572, 11.165350576131688, 6.761173251028807, 5.490677430807714, 3.6458333333333335, 5.240011467218084, 4.276377687757203, 2.382172656607225, 1.2161266918152722, 0.0), # 49
(14.470504018511264, 13.33119713077275, 11.89841963877458, 12.81810860339506, 10.482115503256427, 5.104166666666667, 5.473000383280885, 4.796746399176955, 5.57772890946502, 2.6003663694558763, 1.9293009830818477, 1.1100670629477218, 0.0, 14.175, 12.210737692424937, 9.646504915409238, 7.8010991083676275, 11.15545781893004, 6.715444958847738, 5.473000383280885, 3.6458333333333335, 5.2410577516282135, 4.272702867798355, 2.379683927754916, 1.211927011888432, 0.0), # 50
(14.476503629716676, 13.284472530864198, 11.885783950617286, 12.806857291666669, 10.484093274023598, 5.104166666666667, 5.455133551198258, 4.764083333333335, 5.572696111111112, 2.5913710493827167, 1.9276487654320995, 1.1083823045267494, 0.0, 14.175, 12.192205349794241, 9.638243827160496, 7.774113148148149, 11.145392222222224, 6.669716666666668, 5.455133551198258, 3.6458333333333335, 5.242046637011799, 4.268952430555557, 2.377156790123457, 1.2076793209876546, 0.0), # 51
(14.482159233146191, 13.237304309556471, 11.87297542295382, 12.795392091049385, 10.485956075423934, 5.104166666666667, 5.437110146857097, 4.731506687242798, 5.567583806584363, 2.582327334247829, 1.9259577898324816, 1.1066745008382872, 0.0, 14.175, 12.173419509221157, 9.629788949162407, 7.746982002743485, 11.135167613168726, 6.624109362139918, 5.437110146857097, 3.6458333333333335, 5.242978037711967, 4.265130697016462, 2.3745950845907644, 1.2033913008687704, 0.0), # 52
(14.487469714642183, 13.189776966163697, 11.860013260173757, 12.783725964506175, 10.487703736143693, 5.104166666666667, 5.418963382554669, 4.699102880658437, 5.5623989094650215, 2.573254044352996, 1.9242294529658732, 1.104946212467612, 0.0, 14.175, 12.15440833714373, 9.621147264829364, 7.719762133058986, 11.124797818930043, 6.578744032921811, 5.418963382554669, 3.6458333333333335, 5.243851868071847, 4.261241988168726, 2.3720026520347517, 1.199070633287609, 0.0), # 53
(14.492433960047004, 13.141975000000002, 11.846916666666667, 12.771871875000002, 10.489336084869135, 5.104166666666667, 5.400726470588236, 4.6669583333333335, 5.557148333333334, 2.5641700000000007, 1.9224651515151516, 1.1032000000000002, 0.0, 14.175, 12.1352, 9.612325757575757, 7.69251, 11.114296666666668, 6.533741666666667, 5.400726470588236, 3.6458333333333335, 5.244668042434568, 4.257290625000001, 2.369383333333334, 1.1947250000000003, 0.0), # 54
(14.497050855203032, 13.093982910379516, 11.833704846822133, 12.759842785493827, 10.490852950286511, 5.104166666666667, 5.382432623255064, 4.6351594650205765, 5.551838991769547, 2.555094021490627, 1.9206662821631961, 1.101438424020729, 0.0, 14.175, 12.115822664228014, 9.603331410815981, 7.66528206447188, 11.103677983539095, 6.4892232510288075, 5.382432623255064, 3.6458333333333335, 5.2454264751432556, 4.253280928497944, 2.3667409693644266, 1.1903620827617745, 0.0), # 55
(14.501319285952622, 13.045885196616371, 11.820397005029724, 12.74765165895062, 10.492254161082082, 5.104166666666667, 5.3641150528524175, 4.603792695473252, 5.5464777983539095, 2.5460449291266585, 1.918834241592884, 1.099664045115074, 0.0, 14.175, 12.096304496265812, 9.59417120796442, 7.638134787379974, 11.092955596707819, 6.445309773662553, 5.3641150528524175, 3.6458333333333335, 5.246127080541041, 4.249217219650207, 2.3640794010059447, 1.1859895633287612, 0.0), # 56
(14.505238138138138, 12.997766358024693, 11.807012345679016, 12.735311458333335, 10.493539545942102, 5.104166666666667, 5.34580697167756, 4.572944444444445, 5.541071666666667, 2.5370415432098774, 1.9169704264870937, 1.097879423868313, 0.0, 14.175, 12.076673662551439, 9.584852132435467, 7.61112462962963, 11.082143333333335, 6.402122222222224, 5.34580697167756, 3.6458333333333335, 5.246769772971051, 4.245103819444446, 2.3614024691358035, 1.1816151234567904, 0.0), # 57
(14.508806297601952, 12.949710893918612, 11.79357007315958, 12.72283514660494, 10.494708933552829, 5.104166666666667, 5.3275415920277585, 4.5427011316872425, 5.535627510288066, 2.5281026840420675, 1.9150762335287033, 1.096087120865722, 0.0, 14.175, 12.05695832952294, 9.575381167643515, 7.584308052126201, 11.071255020576132, 6.35978158436214, 5.3275415920277585, 3.6458333333333335, 5.2473544667764145, 4.240945048868314, 2.3587140146319165, 1.1772464449016922, 0.0), # 58
(14.51202265018642, 12.901803303612255, 11.780089391860999, 12.710235686728396, 10.495762152600523, 5.104166666666667, 5.309352126200275, 4.513149176954733, 5.530152242798355, 2.5192471719250125, 1.9131530594005905, 1.0942896966925775, 0.0, 14.175, 12.037186663618352, 9.565765297002951, 7.557741515775036, 11.06030448559671, 6.3184088477366265, 5.309352126200275, 3.6458333333333335, 5.247881076300262, 4.2367452289094665, 2.3560178783722, 1.172891209419296, 0.0), # 59
(14.51488608173391, 12.854128086419754, 11.76658950617284, 12.697526041666668, 10.496699031771435, 5.104166666666667, 5.291271786492374, 4.484375000000001, 5.524652777777779, 2.5104938271604946, 1.9112023007856345, 1.0924897119341568, 0.0, 14.175, 12.017386831275722, 9.556011503928172, 7.5314814814814826, 11.049305555555557, 6.278125000000001, 5.291271786492374, 3.6458333333333335, 5.248349515885717, 4.232508680555557, 2.353317901234568, 1.1685570987654323, 0.0), # 60
(14.517395478086781, 12.806769741655238, 11.753089620484685, 12.684719174382717, 10.497519399751823, 5.104166666666667, 5.273333785201324, 4.4564650205761325, 5.519136028806585, 2.501861470050298, 1.9092253543667126, 1.0906897271757356, 0.0, 14.175, 11.997586998933091, 9.546126771833563, 7.5055844101508935, 11.03827205761317, 6.2390510288065855, 5.273333785201324, 3.6458333333333335, 5.248759699875912, 4.22823972479424, 2.350617924096937, 1.1642517946959308, 0.0), # 61
(14.519549725087407, 12.759812768632832, 11.739608939186102, 12.671828047839508, 10.498223085227952, 5.104166666666667, 5.255571334624385, 4.429505658436215, 5.513608909465021, 2.4933689208962058, 1.9072236168267036, 1.0888923030025914, 0.0, 14.175, 11.977815333028504, 9.536118084133516, 7.4801067626886155, 11.027217818930042, 6.201307921810701, 5.255571334624385, 3.6458333333333335, 5.249111542613976, 4.2239426826131705, 2.3479217878372207, 1.1599829789666212, 0.0), # 62
(14.521347708578144, 12.713341666666667, 11.72616666666667, 12.658865625, 10.498809916886067, 5.104166666666667, 5.238017647058824, 4.4035833333333345, 5.508078333333334, 2.4850350000000003, 1.9051984848484853, 1.0871000000000002, 0.0, 14.175, 11.9581, 9.525992424242425, 7.455105, 11.016156666666667, 6.165016666666668, 5.238017647058824, 3.6458333333333335, 5.249404958443034, 4.219621875000001, 2.345233333333334, 1.1557583333333337, 0.0), # 63
(14.522788314401359, 12.667440935070873, 11.712782007315958, 12.645844868827162, 10.499279723412432, 5.104166666666667, 5.220705934801905, 4.378784465020577, 5.50255121399177, 2.4768785276634664, 1.9031513551149353, 1.0853153787532392, 0.0, 14.175, 11.938469166285628, 9.515756775574676, 7.430635582990398, 11.00510242798354, 6.130298251028808, 5.220705934801905, 3.6458333333333335, 5.249639861706216, 4.215281622942388, 2.342556401463192, 1.151585539551898, 0.0), # 64
(14.523870428399414, 12.62219507315958, 11.69947416552355, 12.63277874228395, 10.499632333493302, 5.104166666666667, 5.2036694101508925, 4.35519547325103, 5.497034465020577, 2.4689183241883863, 1.9010836243089335, 1.0835409998475842, 0.0, 14.175, 11.918950998323425, 9.505418121544666, 7.406754972565158, 10.994068930041154, 6.097273662551442, 5.2036694101508925, 3.6458333333333335, 5.249816166746651, 4.2109262474279845, 2.3398948331047102, 1.1474722793781438, 0.0), # 65
(14.524592936414676, 12.577688580246916, 11.686262345679015, 12.619680208333333, 10.499867575814935, 5.104166666666667, 5.1869412854030505, 4.332902777777779, 5.491535000000001, 2.4611732098765438, 1.898996689113356, 1.0817794238683132, 0.0, 14.175, 11.899573662551441, 9.49498344556678, 7.38351962962963, 10.983070000000001, 6.06606388888889, 5.1869412854030505, 3.6458333333333335, 5.249933787907468, 4.206560069444445, 2.337252469135803, 1.1434262345679016, 0.0), # 66
(14.524954724289511, 12.534005955647004, 11.673165752171926, 12.606562229938273, 10.499985279063587, 5.104166666666667, 5.1705547728556445, 4.311992798353911, 5.486059732510288, 2.453662005029722, 1.8968919462110825, 1.0800332114007012, 0.0, 14.175, 11.88036532540771, 9.484459731055413, 7.360986015089164, 10.972119465020576, 6.036789917695475, 5.1705547728556445, 3.6458333333333335, 5.2499926395317935, 4.202187409979425, 2.3346331504343856, 1.1394550868770006, 0.0), # 67
(14.524708260273156, 12.491002420461081, 11.660140274919984, 12.593323827495976, 10.499886091610856, 5.104071942793273, 5.154460636380753, 4.292367245846671, 5.480574329370524, 2.446367154576509, 1.894733397326088, 1.078295169221637, 0.0, 14.174825210048013, 11.861246861438005, 9.47366698663044, 7.339101463729525, 10.961148658741047, 6.009314144185339, 5.154460636380753, 3.6457656734237665, 5.249943045805428, 4.197774609165326, 2.3320280549839967, 1.135545674587371, 0.0), # 68
(14.522398389694043, 12.44736508363202, 11.646819830246914, 12.579297690217391, 10.498983297022512, 5.1033231138545965, 5.13818772694263, 4.272974279835392, 5.474838991769548, 2.439082236746551, 1.8923013290802768, 1.0765088802252547, 0.0, 14.17344039351852, 11.8415976824778, 9.461506645401384, 7.317246710239651, 10.949677983539097, 5.982163991769549, 5.13818772694263, 3.6452307956104257, 5.249491648511256, 4.193099230072464, 2.329363966049383, 1.1315786439665476, 0.0), # 69
(14.517840102582454, 12.402893656798973, 11.633146504915409, 12.564391480475042, 10.49719935985368, 5.101848358989992, 5.121662094192959, 4.253638926992837, 5.468821349641823, 2.4317718335619576, 1.8895680735227522, 1.0746659888174948, 0.0, 14.170705268347055, 11.82132587699244, 9.447840367613761, 7.295315500685872, 10.937642699283646, 5.955094497789972, 5.121662094192959, 3.6441773992785653, 5.24859967992684, 4.188130493491681, 2.326629300983082, 1.127535786981725, 0.0), # 70
(14.511097524900102, 12.357614716359132, 11.619125100022863, 12.548627178945251, 10.49455687350386, 5.0996715769953775, 5.104891161677292, 4.234367588782199, 5.462530365035819, 2.4244361257699243, 1.8865437198495683, 1.072767842674817, 0.0, 14.166655842764062, 11.800446269422984, 9.43271859924784, 7.273308377309771, 10.925060730071637, 5.928114624295079, 5.104891161677292, 3.642622554996698, 5.24727843675193, 4.182875726315085, 2.323825020004573, 1.1234195196690122, 0.0), # 71
(14.502234782608697, 12.311554838709677, 11.604760416666666, 12.532026766304348, 10.49107843137255, 5.096816666666667, 5.087882352941177, 4.215166666666667, 5.4559750000000005, 2.4170752941176477, 1.8832383572567788, 1.0708157894736845, 0.0, 14.161328125, 11.778973684210527, 9.416191786283894, 7.251225882352942, 10.911950000000001, 5.901233333333334, 5.087882352941177, 3.6405833333333337, 5.245539215686275, 4.177342255434784, 2.3209520833333337, 1.1192322580645162, 0.0), # 72
(14.491316001669949, 12.264740600247798, 11.590057255944217, 12.514612223228664, 10.486786626859248, 5.0933075267997765, 5.070643091530164, 4.196042562109436, 5.4491642165828384, 2.409689519352323, 1.8796620749404376, 1.0688111768905575, 0.0, 14.154758123285324, 11.75692294579613, 9.398310374702186, 7.229068558056968, 10.898328433165677, 5.8744595869532095, 5.070643091530164, 3.638076804856983, 5.243393313429624, 4.171537407742889, 2.3180114511888434, 1.1149764182043456, 0.0), # 73
(14.478405308045566, 12.21719857737068, 11.575020418952905, 12.496405530394526, 10.481704053363458, 5.089168056190623, 5.053180800989806, 4.177001676573693, 5.4421069768328, 2.402278982221147, 1.8758249620965999, 1.0667553526018982, 0.0, 14.146981845850483, 11.734308878620878, 9.379124810482999, 7.20683694666344, 10.8842139536656, 5.84780234720317, 5.053180800989806, 3.635120040136159, 5.240852026681729, 4.165468510131509, 2.315004083790581, 1.1106544161246077, 0.0), # 74
(14.463566827697262, 12.168955346475506, 11.559654706790123, 12.477428668478263, 10.475853304284678, 5.084422153635118, 5.03550290486565, 4.158050411522635, 5.434812242798353, 2.394843863471315, 1.8717371079213185, 1.0646496642841674, 0.0, 14.138035300925928, 11.711146307125839, 9.358685539606592, 7.184531590413944, 10.869624485596706, 5.821270576131688, 5.03550290486565, 3.63173010973937, 5.237926652142339, 4.159142889492755, 2.311930941358025, 1.10626866786141, 0.0), # 75
(14.44686468658675, 12.12003748395947, 11.543964920553272, 12.457703618156202, 10.469256973022405, 5.079093717929179, 5.017616826703247, 4.139195168419449, 5.427288976527969, 2.3873843438500235, 1.8674086016106486, 1.0624954596138265, 0.0, 14.127954496742113, 11.68745005575209, 9.337043008053241, 7.162153031550069, 10.854577953055937, 5.794873235787229, 5.017616826703247, 3.6279240842351275, 5.234628486511203, 4.152567872718735, 2.3087929841106543, 1.101821589450861, 0.0), # 76
(14.428363010675731, 12.070471566219748, 11.527955861339734, 12.43725236010467, 10.461937652976141, 5.07320664786872, 4.9995299900481465, 4.120442348727329, 5.4195461400701115, 2.3799006041044684, 1.8628495323606438, 1.0602940862673376, 0.0, 14.116775441529496, 11.663234948940712, 9.314247661803218, 7.139701812313404, 10.839092280140223, 5.768619288218261, 4.9995299900481465, 3.623719034191943, 5.230968826488071, 4.145750786701558, 2.305591172267947, 1.0973155969290682, 0.0), # 77
(14.408125925925928, 12.020284169653527, 11.511632330246915, 12.416096875000001, 10.45391793754539, 5.066784842249657, 4.981249818445898, 4.101798353909466, 5.41159269547325, 2.372392824981845, 1.8580699893673582, 1.0580468919211612, 0.0, 14.10453414351852, 11.638515811132772, 9.29034994683679, 7.1171784749455345, 10.8231853909465, 5.742517695473253, 4.981249818445898, 3.6191320301783265, 5.226958968772695, 4.138698958333334, 2.3023264660493834, 1.092753106332139, 0.0), # 78
(14.386217558299041, 11.969501870657995, 11.494999128372202, 12.394259143518521, 10.445220420129644, 5.0598521998679065, 4.962783735442051, 4.0832695854290515, 5.403437604785855, 2.3648611872293506, 1.8530800618268455, 1.0557552242517592, 0.0, 14.091266610939643, 11.613307466769347, 9.265400309134227, 7.094583561688051, 10.80687520957171, 5.716577419600672, 4.962783735442051, 3.61418014276279, 5.222610210064822, 4.131419714506174, 2.2989998256744406, 1.0881365336961817, 0.0), # 79
(14.362702033756786, 11.918151245630337, 11.478061056812987, 12.371761146336556, 10.435867694128408, 5.052432619519382, 4.9441391645821575, 4.064862444749277, 5.395089830056394, 2.35730587159418, 1.847889838935161, 1.0534204309355928, 0.0, 14.07700885202332, 11.587624740291517, 9.239449194675805, 7.071917614782539, 10.790179660112788, 5.690807422648988, 4.9441391645821575, 3.6088804425138443, 5.217933847064204, 4.123920382112186, 2.2956122113625974, 1.0834682950573036, 0.0), # 80
(14.337643478260873, 11.866258870967743, 11.460822916666668, 12.348624864130437, 10.425882352941176, 5.04455, 4.925323529411765, 4.046583333333334, 5.386558333333333, 2.34972705882353, 1.8425094098883579, 1.0510438596491232, 0.0, 14.061796875, 11.561482456140352, 9.212547049441788, 7.049181176470589, 10.773116666666667, 5.665216666666669, 4.925323529411765, 3.60325, 5.212941176470588, 4.11620828804348, 2.2921645833333337, 1.0787508064516131, 0.0), # 81
(14.311106017773009, 11.813851323067393, 11.443289509030638, 12.32487227757649, 10.415286989967456, 5.036228240105676, 4.906344253476426, 4.0284386526444145, 5.3778520766651425, 2.342124929664596, 1.83694886388249, 1.048626858068812, 0.0, 14.045666688100141, 11.53489543875693, 9.18474431941245, 7.026374788993786, 10.755704153330285, 5.63981411370218, 4.906344253476426, 3.5973058857897686, 5.207643494983728, 4.1082907591921645, 2.2886579018061277, 1.0739864839152178, 0.0), # 82
(14.283153778254908, 11.760955178326475, 11.425465635002288, 12.300525367351046, 10.40410419860674, 5.027491238632323, 4.887208760321688, 4.01043480414571, 5.368980022100289, 2.3344996648645746, 1.8312182901136123, 1.0461707738711208, 0.0, 14.028654299554185, 11.507878512582325, 9.156091450568061, 7.0034989945937225, 10.737960044200578, 5.614608725803994, 4.887208760321688, 3.5910651704516594, 5.20205209930337, 4.1001751224503495, 2.2850931270004575, 1.0691777434842251, 0.0), # 83
(14.253850885668278, 11.707597013142175, 11.407356095679013, 12.275606114130436, 10.392356572258533, 5.0183628943758585, 4.867924473493101, 3.9925781893004118, 5.359951131687243, 2.3268514451706617, 1.825327777777778, 1.0436769547325107, 0.0, 14.010795717592593, 11.480446502057614, 9.12663888888889, 6.980554335511984, 10.719902263374486, 5.589609465020577, 4.867924473493101, 3.5845449245541845, 5.196178286129267, 4.091868704710146, 2.281471219135803, 1.0643270011947434, 0.0), # 84
(14.223261465974833, 11.653803403911677, 11.388965692158209, 12.250136498590983, 10.380066704322333, 5.008867106132196, 4.8484988165362175, 3.974875209571713, 5.35077436747447, 2.3191804513300527, 1.8192874160710422, 1.041146748329443, 0.0, 13.992126950445819, 11.452614231623869, 9.09643708035521, 6.957541353990157, 10.70154873494894, 5.564825293400398, 4.8484988165362175, 3.577762218665854, 5.190033352161167, 4.083378832863662, 2.2777931384316417, 1.05943667308288, 0.0), # 85
(14.191449645136279, 11.59960092703217, 11.370299225537268, 12.224138501409021, 10.367257188197637, 4.999027772697253, 4.828939212996585, 3.9573322664228017, 5.341458691510441, 2.311486864089944, 1.8131072941894584, 1.0385815023383795, 0.0, 13.97268400634431, 11.424396525722173, 9.065536470947292, 6.934460592269831, 10.682917383020882, 5.540265172991923, 4.828939212996585, 3.57073412335518, 5.183628594098819, 4.074712833803008, 2.274059845107454, 1.0545091751847429, 0.0), # 86
(14.15847954911433, 11.545016158900838, 11.35136149691358, 12.19763410326087, 10.353950617283953, 4.988868792866941, 4.809253086419753, 3.939955761316873, 5.332013065843622, 2.3037708641975314, 1.8067975013290805, 1.035982564435781, 0.0, 13.95250289351852, 11.39580820879359, 9.033987506645403, 6.9113125925925925, 10.664026131687244, 5.515938065843622, 4.809253086419753, 3.563477709190672, 5.1769753086419765, 4.065878034420291, 2.2702722993827162, 1.0495469235364399, 0.0), # 87
(14.124415303870702, 11.490075675914863, 11.332157307384547, 12.170645284822868, 10.340169584980769, 4.97841406543718, 4.789447860351274, 3.9227520957171165, 5.322446452522482, 2.296032632400011, 1.8003681266859632, 1.0333512822981095, 0.0, 13.931619620198905, 11.366864105279202, 9.001840633429817, 6.888097897200032, 10.644892905044964, 5.491852934003963, 4.789447860351274, 3.556010046740843, 5.1700847924903846, 4.056881761607624, 2.2664314614769094, 1.0445523341740786, 0.0), # 88
(14.089321035367092, 11.434806054471437, 11.312691458047555, 12.143194026771337, 10.325936684687594, 4.967687489203883, 4.769530958336696, 3.905727671086725, 5.312767813595489, 2.2882723494445796, 1.7938292594561607, 1.030689003601826, 0.0, 13.910070194615912, 11.337579039620083, 8.969146297280803, 6.864817048333737, 10.625535627190978, 5.4680187395214155, 4.769530958336696, 3.548348206574202, 5.162968342343797, 4.047731342257113, 2.2625382916095114, 1.0395278231337672, 0.0), # 89
(14.053260869565218, 11.379233870967743, 11.292968750000002, 12.115302309782612, 10.311274509803923, 4.956712962962964, 4.749509803921569, 3.8888888888888893, 5.302986111111112, 2.280490196078432, 1.787190988835726, 1.027997076023392, 0.0, 13.887890625, 11.30796783625731, 8.93595494417863, 6.841470588235294, 10.605972222222224, 5.4444444444444455, 4.749509803921569, 3.54050925925926, 5.155637254901961, 4.0384341032608715, 2.2585937500000006, 1.0344758064516133, 0.0), # 90
(14.016298932426789, 11.323385701800964, 11.272993984339278, 12.086992114533015, 10.296205653729254, 4.945514385510339, 4.729391820651443, 3.8722421505868017, 5.293110307117818, 2.2726863530487647, 1.7804634040207143, 1.025276847239269, 0.0, 13.865116919581618, 11.278045319631957, 8.902317020103572, 6.818059059146293, 10.586220614235636, 5.4211390108215225, 4.729391820651443, 3.5325102753645283, 5.148102826864627, 4.0289973715110055, 2.254598796867856, 1.0293987001637241, 0.0), # 91
(13.978499349913523, 11.267288123368292, 11.252771962162782, 12.058285421698875, 10.280752709863094, 4.934115655641925, 4.709184432071869, 3.8557938576436523, 5.2831493636640765, 2.2648610011027737, 1.7736565942071794, 1.0225296649259181, 0.0, 13.841785086591221, 11.247826314185097, 8.868282971035896, 6.79458300330832, 10.566298727328153, 5.398111400701113, 4.709184432071869, 3.524368325458518, 5.140376354931547, 4.019428473899626, 2.2505543924325564, 1.0242989203062085, 0.0), # 92
(13.939926247987117, 11.210967712066907, 11.232307484567903, 12.029204211956525, 10.264938271604938, 4.9225406721536356, 4.688895061728395, 3.839550411522634, 5.273112242798354, 2.2570143209876545, 1.7667806485911755, 1.019756876759801, 0.0, 13.81793113425926, 11.217325644357809, 8.833903242955877, 6.771042962962962, 10.546224485596708, 5.375370576131688, 4.688895061728395, 3.5161004801097393, 5.132469135802469, 4.009734737318842, 2.246461496913581, 1.0191788829151736, 0.0), # 93
(13.900643752609293, 11.154451044293994, 11.211605352652038, 11.999770465982289, 10.248784932354287, 4.910813333841387, 4.6685311331665735, 3.8235182136869392, 5.263007906569121, 2.2491464934506045, 1.7598456563687561, 1.016959830417379, 0.0, 13.793591070816188, 11.186558134591166, 8.79922828184378, 6.747439480351812, 10.526015813138242, 5.3529254991617155, 4.6685311331665735, 3.5077238098867047, 5.124392466177143, 3.9999234886607637, 2.2423210705304077, 1.014041004026727, 0.0), # 94
(13.860715989741754, 11.097764696446747, 11.190670367512576, 11.970006164452498, 10.232315285510639, 4.898957539501094, 4.648100069931951, 3.807703665599757, 5.252845317024844, 2.241257699238818, 1.752861706735976, 1.014139873575113, 0.0, 13.768800904492457, 11.155538609326241, 8.764308533679879, 6.723773097716453, 10.505690634049689, 5.33078513183966, 4.648100069931951, 3.499255385357924, 5.1161576427553195, 3.9900020548175, 2.2381340735025153, 1.0088876996769771, 0.0), # 95
(13.820207085346219, 11.040935244922345, 11.169507330246915, 11.93993328804348, 10.215551924473493, 4.88699718792867, 4.62760929557008, 3.7921131687242804, 5.242633436213992, 2.2333481190994924, 1.7458388888888892, 1.0112983539094653, 0.0, 13.74359664351852, 11.124281893004117, 8.729194444444445, 6.700044357298475, 10.485266872427983, 5.3089584362139925, 4.62760929557008, 3.490712277091907, 5.1077759622367465, 3.9799777626811608, 2.2339014660493834, 1.0037213859020315, 0.0), # 96
(13.779181165384388, 10.983989266117973, 11.148121041952448, 11.909573817431562, 10.198517442642354, 4.8749561779200326, 4.60706623362651, 3.7767531245237014, 5.2323812261850335, 2.2254179337798226, 1.7387872920235496, 1.0084366190968967, 0.0, 13.718014296124831, 11.09280281006586, 8.693936460117747, 6.676253801339467, 10.464762452370067, 5.287454374333182, 4.60706623362651, 3.482111555657166, 5.099258721321177, 3.969857939143855, 2.2296242083904896, 0.9985444787379977, 0.0), # 97
(13.737702355817978, 10.926953336430817, 11.126516303726566, 11.878949733293078, 10.181234433416716, 4.862858408271099, 4.58647830764679, 3.7616299344612103, 5.222097648986434, 2.2174673240270053, 1.7317170053360116, 1.0055560168138682, 0.0, 13.69208987054184, 11.06111618495255, 8.658585026680058, 6.652401972081014, 10.444195297972868, 5.266281908245695, 4.58647830764679, 3.4734702916222133, 5.090617216708358, 3.9596499110976935, 2.2253032607453136, 0.9933593942209834, 0.0), # 98
(13.695834782608697, 10.869854032258065, 11.10469791666667, 11.848083016304349, 10.163725490196079, 4.850727777777779, 4.5658529411764714, 3.7467500000000005, 5.211791666666667, 2.2094964705882356, 1.724638118022329, 1.0026578947368423, 0.0, 13.665859375000002, 11.029236842105265, 8.623190590111644, 6.628489411764706, 10.423583333333333, 5.245450000000001, 4.5658529411764714, 3.4648055555555564, 5.081862745098039, 3.949361005434784, 2.220939583333334, 0.988168548387097, 0.0), # 99
(13.653642571718258, 10.8127179299969, 11.082670681870143, 11.816995647141708, 10.146013206379946, 4.8385881852359915, 4.545197557761102, 3.732119722603262, 5.201472241274196, 2.201505554210711, 1.717560719278556, 0.9997436005422796, 0.0, 13.639358817729768, 10.997179605965075, 8.58780359639278, 6.6045166626321326, 10.402944482548392, 5.224967611644567, 4.545197557761102, 3.456134418025708, 5.073006603189973, 3.938998549047237, 2.2165341363740287, 0.9829743572724456, 0.0), # 100
(13.611189849108369, 10.755571606044516, 11.060439400434387, 11.785709606481484, 10.128120175367815, 4.82646352944165, 4.524519580946234, 3.7177455037341867, 5.191148334857491, 2.1934947556416264, 1.7104948983007466, 0.9968144819066413, 0.0, 13.612624206961591, 10.964959300973053, 8.552474491503732, 6.580484266924878, 10.382296669714982, 5.204843705227861, 4.524519580946234, 3.4474739496011786, 5.064060087683908, 3.928569868827162, 2.2120878800868775, 0.977779236913138, 0.0), # 101
(13.568540740740744, 10.698441636798089, 11.038008873456791, 11.754246875000002, 10.110068990559187, 4.814377709190674, 4.503826434277415, 3.7036337448559675, 5.180828909465021, 2.1854642556281783, 1.7034507442849551, 0.9938718865063897, 0.0, 13.585691550925928, 10.932590751570284, 8.517253721424776, 6.556392766884533, 10.361657818930041, 5.185087242798355, 4.503826434277415, 3.438841220850481, 5.055034495279593, 3.918082291666668, 2.207601774691358, 0.972585603345281, 0.0), # 102
(13.525759372577088, 10.641354598654807, 11.015383902034753, 11.722629433373593, 10.09188224535356, 4.802354623278973, 4.483125541300197, 3.689790847431795, 5.170522927145252, 2.1774142349175616, 1.696438346427236, 0.9909171620179854, 0.0, 13.558596857853223, 10.900088782197837, 8.482191732136178, 6.532242704752683, 10.341045854290504, 5.1657071864045125, 4.483125541300197, 3.4302533023421233, 5.04594112267678, 3.907543144457865, 2.2030767804069504, 0.9673958726049827, 0.0), # 103
(13.482909870579116, 10.58433706801186, 10.992569287265662, 11.690879262278584, 10.073582533150434, 4.790418170502465, 4.462424325560129, 3.6762232129248593, 5.160239349946655, 2.1693448742569736, 1.689467793923642, 0.9879516561178898, 0.0, 13.53137613597394, 10.867468217296787, 8.447338969618208, 6.50803462277092, 10.32047869989331, 5.146712498094804, 4.462424325560129, 3.421727264644618, 5.036791266575217, 3.896959754092862, 2.1985138574531327, 0.9622124607283511, 0.0), # 104
(13.440056360708535, 10.527415621266428, 10.969569830246915, 11.659018342391304, 10.05519244734931, 4.778592249657065, 4.441730210602761, 3.662937242798354, 5.1499871399176955, 2.1612563543936103, 1.682549175970229, 0.9849767164825647, 0.0, 13.50406539351852, 10.83474388130821, 8.412745879851144, 6.48376906318083, 10.299974279835391, 5.128112139917696, 4.441730210602761, 3.4132801783264752, 5.027596223674655, 3.886339447463769, 2.1939139660493834, 0.9570377837514936, 0.0), # 105
(13.39726296892706, 10.470616834815702, 10.946390332075904, 11.627068654388085, 10.036734581349688, 4.766900759538689, 4.4210506199736415, 3.6499393385154706, 5.139775259106843, 2.153148856074666, 1.67569258176305, 0.9819936907884712, 0.0, 13.476700638717421, 10.801930598673183, 8.378462908815248, 6.459446568223997, 10.279550518213686, 5.109915073921659, 4.4210506199736415, 3.4049291139562063, 5.018367290674844, 3.875689551462696, 2.189278066415181, 0.9518742577105185, 0.0), # 106
(13.3545938211964, 10.413967285056863, 10.923035593850026, 11.59505217894525, 10.018231528551063, 4.755367598943252, 4.400392977218323, 3.6372359015394005, 5.129612669562567, 2.145022560047339, 1.6689081004981592, 0.9790039267120707, 0.0, 13.449317879801098, 10.769043193832776, 8.344540502490794, 6.435067680142016, 10.259225339125134, 5.092130262155161, 4.400392977218323, 3.3966911421023225, 5.009115764275531, 3.865017392981751, 2.1846071187700056, 0.9467242986415331, 0.0), # 107
(13.312113043478263, 10.357493548387097, 10.899510416666669, 11.562990896739132, 9.999705882352941, 4.744016666666668, 4.379764705882353, 3.6248333333333345, 5.119508333333334, 2.1368776470588244, 1.662205821371611, 0.9760087719298248, 0.0, 13.421953125000002, 10.736096491228071, 8.311029106858054, 6.4106329411764715, 10.239016666666668, 5.074766666666668, 4.379764705882353, 3.3885833333333344, 4.999852941176471, 3.854330298913045, 2.179902083333334, 0.9415903225806455, 0.0), # 108
(13.26988476173436, 10.301222201203595, 10.87581960162323, 11.530906788446053, 9.98118023615482, 4.732871861504853, 4.359173229511284, 3.612738035360464, 5.109471212467612, 2.1287142978563174, 1.6555958335794598, 0.9730095741181947, 0.0, 13.394642382544584, 10.70310531530014, 8.277979167897298, 6.386142893568951, 10.218942424935223, 5.05783324950465, 4.359173229511284, 3.3806227582177515, 4.99059011807741, 3.8436355961486854, 2.1751639203246462, 0.9364747455639633, 0.0), # 109
(13.227973101926404, 10.245179819903537, 10.851967949817103, 11.498821834742351, 9.962677183356197, 4.721957082253722, 4.3386259716506625, 3.6009564090839814, 5.099510269013869, 2.1205326931870148, 1.6490882263177586, 0.9700076809536419, 0.0, 13.367421660665297, 10.670084490490058, 8.245441131588793, 6.361598079561043, 10.199020538027739, 5.041338972717574, 4.3386259716506625, 3.372826487324087, 4.981338591678099, 3.832940611580785, 2.170393589963421, 0.9313799836275944, 0.0), # 110
(13.186442190016104, 10.189392980884113, 10.827960262345682, 11.46675801630435, 9.944219317356573, 4.711296227709192, 4.318130355846042, 3.5894948559670787, 5.089634465020577, 2.1123330137981124, 1.6426930887825626, 0.9670044401126275, 0.0, 13.340326967592594, 10.6370488412389, 8.213465443912813, 6.336999041394336, 10.179268930041154, 5.02529279835391, 4.318130355846042, 3.3652115912208513, 4.972109658678287, 3.8222526721014507, 2.1655920524691368, 0.9263084528076467, 0.0), # 111
(13.14535615196517, 10.133888260542502, 10.803801340306359, 11.434737313808373, 9.925829231555449, 4.700913196667176, 4.297693805642971, 3.5783597774729468, 5.079852762536198, 2.1041154404368063, 1.6364205101699256, 0.9640011992716131, 0.0, 13.313394311556928, 10.604013191987741, 8.182102550849628, 6.312346321310418, 10.159705525072397, 5.0097036884621255, 4.297693805642971, 3.357795140476554, 4.962914615777724, 3.8115791046027923, 2.160760268061272, 0.9212625691402275, 0.0), # 112
(13.104705913184263, 10.078784894108638, 10.779554132960747, 11.402825576616644, 9.907497301495457, 4.690826978191853, 4.277368174559739, 3.5675806651220205, 5.07019931192069, 2.095906657814456, 1.6302822447690024, 0.9610058425921835, 0.0, 13.286621461180511, 10.571064268514016, 8.151411223845011, 6.287719973443367, 10.14039862384138, 4.9946129311708285, 4.277368174559739, 3.3505906987084666, 4.953748650747729, 3.8009418588722155, 2.15591082659215, 0.9162531721916946, 0.0), # 113
(13.064073257060091, 10.024626385524439, 10.755553287525224, 11.371278892341204, 9.88903379759524, 4.681014596966087, 4.257412745887406, 3.557289901377987, 5.060822216666095, 2.0878603087694745, 1.6242903453264128, 0.9580564200798471, 0.0, 13.25978557982405, 10.538620620878318, 8.121451726632063, 6.263580926308422, 10.12164443333219, 4.980205861929182, 4.257412745887406, 3.3435818549757763, 4.94451689879762, 3.790426297447069, 2.1511106575050447, 0.9113296714113127, 0.0), # 114
(13.023338864205595, 9.97143223830991, 10.731813088158539, 11.340088730440868, 9.870380499362694, 4.671450535207326, 4.2378417551340934, 3.547484881662581, 5.051724990045435, 2.0799888647958276, 1.6184360526663222, 0.9551543846318662, 0.0, 13.232809284324528, 10.506698230950526, 8.09218026333161, 6.239966594387481, 10.10344998009087, 4.966478834327614, 4.2378417551340934, 3.336750382290947, 4.935190249681347, 3.780029576813624, 2.146362617631708, 0.9064938398463556, 0.0), # 115
(12.982451822532688, 9.919124960991017, 10.708287554981187, 11.309199457779725, 9.851509291291528, 4.662112249784464, 4.218623372269525, 3.5381385158577467, 5.042884624972988, 2.072277675457342, 1.6127080506300124, 0.9522943730401906, 0.0, 13.205650163658248, 10.475238103442095, 8.063540253150062, 6.216833026372026, 10.085769249945976, 4.953393922200846, 4.218623372269525, 3.330080178417474, 4.925754645645764, 3.7697331525932425, 2.1416575109962372, 0.9017386328173653, 0.0), # 116
(12.941361219953283, 9.867627062093726, 10.68493070811365, 11.278555441221856, 9.832392057875436, 4.652977197566394, 4.199725767263427, 3.529223713845425, 5.034278114363028, 2.0647120903178457, 1.6070950230587664, 0.949471022096771, 0.0, 13.178265806801516, 10.44418124306448, 8.035475115293831, 6.1941362709535355, 10.068556228726056, 4.940913199383595, 4.199725767263427, 3.3235551411188533, 4.916196028937718, 3.7595184804072863, 2.1369861416227303, 0.8970570056448843, 0.0), # 117
(12.900016144379297, 9.816861050144, 10.66169656767643, 11.248101047631351, 9.81300068360812, 4.644022835422014, 4.181117110085521, 3.5207133855075567, 5.025882451129837, 2.0572774589411664, 1.6015856537938657, 0.9466789685935577, 0.0, 13.150613802730636, 10.413468654529133, 8.007928268969328, 6.171832376823498, 10.051764902259674, 4.92899873971058, 4.181117110085521, 3.317159168158581, 4.90650034180406, 3.7493670158771177, 2.132339313535286, 0.8924419136494547, 0.0), # 118
(12.858365683722639, 9.766749433667803, 10.638539153790012, 11.217780643872292, 9.793307052983273, 4.635226620220214, 4.162765570705529, 3.512580440726085, 5.017674628187687, 2.0499591308911307, 1.5961686266765933, 0.9439128493225009, 0.0, 13.122651740421906, 10.383041342547507, 7.980843133382966, 6.149877392673391, 10.035349256375374, 4.91761261701652, 4.162765570705529, 3.310876157300153, 4.896653526491637, 3.7392602146240983, 2.1277078307580024, 0.8878863121516185, 0.0), # 119
(12.816358925895228, 9.717214721191104, 10.61541248657489, 11.187538596808764, 9.773283050494598, 4.626566008829889, 4.144639319093177, 3.5047977893829505, 5.009631638450861, 2.0427424557315677, 1.5908326255482306, 0.9411673010755515, 0.0, 13.094337208851638, 10.352840311831065, 7.954163127741153, 6.128227367194702, 10.019263276901722, 4.906716905136131, 4.144639319093177, 3.3046900063070637, 4.886641525247299, 3.729179532269589, 2.1230824973149782, 0.8833831564719186, 0.0), # 120
(12.773944958808976, 9.668179421239865, 10.592270586151553, 11.157319273304857, 9.75290056063579, 4.618018458119934, 4.126706525218187, 3.4973383413600962, 5.001730474833633, 2.035612783026304, 1.5855663342500608, 0.9384369606446594, 0.0, 13.065627796996127, 10.322806567091252, 7.927831671250303, 6.106838349078911, 10.003460949667266, 4.8962736779041345, 4.126706525218187, 3.29858461294281, 4.876450280317895, 3.719106424434953, 2.118454117230311, 0.878925401930897, 0.0), # 121
(12.731072870375797, 9.61956604234005, 10.569067472640498, 11.127067040224649, 9.732131467900551, 4.609561424959241, 4.108935359050283, 3.490175006539462, 4.993948130250281, 2.0285554623391677, 1.5803584366233656, 0.9357164648217753, 0.0, 13.036481093831679, 10.292881113039527, 7.901792183116827, 6.085666387017502, 9.987896260500563, 4.886245009155247, 4.108935359050283, 3.2925438749708866, 4.8660657339502755, 3.7090223467415506, 2.1138134945280997, 0.8745060038490956, 0.0), # 122
(12.687691748507607, 9.571297093017627, 10.54575716616221, 11.09672626443223, 9.71094765678258, 4.601172366216706, 4.091293990559188, 3.4832806948029904, 4.986261597615085, 2.021555843233986, 1.5751976165094272, 0.9330004503988493, 0.0, 13.0068546883346, 10.263004954387341, 7.875988082547136, 6.064667529701957, 9.97252319523017, 4.876592972724187, 4.091293990559188, 3.28655169015479, 4.85547382839129, 3.698908754810744, 2.109151433232442, 0.8701179175470571, 0.0), # 123
(12.643750681116316, 9.523295081798558, 10.522293686837184, 11.066241312791686, 9.689321011775569, 4.592828738761221, 4.073750589714624, 3.476628316032624, 4.97864786984232, 2.014599275274587, 1.5700725577495283, 0.9302835541678323, 0.0, 12.976706169481197, 10.233119095846153, 7.85036278874764, 6.04379782582376, 9.95729573968464, 4.8672796424456735, 4.073750589714624, 3.280591956258015, 4.844660505887784, 3.6887471042638964, 2.104458737367437, 0.8657540983453236, 0.0), # 124
(12.599198756113843, 9.475482517208812, 10.498631054785912, 11.0355565521671, 9.667223417373222, 4.584507999461682, 4.056273326486318, 3.4701907801103036, 4.971083939846263, 2.0076711080247973, 1.5649719441849508, 0.927560412920674, 0.0, 12.94599312624776, 10.203164542127412, 7.824859720924753, 6.023013324074391, 9.942167879692526, 4.858267092154425, 4.056273326486318, 3.2746485710440583, 4.833611708686611, 3.678518850722367, 2.0997262109571824, 0.8614075015644376, 0.0), # 125
(12.553985061412101, 9.427781907774351, 10.474723290128884, 11.004616349422557, 9.644626758069233, 4.5761876051869805, 4.038830370843989, 3.463940996917971, 4.963546800541195, 2.0007566910484456, 1.5598844596569765, 0.9248256634493257, 0.0, 12.91467314761061, 10.173082297942582, 7.799422298284883, 6.002270073145335, 9.92709360108239, 4.849517395685159, 4.038830370843989, 3.268705432276415, 4.822313379034616, 3.66820544980752, 2.094944658025777, 0.8570710825249411, 0.0), # 126
(12.508058684923006, 9.380115762021138, 10.450524412986589, 10.973365071422144, 9.621502918357304, 4.567845012806012, 4.021389892757366, 3.4578518763375685, 4.95601344484139, 1.993841373909359, 1.5547987880068885, 0.9220739425457369, 0.0, 12.88270382254604, 10.142813368003106, 7.773993940034442, 5.981524121728076, 9.91202688968278, 4.8409926268725965, 4.021389892757366, 3.26274643771858, 4.810751459178652, 3.6577883571407157, 2.090104882597318, 0.8527377965473764, 0.0), # 127
(12.461368714558466, 9.332406588475143, 10.425988443479525, 10.941747085029949, 9.597823782731137, 4.5594576791876715, 4.003920062196168, 3.451896328251037, 4.948460865661126, 1.986910506171365, 1.5497036130759692, 0.9192998870018588, 0.0, 12.850042740030352, 10.112298757020445, 7.748518065379845, 5.960731518514094, 9.896921731322252, 4.832654859551452, 4.003920062196168, 3.2567554851340508, 4.798911891365568, 3.6472490283433174, 2.085197688695905, 0.8484005989522859, 0.0), # 128
(12.413864238230394, 9.284576895662326, 10.401069401728181, 10.909706757110053, 9.573561235684425, 4.551003061200851, 3.9863890491301195, 3.446047262540319, 4.9408660559146815, 1.9799494373982915, 1.5445876187055003, 0.916498133609641, 0.0, 12.816647489039854, 10.08147946970605, 7.7229380935275005, 5.939848312194873, 9.881732111829363, 4.824466167556446, 3.9863890491301195, 3.250716472286322, 4.786780617842212, 3.636568919036685, 2.0802138803456365, 0.8440524450602116, 0.0), # 129
(12.365494343850713, 9.236549192108656, 10.375721307853043, 10.877188454526541, 9.548687161710866, 4.542458615714445, 3.968765023528944, 3.440277589087355, 4.933206008516334, 1.9729435171539655, 1.539439488736764, 0.9136633191610346, 0.0, 12.78247565855085, 10.050296510771378, 7.697197443683819, 5.9188305514618955, 9.866412017032667, 4.816388624722297, 3.968765023528944, 3.244613296938889, 4.774343580855433, 3.6257294848421813, 2.075144261570609, 0.8396862901916962, 0.0), # 130
(12.316208119331334, 9.188245986340096, 10.349898181974611, 10.8441365441435, 9.523173445304161, 4.533801799597346, 3.9510161553623666, 3.4345602177740875, 4.92545771638036, 1.9658780950022154, 1.5342479070110426, 0.9107900804479897, 0.0, 12.747484837539638, 10.018690884927885, 7.671239535055213, 5.897634285006645, 9.85091543276072, 4.808384304883723, 3.9510161553623666, 3.238429856855247, 4.761586722652081, 3.614712181381168, 2.0699796363949226, 0.8352950896672816, 0.0), # 131
(12.265954652584163, 9.139589786882611, 10.32355404421337, 10.810495392825016, 9.49699197095801, 4.525010069718451, 3.9331106146001082, 3.4288680584824593, 4.917598172421039, 1.9587385205068681, 1.5290015573696185, 0.9078730542624567, 0.0, 12.711632614982527, 9.986603596887022, 7.645007786848092, 5.876215561520603, 9.835196344842078, 4.800415281875443, 3.9331106146001082, 3.2321500497988938, 4.748495985479005, 3.6034984642750065, 2.0647108088426744, 0.8308717988075103, 0.0), # 132
(12.21468303152113, 9.090503102262165, 10.296642914689816, 10.776209367435175, 9.470114623166108, 4.516060882946651, 3.915016571211893, 3.4231740210944106, 4.909604369552646, 1.9515101432317519, 1.5236891236537742, 0.904906877396386, 0.0, 12.674876579855821, 9.953975651360244, 7.618445618268871, 5.854530429695254, 9.819208739105292, 4.792443629532175, 3.915016571211893, 3.2257577735333225, 4.735057311583054, 3.5920697891450595, 2.059328582937963, 0.8264093729329243, 0.0), # 133
(12.162342344054133, 9.040908441004726, 10.26911881352444, 10.741222834838059, 9.442513286422153, 4.5069316961508425, 3.896702195167445, 3.4174510154918845, 4.90145330068946, 1.9441783127406937, 1.518299289704792, 0.9018861866417278, 0.0, 12.637174321135817, 9.920748053059004, 7.5914964485239596, 5.83253493822208, 9.80290660137892, 4.784431421688638, 3.896702195167445, 3.21923692582203, 4.721256643211077, 3.5804076116126873, 2.053823762704888, 0.8219007673640661, 0.0), # 134
(12.108881678095097, 8.990728311636257, 10.24093576083773, 10.705480161897759, 9.414159845219846, 4.4975999661999175, 3.8781356564364877, 3.4116719515568206, 4.893121958745757, 1.9367283785975222, 1.5128207393639534, 0.898805618790433, 0.0, 12.59848342779883, 9.88686180669476, 7.5641036968197675, 5.810185135792565, 9.786243917491515, 4.776340732179549, 3.8781356564364877, 3.212571404428512, 4.707079922609923, 3.5684933872992537, 2.048187152167546, 0.817338937421478, 0.0), # 135
(12.05425012155593, 8.93988522268272, 10.212047776750177, 10.668925715478352, 9.385026184052883, 4.488043149962771, 3.8592851249887445, 3.4058097391711617, 4.884587336635816, 1.9291456903660635, 1.5072421564725416, 0.8956598106344515, 0.0, 12.558761488821151, 9.852257916978965, 7.536210782362707, 5.787437071098189, 9.769174673271632, 4.768133634839627, 3.8592851249887445, 3.205745107116265, 4.6925130920264415, 3.556308571826118, 2.042409555350036, 0.812716838425702, 0.0), # 136
(11.998396762348548, 8.888301682670086, 10.18240888138228, 10.631503862443932, 9.355084187414965, 4.478238704308296, 3.8401187707939393, 3.399837288216851, 4.875826427273916, 1.9214155976101461, 1.5015522248718383, 0.8924433989657341, 0.0, 12.517966093179089, 9.816877388623073, 7.507761124359191, 5.764246792830437, 9.751652854547832, 4.759772203503592, 3.8401187707939393, 3.1987419316487826, 4.6775420937074825, 3.543834620814645, 2.036481776276456, 0.8080274256972807, 0.0), # 137
(11.941270688384867, 8.835900200124316, 10.15197309485452, 10.593158969658578, 9.32430573979979, 4.4681640861053875, 3.8206047638217933, 3.393727508575828, 4.8668162235743315, 1.913523449893597, 1.4957396284031257, 0.889151020576231, 0.0, 12.476054829848946, 9.78066122633854, 7.478698142015627, 5.740570349680789, 9.733632447148663, 4.751218512006159, 3.8206047638217933, 3.1915457757895624, 4.662152869899895, 3.5310529898861933, 2.0303946189709046, 0.8032636545567561, 0.0), # 138
(11.882820987576796, 8.782603283571376, 10.120694437287398, 10.553835403986378, 9.292662725701055, 4.457796752222938, 3.800711274042032, 3.3874533101300353, 4.85753371845134, 1.9054545967802445, 1.4897930509076862, 0.8857773122578926, 0.0, 12.432985287807028, 9.743550434836816, 7.448965254538431, 5.716363790340733, 9.71506743690268, 4.742434634182049, 3.800711274042032, 3.184140537302099, 4.646331362850527, 3.517945134662127, 2.0241388874574797, 0.7984184803246707, 0.0), # 139
(11.822996747836257, 8.72833344153723, 10.088526928801404, 10.513477532291418, 9.26012702961246, 4.447114159529844, 3.780406471424378, 3.3809876027614147, 4.847955904819222, 1.8971943878339157, 1.4837011762268022, 0.8823169108026693, 0.0, 12.38871505602964, 9.70548601882936, 7.41850588113401, 5.691583163501746, 9.695911809638444, 4.733382643865981, 3.780406471424378, 3.176510113949888, 4.63006351480623, 3.5044925107638067, 2.017705385760281, 0.7934848583215663, 0.0), # 140
(11.761747057075162, 8.673013182547843, 10.055424589517022, 10.472029721437782, 9.226670536027703, 4.436093764894997, 3.7596585259385567, 3.374303296351908, 4.838059775592251, 1.8887281726184386, 1.477452688201756, 0.8787644530025115, 0.0, 12.34320172349308, 9.666408983027624, 7.38726344100878, 5.6661845178553145, 9.676119551184502, 4.724024614892672, 3.7596585259385567, 3.168638403496426, 4.613335268013851, 3.490676573812595, 2.0110849179034047, 0.7884557438679859, 0.0), # 141
(11.69902100320542, 8.616565015129181, 10.02134143955475, 10.429436338289557, 9.192265129440482, 4.424713025187291, 3.7384356075542886, 3.367373300783457, 4.827822323684707, 1.8800413006976404, 1.4710362706738296, 0.8751145756493696, 0.0, 12.296402879173653, 9.626260332143064, 7.355181353369148, 5.64012390209292, 9.655644647369414, 4.71432262109684, 3.7384356075542886, 3.160509303705208, 4.596132564720241, 3.4764787794298533, 2.0042682879109504, 0.7833240922844712, 0.0), # 142
(11.634767674138946, 8.558911447807208, 9.986231499035082, 10.385641749710825, 9.156882694344494, 4.412949397275621, 3.7167058862412983, 3.360170525938002, 4.817220542010869, 1.871119121635349, 1.4644406074843055, 0.8713619155351939, 0.0, 12.248276112047666, 9.584981070887132, 7.322203037421526, 5.6133573649060455, 9.634441084021738, 4.704238736313203, 3.7167058862412983, 3.1521067123397293, 4.578441347172247, 3.4618805832369426, 1.9972462998070164, 0.7780828588915646, 0.0), # 143
(11.56893615778766, 8.499974989107892, 9.950048788078501, 10.340590322565676, 9.12049511523344, 4.400780338028881, 3.6944375319693092, 3.3526678816974873, 4.806231423485011, 1.8619469849953916, 1.4576543824744654, 0.867501109451935, 0.0, 12.198779011091421, 9.542512203971285, 7.288271912372326, 5.585840954986173, 9.612462846970022, 4.693735034376482, 3.6944375319693092, 3.1434145271634857, 4.56024755761672, 3.446863440855226, 1.9900097576157, 0.7727249990098085, 0.0), # 144
(11.501475542063469, 8.439678147557194, 9.912747326805505, 10.294226423718191, 9.083074276601018, 4.388183304315964, 3.6715987147080456, 3.344838277943853, 4.794831961021412, 1.8525102403415963, 1.4506662794855925, 0.8635267941915434, 0.0, 12.14786916528122, 9.498794736106976, 7.253331397427962, 5.557530721024787, 9.589663922042824, 4.682773589121394, 3.6715987147080456, 3.1344166459399743, 4.541537138300509, 3.4314088079060645, 1.9825494653611013, 0.7672434679597451, 0.0), # 145
(11.432334914878291, 8.377943431681082, 9.874281135336586, 10.246494420032459, 9.044592062940927, 4.375135753005765, 3.6481576044272312, 3.336654624559041, 4.782999147534349, 1.8427942372377903, 1.4434649823589683, 0.8594336065459691, 0.0, 12.095504163593366, 9.453769672005658, 7.21732491179484, 5.52838271171337, 9.565998295068699, 4.671316474382658, 3.6481576044272312, 3.125096966432689, 4.522296031470463, 3.41549814001082, 1.9748562270673173, 0.7616312210619166, 0.0), # 146
(11.361463364144042, 8.314693350005518, 9.83460423379223, 10.19733867837256, 9.005020358746862, 4.361615140967176, 3.6240823710965873, 3.3280898314249927, 4.770709975938102, 1.8327843252478015, 1.4360391749358754, 0.855216183307163, 0.0, 12.041641595004167, 9.407378016378791, 7.180195874679377, 5.498352975743403, 9.541419951876204, 4.65932576399499, 3.6240823710965873, 3.1154393864051255, 4.502510179373431, 3.3991128927908543, 1.966920846758446, 0.7558812136368653, 0.0), # 147
(11.288809977772631, 8.24985041105647, 9.793670642292932, 10.146703565602587, 8.964331048512523, 4.347598925069094, 3.599341184685839, 3.3191168084236504, 4.757941439146947, 1.822465853935457, 1.428377541057596, 0.8508691612670749, 0.0, 11.986239048489919, 9.359560773937822, 7.141887705287981, 5.4673975618063695, 9.515882878293894, 4.646763531793111, 3.599341184685839, 3.105427803620781, 4.482165524256262, 3.38223452186753, 1.9587341284585866, 0.7499864010051337, 0.0), # 148
(11.214323843675977, 8.1833371233599, 9.751434380959186, 10.094533448586619, 8.922496016731612, 4.33306456218041, 3.573902215164709, 3.3097084654369557, 4.744670530075158, 1.8118241728645852, 1.4204687645654126, 0.8463871772176558, 0.0, 11.929254113026934, 9.310258949394212, 7.102343822827062, 5.4354725185937545, 9.489341060150316, 4.6335918516117385, 3.573902215164709, 3.09504611584315, 4.461248008365806, 3.3648444828622073, 1.950286876191837, 0.7439397384872637, 0.0), # 149
(11.137954049765991, 8.115075995441773, 9.707849469911476, 10.040772694188746, 8.879487147897825, 4.317989509170021, 3.5477336325029207, 3.29983771234685, 4.730874241637018, 1.8008446315990123, 1.412301529300607, 0.8417648679508558, 0.0, 11.870644377591507, 9.259413547459413, 7.061507646503035, 5.402533894797036, 9.461748483274036, 4.61977279728559, 3.5477336325029207, 3.084278220835729, 4.439743573948912, 3.3469242313962493, 1.9415698939822956, 0.7377341814037977, 0.0), # 150
(11.059649683954586, 8.044989535828057, 9.6628699292703, 9.985365669273047, 8.835276326504857, 4.302351222906816, 3.5208036066701984, 3.2894774590352758, 4.716529566746802, 1.789512579702568, 1.4038645191044614, 0.8369968702586252, 0.0, 11.810367431159946, 9.206965572844876, 7.019322595522306, 5.368537739107703, 9.433059133493604, 4.605268442649386, 3.5208036066701984, 3.0731080163620117, 4.417638163252429, 3.3284552230910167, 1.9325739858540603, 0.731362685075278, 0.0), # 151
(10.979359834153682, 7.973000253044715, 9.616449779156152, 9.928256740703617, 8.789835437046412, 4.286127160259694, 3.4930803076362653, 3.2786006153841747, 4.701613498318786, 1.7778133667390779, 1.3951464178182584, 0.8320778209329146, 0.0, 11.748380862708558, 9.15285603026206, 6.975732089091292, 5.333440100217232, 9.403226996637573, 4.590040861537845, 3.4930803076362653, 3.061519400185496, 4.394917718523206, 3.309418913567873, 1.9232899558312306, 0.7248182048222469, 0.0), # 152
(10.897033588275185, 7.899030655617714, 9.568543039689514, 9.86939027534453, 8.743136364016186, 4.269294778097547, 3.4645319053708437, 3.2671800912754865, 4.686103029267251, 1.7657323422723707, 1.3861359092832806, 0.8270023567656742, 0.0, 11.68464226121364, 9.097025924422415, 6.930679546416402, 5.297197026817111, 9.372206058534502, 4.574052127785681, 3.4645319053708437, 3.049496270069676, 4.371568182008093, 3.2897967584481775, 1.9137086079379029, 0.7180936959652467, 0.0), # 153
(10.81262003423102, 7.823003252073014, 9.519103730990887, 9.80871064005988, 8.695150991907875, 4.251831533289268, 3.43512656984366, 3.2551887965911552, 4.6699751525064706, 1.7532548558662742, 1.3768216773408095, 0.8217651145488547, 0.0, 11.6191092156515, 9.0394162600374, 6.884108386704048, 5.259764567598821, 9.339950305012941, 4.557264315227617, 3.43512656984366, 3.037022523778049, 4.347575495953937, 3.2695702133532945, 1.9038207461981775, 0.7111821138248196, 0.0), # 154
(10.72606825993309, 7.744840550936584, 9.468085873180756, 9.746162201713748, 8.645851205215184, 4.233714882703753, 3.404832471024433, 3.2425996412131215, 4.653206860950727, 1.7403662570846146, 1.3671924058321279, 0.8163607310744064, 0.0, 11.551739314998438, 8.97996804181847, 6.8359620291606396, 5.221098771253843, 9.306413721901453, 4.53963949769837, 3.404832471024433, 3.0240820590741087, 4.322925602607592, 3.2487207339045834, 1.8936171746361512, 0.7040764137215078, 0.0), # 155
(10.637327353293314, 7.664465060734389, 9.415443486379615, 9.68168932717022, 8.595208888431804, 4.214922283209894, 3.37361777888289, 3.2293855350233276, 4.635775147514292, 1.727051895491221, 1.357236778598518, 0.8107838431342794, 0.0, 11.48249014823076, 8.918622274477073, 6.7861838929925895, 5.181155686473662, 9.271550295028584, 4.521139749032659, 3.37361777888289, 3.0106587737213526, 4.297604444215902, 3.2272297757234076, 1.8830886972759233, 0.6967695509758537, 0.0), # 156
(10.546346402223609, 7.581799289992394, 9.361130590707957, 9.615236383293386, 8.543195926051439, 4.195431191676585, 3.3414506633887537, 3.215519387903715, 4.6176570051114485, 1.7132971206499201, 1.3469434794812618, 0.8050290875204243, 0.0, 11.411319304324769, 8.855319962724668, 6.734717397406309, 5.1398913619497595, 9.235314010222897, 4.501727143065201, 3.3414506633887537, 2.996736565483275, 4.2715979630257195, 3.205078794431129, 1.8722261181415913, 0.6892544809083996, 0.0), # 157
(10.450553324967336, 7.495248171657732, 9.302523946219415, 9.544258060733807, 8.48743569881293, 4.174003322325641, 3.3075747046495003, 3.200048222203801, 4.597442309412912, 1.698678070701901, 1.335972342259087, 0.7988866158226731, 0.0, 11.335080203181485, 8.787752774049402, 6.679861711295434, 5.096034212105701, 9.194884618825824, 4.480067511085322, 3.3075747046495003, 2.9814309445183147, 4.243717849406465, 3.1814193535779363, 1.8605047892438833, 0.6813861974234302, 0.0), # 158
(10.335201473769764, 7.395933826819331, 9.224527454803487, 9.454176016727876, 8.414178555796186, 4.143513212539135, 3.2677489343700015, 3.17754122744589, 4.566999388570334, 1.6807983479345614, 1.3223972849777657, 0.7911589610963629, 0.0, 11.235598705688274, 8.70274857205999, 6.611986424888827, 5.042395043803683, 9.133998777140668, 4.448557718424246, 3.2677489343700015, 2.9596522946708106, 4.207089277898093, 3.1513920055759597, 1.8449054909606977, 0.6723576206199392, 0.0), # 159
(10.198820932866035, 7.28304080162725, 9.125574450948537, 9.343506385929302, 8.321992122590341, 4.103212058438943, 3.221570623868649, 3.147432860557619, 4.525465106040038, 1.6594219781520132, 1.3060272186755595, 0.7817252273702489, 0.0, 11.110988852451014, 8.598977501072737, 6.530136093377798, 4.978265934456038, 9.050930212080075, 4.406406004780667, 3.221570623868649, 2.9308657560278157, 4.160996061295171, 3.114502128643102, 1.8251148901897079, 0.6620946183297501, 0.0), # 160
(10.042510876420344, 7.1573051140366015, 9.006721467228694, 9.213301128944565, 8.211833582663305, 4.053588080615757, 3.1693770122048135, 3.1101003109807053, 4.473387224599541, 1.6347303676098288, 1.2870063860732652, 0.77067287137255, 0.0, 10.962523662746737, 8.477401585098049, 6.435031930366326, 4.904191102829485, 8.946774449199083, 4.354140435372988, 3.1693770122048135, 2.8954200575826836, 4.105916791331652, 3.071100376314856, 1.801344293445739, 0.6506641012760548, 0.0), # 161
(9.8673704785969, 7.01946278200249, 8.86902503621808, 9.064612206380144, 8.08466011948299, 3.9951294996602726, 3.1115053384378664, 3.0659207681568685, 4.411313507026364, 1.6069049225635816, 1.2654790298916783, 0.7580893498314843, 0.0, 10.791476155852466, 8.338982848146326, 6.3273951494583915, 4.820714767690744, 8.822627014052728, 4.292289075419616, 3.1115053384378664, 2.8536639283287664, 4.042330059741495, 3.0215374021267154, 1.773805007243616, 0.6381329801820447, 0.0), # 162
(9.674498913559898, 6.870249823480022, 8.71354169049082, 8.898491578842531, 7.941428916517308, 3.928324536163185, 3.048292841627181, 3.015271421527823, 4.339791716098023, 1.5761270492688444, 1.2415893928515955, 0.7440621194752707, 0.0, 10.599119351045232, 8.184683314227977, 6.207946964257977, 4.728381147806532, 8.679583432196045, 4.221379990138953, 3.048292841627181, 2.8059460972594175, 3.970714458258654, 2.9661638596141775, 1.742708338098164, 0.6245681657709112, 0.0), # 163
(9.464995355473539, 6.710402256424303, 8.54132796262104, 8.71599120693821, 7.783097157234176, 3.853661410715189, 2.9800767608321266, 2.9585294605352903, 4.259369614592037, 1.5425781539811894, 1.2154817176738126, 0.7286786370321272, 0.0, 10.386726267602059, 8.015465007353399, 6.077408588369063, 4.627734461943566, 8.518739229184074, 4.141941244749407, 2.9800767608321266, 2.752615293367992, 3.891548578617088, 2.905330402312737, 1.7082655925242083, 0.6100365687658459, 0.0), # 164
(9.239958978502024, 6.5406560987904445, 8.353440385182864, 8.518163051273666, 7.610622025101502, 3.771628343906979, 2.9071943351120755, 2.8960720746209856, 4.1705949652859235, 1.5064396429561904, 1.1873002470791263, 0.7120263592302724, 0.0, 10.155569924799979, 7.832289951532995, 5.936501235395631, 4.51931892886857, 8.341189930571847, 4.05450090446938, 2.9071943351120755, 2.694020245647842, 3.805311012550751, 2.839387683757889, 1.670688077036573, 0.5946050998900405, 0.0), # 165
(9.000488956809557, 6.361747368533551, 8.150935490750417, 8.306059072455376, 7.4249607035872005, 3.682713556329251, 2.8299828035264003, 2.8282764532266285, 4.074015530957201, 1.4678929224494195, 1.157189223788332, 0.6941927427979253, 0.0, 9.906923341916015, 7.636120170777177, 5.78594611894166, 4.403678767348258, 8.148031061914402, 3.95958703451728, 2.8299828035264003, 2.630509683092322, 3.7124803517936003, 2.768686357485126, 1.6301870981500834, 0.5783406698666865, 0.0), # 166
(8.747684464560333, 6.174412083608727, 7.934869811897824, 8.080731231089835, 7.2270703761591815, 3.5874052685726983, 2.7487794051344725, 2.7555197857939366, 3.9701790743833865, 1.4271193987164503, 1.1252928905222266, 0.6752652444633036, 0.0, 9.642059538227196, 7.427917689096338, 5.626464452611132, 4.28135819614935, 7.940358148766773, 3.8577277001115116, 2.7487794051344725, 2.562432334694784, 3.6135351880795907, 2.693577077029946, 1.5869739623795647, 0.5613101894189753, 0.0), # 167
(8.482644675918554, 5.979386261971081, 7.706299881199207, 7.843231487783524, 7.017908226285359, 3.4861917012280164, 2.663921378995663, 2.6781792617646265, 3.8596333583419993, 1.3843004780128556, 1.0917554900016058, 0.6553313209546264, 0.0, 9.362251533010546, 7.20864453050089, 5.458777450008029, 4.152901434038566, 7.7192667166839986, 3.7494509664704774, 2.663921378995663, 2.490136929448583, 3.5089541131426794, 2.614410495927842, 1.5412599762398416, 0.5435805692700985, 0.0), # 168
(8.206468765048422, 5.777405921575724, 7.466282231228694, 7.594611803142927, 6.798431437433646, 3.3795610748859013, 2.5757459641693443, 2.5966320705804184, 3.7429261456105576, 1.339617566594208, 1.0567212649472661, 0.6344784290001119, 0.0, 9.0687723455431, 6.9792627190012295, 5.28360632473633, 4.018852699782624, 7.485852291221115, 3.635284898812586, 2.5757459641693443, 2.413972196347072, 3.399215718716823, 2.5315372677143095, 1.493256446245739, 0.5252187201432478, 0.0), # 169
(7.9202559061141375, 5.569207080377758, 7.215873394560408, 7.335924137774526, 6.569597193071951, 3.268001610137046, 2.4845903997148873, 2.5112554016830275, 3.620605198966578, 1.2932520707160806, 1.020334458080004, 0.6127940253279787, 0.0, 8.762894995101878, 6.740734278607764, 5.101672290400019, 3.879756212148241, 7.241210397933156, 3.5157575623562387, 2.4845903997148873, 2.3342868643836043, 3.2847985965359756, 2.4453080459248424, 1.4431746789120816, 0.5062915527616144, 0.0), # 170
(7.6251052732799005, 5.355525756332291, 6.956129903768475, 7.068220452284813, 6.3323626766681915, 3.152001527572146, 2.390791924691664, 2.4224264445141737, 3.4932182811875796, 1.2453853966340462, 0.9827393121206148, 0.5903655666664452, 0.0, 8.445892500963913, 6.494021233330896, 4.913696560603074, 3.736156189902138, 6.986436562375159, 3.3913970223198433, 2.390791924691664, 2.2514296625515327, 3.1661813383340958, 2.356073484094938, 1.391225980753695, 0.4868659778483902, 0.0), # 171
(7.322116040709912, 5.137097967394431, 6.688108291427019, 6.792552707280267, 6.087685071690277, 3.0320490477818964, 2.2946877781590462, 2.3305223885155746, 3.3613131550510804, 1.1961989506036783, 0.9440800697898953, 0.56728050974373, 0.0, 8.119037882406225, 6.24008560718103, 4.720400348949476, 3.588596851811034, 6.722626310102161, 3.2627313439218044, 2.2946877781590462, 2.165749319844212, 3.0438425358451386, 2.2641842357600894, 1.337621658285404, 0.4670089061267665, 0.0), # 172
(7.012387382568372, 4.914659731519285, 6.412865090110164, 6.509972863367375, 5.836521561606121, 2.9086323913569916, 2.196615199176405, 2.235920423128947, 3.225437583334597, 1.145874138880549, 0.9045009738086416, 0.5436263112880514, 0.0, 7.783604158705848, 5.979889424168563, 4.522504869043208, 3.437622416641646, 6.450875166669194, 3.130288592380526, 2.196615199176405, 2.077594565254994, 2.9182607808030605, 2.169990954455792, 1.282573018022033, 0.446787248319935, 0.0), # 173
(6.697018473019482, 4.6889470666619575, 6.131456832392036, 6.221532881152618, 5.579829329883635, 2.7822397788881266, 2.096911426803113, 2.1389977377960108, 3.08613932881565, 1.0945923677202316, 0.8641462668976501, 0.519490428027628, 0.0, 7.440864349139807, 5.7143947083039075, 4.32073133448825, 3.283777103160694, 6.1722786576313, 2.994596832914415, 2.096911426803113, 1.9873141277772333, 2.7899146649418176, 2.07384429371754, 1.2262913664784072, 0.42626791515108714, 0.0), # 174
(6.377108486227438, 4.460695990777558, 5.84494005084676, 5.928284721242486, 5.318565559990731, 2.653359430965997, 1.9959137000985407, 2.040131521958481, 2.943966154271756, 1.0425350433782987, 0.8231601917777163, 0.49496031669067847, 0.0, 7.092091472985131, 5.444563483597462, 4.115800958888581, 3.1276051301348957, 5.887932308543512, 2.8561841307418736, 1.9959137000985407, 1.8952567364042836, 2.6592827799953653, 1.9760949070808291, 1.1689880101693522, 0.40551781734341447, 0.0), # 175
(6.053756596356447, 4.230642521821194, 5.554371278048459, 5.631280344243462, 5.053687435395322, 2.5224795681812964, 1.8939592581220606, 1.9396989650580787, 2.7994658224804327, 0.9898835721103237, 0.781686991169637, 0.470123434005421, 0.0, 6.738558549518844, 5.17135777405963, 3.9084349558481852, 2.9696507163309707, 5.5989316449608655, 2.71557855108131, 1.8939592581220606, 1.8017711201294973, 2.526843717697661, 1.8770934480811543, 1.1108742556096918, 0.38460386562010856, 0.0), # 176
(5.7280619775707065, 3.9995226777479713, 5.260807046571258, 5.331571710762027, 4.786152139565322, 2.3900884111247205, 1.791385339933044, 1.8380772565365193, 2.6531860962191995, 0.9368193601718788, 0.7398709077942084, 0.4450672367000743, 0.0, 6.381538598017975, 4.895739603700816, 3.699354538971042, 2.8104580805156356, 5.306372192438399, 2.5733081591511273, 1.791385339933044, 1.707206007946229, 2.393076069782661, 1.7771905702540096, 1.0521614093142517, 0.3635929707043611, 0.0), # 177
(5.401123804034416, 3.7680724765129963, 4.9653038889892835, 5.030210781404673, 4.516916855968639, 2.2566741803869648, 1.6885291845908623, 1.7356435858355217, 2.505674738265573, 0.8835238138185378, 0.6978561843722264, 0.41987918150285664, 0.0, 6.022304637759553, 4.618670996531422, 3.489280921861132, 2.6505714414556127, 5.011349476531146, 2.4299010201697304, 1.6885291845908623, 1.611910128847832, 2.2584584279843196, 1.6767369271348913, 0.9930607777978567, 0.34255204331936334, 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
15, # 1
)
| """
PASSENGERS
"""
num_passengers = 26795
passenger_arriving = ((4, 8, 6, 6, 2, 1, 1, 5, 5, 0, 0, 2, 0, 12, 5, 4, 3, 5, 7, 4, 0, 3, 4, 0, 1, 0), (12, 11, 10, 11, 6, 5, 4, 4, 3, 1, 0, 0, 0, 8, 5, 6, 5, 4, 4, 1, 2, 2, 1, 1, 0, 0), (5, 10, 9, 10, 2, 3, 5, 2, 3, 2, 1, 0, 0, 14, 11, 5, 1, 8, 3, 4, 1, 4, 4, 1, 2, 0), (6, 9, 9, 9, 7, 2, 4, 3, 6, 0, 1, 2, 0, 9, 6, 7, 4, 10, 2, 4, 3, 5, 0, 2, 3, 0), (8, 10, 8, 11, 8, 3, 2, 5, 4, 1, 4, 2, 0, 8, 8, 4, 4, 10, 0, 4, 5, 3, 2, 5, 0, 0), (8, 7, 6, 2, 7, 4, 3, 4, 3, 0, 0, 3, 0, 9, 13, 5, 7, 4, 1, 5, 3, 3, 1, 2, 1, 0), (4, 14, 9, 9, 6, 1, 6, 6, 7, 2, 4, 0, 0, 5, 9, 3, 4, 10, 7, 4, 5, 4, 2, 4, 0, 0), (9, 12, 8, 6, 7, 5, 4, 7, 5, 2, 0, 1, 0, 9, 8, 5, 7, 2, 7, 3, 1, 1, 0, 0, 3, 0), (10, 6, 7, 11, 9, 3, 4, 3, 2, 3, 0, 0, 0, 8, 9, 7, 8, 9, 6, 3, 3, 3, 2, 2, 0, 0), (12, 13, 13, 3, 7, 4, 3, 7, 5, 2, 1, 1, 0, 16, 9, 9, 4, 9, 8, 4, 3, 1, 4, 1, 2, 0), (10, 10, 16, 13, 9, 3, 2, 7, 2, 2, 2, 0, 0, 11, 14, 7, 6, 8, 6, 3, 1, 4, 2, 3, 1, 0), (9, 11, 8, 7, 8, 2, 5, 3, 4, 1, 2, 0, 0, 15, 8, 8, 13, 7, 5, 3, 4, 6, 5, 2, 2, 0), (15, 11, 6, 9, 11, 7, 1, 4, 6, 2, 4, 2, 0, 11, 8, 5, 8, 14, 6, 5, 4, 3, 4, 2, 2, 0), (11, 9, 11, 7, 12, 7, 7, 4, 6, 1, 0, 0, 0, 11, 10, 13, 9, 14, 7, 8, 2, 3, 5, 1, 2, 0), (9, 11, 8, 13, 7, 7, 4, 9, 5, 2, 4, 1, 0, 14, 8, 7, 5, 12, 6, 7, 3, 2, 2, 1, 1, 0), (11, 14, 8, 12, 12, 6, 6, 2, 5, 4, 0, 0, 0, 13, 10, 3, 7, 11, 9, 9, 2, 7, 3, 5, 0, 0), (10, 21, 14, 4, 10, 9, 5, 4, 5, 2, 2, 2, 0, 9, 11, 11, 9, 5, 6, 4, 6, 2, 4, 2, 0, 0), (13, 16, 7, 12, 11, 4, 6, 4, 5, 1, 0, 2, 0, 22, 11, 10, 11, 18, 8, 7, 2, 6, 5, 2, 1, 0), (9, 21, 12, 8, 8, 4, 11, 8, 7, 3, 2, 1, 0, 13, 18, 9, 8, 8, 9, 8, 3, 5, 5, 4, 2, 0), (14, 10, 10, 13, 6, 3, 5, 6, 6, 1, 2, 3, 0, 12, 7, 16, 8, 18, 10, 3, 3, 4, 7, 1, 1, 0), (15, 11, 15, 11, 10, 4, 4, 5, 4, 3, 2, 1, 0, 10, 16, 17, 9, 8, 4, 5, 7, 8, 2, 4, 1, 0), (16, 13, 14, 11, 11, 4, 12, 6, 7, 3, 1, 3, 0, 23, 10, 16, 8, 11, 8, 3, 2, 9, 4, 5, 1, 0), (15, 15, 9, 13, 13, 4, 6, 9, 9, 3, 1, 0, 0, 20, 12, 5, 10, 16, 7, 4, 4, 5, 2, 4, 1, 0), (16, 7, 14, 15, 14, 8, 4, 4, 8, 1, 3, 1, 0, 21, 13, 7, 9, 19, 8, 2, 4, 6, 4, 3, 1, 0), (18, 13, 7, 18, 16, 6, 5, 5, 4, 4, 5, 1, 0, 19, 10, 11, 8, 14, 9, 7, 5, 8, 5, 2, 2, 0), (17, 22, 13, 20, 13, 5, 9, 5, 6, 0, 2, 0, 0, 12, 5, 9, 3, 19, 10, 6, 4, 3, 3, 1, 0, 0), (13, 16, 21, 22, 6, 3, 4, 5, 6, 4, 1, 2, 0, 15, 10, 9, 5, 6, 5, 4, 5, 6, 1, 3, 1, 0), (10, 22, 7, 13, 12, 3, 5, 3, 7, 3, 2, 0, 0, 16, 9, 14, 5, 14, 6, 3, 7, 6, 4, 2, 1, 0), (8, 20, 6, 10, 15, 2, 4, 7, 3, 1, 1, 2, 0, 16, 15, 10, 8, 12, 8, 7, 4, 4, 4, 4, 1, 0), (12, 9, 10, 13, 16, 5, 5, 9, 3, 1, 2, 1, 0, 12, 12, 7, 6, 10, 8, 9, 6, 3, 2, 4, 1, 0), (13, 13, 8, 12, 6, 8, 3, 4, 6, 1, 0, 4, 0, 14, 24, 8, 9, 11, 6, 10, 8, 5, 4, 1, 1, 0), (11, 16, 13, 12, 13, 6, 7, 3, 4, 2, 3, 3, 0, 7, 15, 6, 8, 12, 7, 7, 2, 12, 7, 3, 1, 0), (14, 9, 25, 10, 14, 4, 2, 4, 7, 4, 2, 1, 0, 10, 10, 13, 13, 9, 5, 9, 1, 4, 5, 1, 2, 0), (11, 18, 7, 18, 11, 6, 4, 9, 5, 3, 1, 2, 0, 18, 13, 7, 9, 11, 6, 2, 4, 7, 4, 5, 0, 0), (12, 17, 7, 17, 11, 6, 2, 9, 5, 3, 3, 1, 0, 10, 7, 16, 9, 20, 8, 9, 2, 9, 2, 2, 2, 0), (18, 18, 15, 13, 14, 3, 3, 7, 6, 5, 1, 0, 0, 10, 9, 8, 9, 11, 8, 7, 3, 8, 1, 2, 2, 0), (14, 13, 18, 12, 6, 5, 4, 5, 8, 2, 2, 1, 0, 15, 17, 7, 5, 11, 7, 6, 1, 6, 6, 2, 0, 0), (14, 10, 17, 17, 11, 4, 8, 5, 3, 1, 4, 1, 0, 10, 16, 6, 4, 12, 3, 9, 2, 2, 7, 5, 0, 0), (15, 12, 18, 15, 5, 7, 3, 7, 9, 3, 1, 6, 0, 15, 9, 9, 9, 10, 8, 7, 4, 4, 5, 2, 1, 0), (13, 19, 15, 12, 9, 5, 5, 6, 7, 3, 2, 1, 0, 17, 18, 9, 6, 14, 7, 5, 4, 4, 7, 3, 4, 0), (11, 10, 10, 3, 13, 7, 12, 4, 5, 4, 3, 2, 0, 19, 17, 10, 5, 19, 5, 8, 3, 5, 7, 5, 1, 0), (14, 14, 10, 11, 12, 8, 7, 10, 5, 1, 2, 2, 0, 13, 7, 9, 5, 11, 7, 4, 1, 2, 4, 5, 2, 0), (22, 9, 11, 14, 17, 8, 5, 7, 5, 2, 1, 1, 0, 14, 9, 9, 4, 9, 3, 3, 5, 9, 5, 2, 2, 0), (20, 14, 13, 12, 17, 6, 7, 3, 5, 1, 5, 1, 0, 19, 8, 9, 7, 14, 4, 13, 5, 4, 5, 2, 0, 0), (11, 14, 7, 5, 5, 1, 3, 6, 4, 2, 2, 0, 0, 17, 15, 5, 8, 14, 11, 4, 2, 5, 1, 2, 2, 0), (19, 9, 10, 12, 6, 10, 2, 4, 8, 3, 1, 1, 0, 13, 14, 9, 4, 14, 7, 3, 2, 10, 2, 0, 1, 0), (18, 18, 14, 9, 9, 8, 7, 3, 5, 2, 2, 0, 0, 8, 13, 8, 8, 12, 1, 2, 1, 1, 1, 2, 0, 0), (17, 12, 13, 18, 12, 3, 4, 8, 4, 1, 1, 1, 0, 26, 10, 13, 9, 18, 6, 2, 5, 8, 5, 6, 1, 0), (14, 16, 16, 19, 5, 3, 7, 6, 2, 2, 2, 1, 0, 15, 9, 9, 10, 10, 9, 5, 5, 4, 6, 3, 1, 0), (11, 12, 6, 14, 11, 3, 6, 2, 4, 3, 3, 0, 0, 10, 14, 7, 10, 10, 7, 9, 4, 6, 4, 1, 1, 0), (12, 15, 11, 11, 6, 6, 2, 6, 5, 2, 3, 0, 0, 20, 17, 5, 10, 10, 4, 7, 4, 5, 5, 1, 1, 0), (14, 3, 10, 11, 11, 4, 7, 3, 7, 1, 1, 1, 0, 14, 12, 11, 4, 14, 4, 3, 2, 4, 5, 0, 1, 0), (8, 8, 12, 12, 5, 4, 6, 4, 8, 7, 1, 2, 0, 14, 17, 11, 8, 8, 6, 5, 2, 2, 7, 0, 2, 0), (13, 12, 10, 16, 9, 7, 7, 2, 10, 1, 4, 1, 0, 11, 11, 11, 8, 10, 6, 7, 5, 7, 0, 5, 1, 0), (17, 15, 11, 14, 11, 7, 5, 0, 5, 1, 0, 1, 0, 15, 6, 15, 7, 6, 9, 5, 2, 6, 5, 4, 1, 0), (14, 15, 14, 8, 11, 6, 6, 4, 5, 1, 4, 0, 0, 12, 11, 12, 7, 10, 4, 9, 3, 6, 6, 1, 2, 0), (15, 10, 9, 11, 7, 2, 6, 4, 11, 2, 1, 1, 0, 22, 13, 13, 11, 8, 7, 5, 4, 5, 6, 2, 2, 0), (12, 14, 5, 12, 9, 6, 7, 4, 6, 2, 3, 1, 0, 6, 11, 7, 8, 13, 11, 7, 7, 8, 1, 3, 3, 0), (26, 5, 8, 16, 7, 5, 4, 4, 5, 3, 4, 1, 0, 10, 20, 10, 7, 7, 6, 5, 6, 5, 2, 4, 0, 0), (7, 16, 9, 16, 9, 3, 6, 2, 7, 2, 3, 2, 0, 12, 16, 13, 7, 13, 4, 4, 3, 9, 3, 4, 1, 0), (19, 14, 9, 13, 9, 3, 5, 2, 4, 2, 0, 0, 0, 8, 12, 11, 6, 11, 2, 4, 5, 6, 4, 3, 2, 0), (14, 13, 8, 12, 6, 4, 4, 7, 3, 1, 0, 3, 0, 15, 13, 8, 9, 13, 5, 3, 3, 8, 2, 5, 0, 0), (13, 17, 19, 13, 8, 2, 5, 2, 8, 5, 2, 2, 0, 14, 12, 13, 11, 12, 3, 4, 6, 6, 5, 5, 0, 0), (21, 11, 14, 13, 12, 4, 6, 7, 10, 3, 5, 1, 0, 8, 10, 8, 3, 13, 2, 0, 4, 10, 4, 1, 0, 0), (16, 11, 14, 15, 5, 5, 9, 4, 3, 6, 0, 2, 0, 12, 9, 13, 8, 10, 10, 5, 2, 7, 4, 0, 4, 0), (19, 8, 9, 13, 7, 2, 6, 5, 8, 3, 5, 2, 0, 14, 15, 10, 9, 11, 5, 8, 4, 5, 4, 0, 1, 0), (12, 18, 10, 10, 13, 5, 2, 4, 4, 3, 4, 0, 0, 9, 11, 13, 5, 14, 12, 4, 5, 8, 2, 0, 0, 0), (13, 15, 12, 11, 9, 11, 9, 1, 7, 4, 1, 2, 0, 14, 11, 9, 9, 17, 6, 3, 4, 5, 2, 0, 0, 0), (11, 11, 12, 5, 7, 3, 4, 3, 11, 4, 4, 1, 0, 15, 13, 14, 4, 16, 6, 8, 3, 7, 4, 9, 1, 0), (21, 12, 16, 8, 10, 11, 4, 2, 9, 2, 5, 0, 0, 17, 9, 10, 7, 16, 4, 6, 6, 2, 4, 3, 0, 0), (14, 12, 10, 15, 8, 5, 5, 3, 10, 1, 1, 0, 0, 11, 14, 6, 7, 13, 6, 5, 4, 3, 4, 1, 0, 0), (13, 8, 8, 10, 10, 3, 5, 5, 4, 2, 4, 2, 0, 16, 6, 6, 8, 8, 2, 6, 1, 4, 3, 2, 2, 0), (8, 16, 8, 9, 10, 7, 5, 5, 0, 4, 3, 3, 0, 9, 15, 9, 16, 18, 7, 3, 5, 3, 3, 1, 3, 0), (14, 10, 6, 9, 10, 5, 7, 1, 7, 3, 3, 2, 0, 11, 13, 14, 12, 6, 9, 5, 3, 8, 8, 2, 1, 0), (16, 11, 17, 13, 11, 4, 4, 4, 3, 1, 2, 0, 0, 16, 17, 11, 7, 14, 5, 5, 2, 4, 8, 2, 0, 0), (15, 20, 14, 5, 12, 3, 3, 3, 4, 2, 1, 0, 0, 18, 12, 7, 11, 9, 5, 4, 5, 5, 2, 1, 1, 0), (18, 11, 12, 15, 13, 4, 8, 4, 2, 4, 5, 2, 0, 10, 18, 8, 7, 9, 10, 4, 3, 5, 5, 2, 3, 0), (17, 15, 10, 15, 7, 11, 11, 5, 3, 1, 1, 2, 0, 8, 11, 10, 11, 8, 3, 1, 4, 8, 4, 2, 1, 0), (13, 11, 10, 13, 13, 7, 7, 8, 7, 1, 2, 0, 0, 13, 12, 14, 7, 15, 6, 5, 5, 1, 5, 2, 2, 0), (18, 17, 16, 13, 7, 8, 3, 3, 5, 2, 3, 2, 0, 12, 11, 11, 3, 13, 0, 7, 5, 7, 6, 3, 1, 0), (19, 16, 15, 16, 9, 7, 4, 6, 4, 4, 5, 1, 0, 15, 14, 7, 8, 14, 9, 5, 4, 4, 3, 4, 1, 0), (18, 15, 9, 13, 6, 2, 4, 3, 7, 1, 2, 3, 0, 8, 10, 10, 12, 3, 6, 6, 2, 3, 4, 5, 1, 0), (11, 10, 14, 8, 9, 5, 7, 3, 5, 4, 2, 1, 0, 21, 10, 8, 8, 9, 8, 8, 4, 5, 4, 1, 3, 0), (14, 10, 17, 13, 13, 9, 5, 7, 9, 2, 1, 2, 0, 12, 12, 13, 8, 13, 4, 5, 3, 4, 2, 1, 1, 0), (15, 21, 11, 18, 8, 7, 2, 4, 1, 1, 0, 1, 0, 18, 11, 7, 8, 9, 6, 6, 0, 4, 4, 3, 1, 0), (11, 8, 17, 15, 12, 6, 6, 1, 9, 2, 1, 3, 0, 17, 13, 12, 5, 10, 6, 4, 2, 3, 2, 2, 1, 0), (14, 13, 15, 11, 5, 5, 3, 8, 7, 1, 0, 5, 0, 7, 20, 6, 7, 15, 6, 2, 4, 5, 3, 4, 1, 0), (17, 19, 8, 10, 8, 3, 1, 4, 1, 3, 0, 1, 0, 11, 17, 15, 6, 17, 5, 4, 4, 9, 4, 6, 1, 0), (13, 15, 9, 13, 13, 1, 5, 8, 4, 4, 2, 0, 0, 10, 13, 11, 5, 9, 3, 1, 2, 5, 7, 3, 1, 0), (20, 16, 14, 22, 11, 3, 6, 5, 4, 0, 1, 1, 0, 18, 11, 11, 8, 16, 5, 2, 10, 4, 2, 1, 0, 0), (19, 11, 8, 6, 9, 3, 6, 2, 6, 2, 0, 0, 0, 14, 15, 12, 8, 10, 6, 6, 5, 9, 7, 3, 1, 0), (10, 13, 15, 8, 7, 7, 3, 2, 6, 2, 1, 2, 0, 15, 10, 9, 5, 15, 1, 5, 2, 2, 1, 1, 2, 0), (10, 13, 11, 9, 13, 5, 5, 5, 8, 1, 1, 1, 0, 19, 10, 8, 6, 5, 9, 5, 2, 4, 4, 0, 0, 0), (10, 11, 11, 13, 4, 3, 1, 4, 4, 5, 4, 1, 0, 8, 12, 9, 8, 18, 7, 5, 2, 6, 7, 2, 0, 0), (13, 5, 9, 6, 8, 5, 7, 5, 6, 0, 0, 1, 0, 11, 6, 15, 10, 10, 8, 8, 4, 4, 3, 7, 1, 0), (21, 4, 9, 12, 8, 7, 4, 3, 7, 6, 1, 2, 0, 11, 20, 8, 8, 10, 0, 3, 4, 5, 3, 2, 0, 0), (5, 11, 7, 13, 15, 3, 5, 5, 5, 2, 1, 4, 0, 17, 9, 10, 8, 6, 4, 4, 5, 4, 2, 5, 0, 0), (19, 6, 10, 12, 15, 3, 4, 1, 5, 4, 1, 0, 0, 14, 6, 9, 4, 12, 7, 6, 4, 4, 5, 3, 1, 0), (15, 14, 6, 16, 11, 8, 4, 6, 7, 2, 0, 1, 0, 17, 8, 8, 11, 9, 3, 2, 1, 3, 1, 2, 0, 0), (14, 13, 11, 11, 17, 5, 4, 2, 6, 5, 1, 1, 0, 17, 11, 18, 12, 17, 3, 4, 7, 7, 3, 3, 0, 0), (10, 15, 11, 17, 12, 5, 5, 6, 2, 1, 1, 0, 0, 17, 10, 19, 8, 10, 6, 4, 5, 7, 2, 5, 0, 0), (13, 16, 8, 8, 7, 4, 7, 4, 6, 1, 0, 0, 0, 14, 8, 11, 6, 12, 8, 3, 2, 4, 3, 0, 1, 0), (13, 16, 5, 6, 10, 4, 4, 5, 1, 0, 4, 1, 0, 12, 11, 8, 5, 9, 7, 4, 3, 6, 3, 2, 3, 0), (16, 11, 10, 13, 13, 5, 6, 6, 5, 1, 1, 1, 0, 13, 13, 11, 9, 13, 3, 5, 3, 3, 4, 1, 1, 0), (10, 13, 16, 9, 13, 5, 4, 2, 3, 2, 2, 1, 0, 17, 10, 3, 10, 8, 4, 3, 3, 5, 4, 3, 1, 0), (16, 14, 11, 16, 15, 4, 5, 5, 9, 0, 1, 0, 0, 9, 14, 10, 9, 10, 0, 7, 6, 5, 3, 1, 1, 0), (15, 16, 10, 12, 6, 5, 3, 1, 5, 1, 0, 1, 0, 9, 9, 10, 6, 7, 5, 7, 6, 13, 7, 3, 0, 0), (9, 13, 10, 14, 12, 4, 8, 3, 6, 5, 2, 1, 0, 16, 16, 8, 6, 10, 6, 7, 6, 4, 3, 2, 2, 0), (16, 15, 8, 5, 7, 9, 3, 4, 6, 0, 2, 0, 0, 13, 12, 5, 4, 13, 2, 2, 0, 4, 4, 1, 0, 0), (11, 9, 12, 11, 8, 4, 7, 5, 5, 2, 0, 0, 0, 14, 6, 6, 2, 6, 4, 4, 3, 3, 8, 1, 0, 0), (17, 11, 13, 16, 13, 5, 4, 2, 6, 0, 0, 2, 0, 9, 13, 10, 4, 9, 5, 5, 3, 6, 2, 1, 0, 0), (17, 13, 7, 7, 7, 5, 2, 4, 4, 2, 1, 0, 0, 10, 11, 11, 9, 10, 4, 4, 2, 5, 4, 5, 0, 0), (13, 13, 11, 5, 7, 3, 3, 1, 6, 1, 2, 2, 0, 8, 15, 5, 8, 8, 6, 4, 1, 3, 3, 1, 2, 0), (10, 11, 7, 11, 9, 2, 5, 2, 6, 1, 2, 3, 0, 20, 8, 5, 4, 10, 3, 2, 7, 3, 4, 2, 0, 0), (13, 12, 12, 8, 10, 4, 5, 0, 3, 2, 2, 0, 0, 5, 15, 8, 6, 15, 3, 8, 1, 5, 3, 0, 0, 0), (9, 7, 7, 6, 15, 9, 2, 6, 5, 4, 1, 3, 0, 10, 17, 11, 3, 13, 6, 5, 4, 6, 6, 0, 0, 0), (11, 12, 9, 12, 4, 4, 6, 3, 4, 4, 2, 0, 0, 11, 17, 7, 5, 8, 5, 3, 3, 7, 1, 0, 0, 0), (7, 11, 10, 12, 13, 3, 2, 1, 6, 3, 3, 1, 0, 12, 10, 10, 1, 14, 4, 5, 7, 3, 3, 4, 1, 0), (11, 11, 8, 8, 11, 5, 3, 2, 1, 3, 0, 1, 0, 12, 15, 8, 4, 14, 3, 1, 7, 4, 4, 1, 3, 0), (8, 9, 10, 10, 8, 5, 1, 3, 5, 1, 2, 1, 0, 15, 12, 6, 5, 13, 6, 3, 4, 5, 4, 1, 2, 0), (14, 12, 10, 13, 7, 7, 5, 2, 6, 5, 1, 0, 0, 16, 15, 3, 8, 6, 3, 4, 2, 3, 3, 3, 2, 0), (14, 3, 12, 9, 13, 5, 7, 4, 4, 1, 2, 3, 0, 12, 12, 7, 7, 8, 3, 1, 3, 8, 0, 1, 0, 0), (9, 10, 9, 8, 8, 4, 6, 4, 9, 5, 3, 3, 0, 9, 9, 9, 8, 7, 7, 3, 1, 4, 4, 1, 1, 0), (14, 9, 9, 12, 7, 3, 8, 3, 3, 2, 2, 0, 0, 11, 9, 10, 8, 9, 6, 3, 6, 9, 5, 1, 0, 0), (6, 7, 11, 15, 9, 6, 5, 4, 7, 1, 2, 0, 0, 14, 15, 7, 4, 12, 6, 5, 3, 5, 4, 0, 0, 0), (11, 3, 9, 11, 11, 3, 9, 2, 5, 1, 3, 1, 0, 8, 9, 10, 8, 8, 2, 3, 7, 4, 4, 3, 0, 0), (11, 6, 11, 11, 8, 3, 3, 3, 5, 0, 2, 1, 0, 15, 8, 8, 5, 16, 5, 1, 3, 5, 3, 2, 3, 0), (10, 8, 10, 8, 12, 1, 4, 3, 8, 1, 1, 2, 0, 11, 12, 7, 3, 10, 5, 2, 1, 3, 4, 4, 0, 0), (11, 13, 13, 11, 15, 3, 3, 3, 4, 2, 3, 2, 0, 14, 12, 6, 6, 6, 3, 4, 3, 4, 6, 2, 1, 0), (14, 8, 15, 9, 8, 9, 4, 9, 5, 3, 2, 1, 0, 11, 11, 10, 6, 13, 4, 3, 4, 7, 3, 3, 1, 0), (14, 6, 7, 10, 7, 7, 3, 2, 5, 0, 5, 0, 0, 19, 6, 7, 2, 12, 6, 5, 5, 3, 5, 2, 0, 0), (16, 7, 14, 8, 7, 3, 1, 1, 4, 0, 4, 2, 0, 16, 12, 6, 11, 14, 12, 4, 2, 6, 6, 3, 1, 0), (9, 4, 9, 7, 10, 2, 5, 1, 4, 2, 3, 1, 0, 14, 11, 8, 7, 10, 3, 6, 3, 1, 2, 1, 1, 0), (14, 8, 9, 5, 12, 5, 3, 3, 6, 0, 0, 1, 0, 13, 10, 8, 9, 4, 0, 1, 4, 5, 3, 1, 2, 0), (7, 8, 7, 7, 16, 5, 2, 1, 6, 1, 3, 2, 0, 11, 14, 4, 3, 11, 2, 7, 6, 10, 2, 2, 1, 0), (10, 7, 9, 10, 10, 1, 4, 5, 3, 0, 2, 0, 0, 17, 10, 7, 9, 13, 7, 1, 5, 4, 4, 1, 0, 0), (11, 9, 9, 16, 7, 3, 0, 3, 8, 2, 4, 0, 0, 8, 11, 7, 9, 17, 3, 6, 3, 3, 2, 3, 1, 0), (20, 6, 11, 8, 7, 4, 3, 6, 3, 1, 1, 1, 0, 13, 13, 9, 5, 9, 5, 5, 5, 4, 5, 1, 1, 0), (6, 4, 11, 6, 6, 3, 4, 4, 6, 1, 4, 1, 0, 21, 9, 9, 5, 13, 4, 6, 1, 3, 4, 4, 1, 0), (10, 9, 13, 11, 8, 8, 3, 9, 7, 2, 0, 1, 0, 18, 15, 15, 1, 9, 4, 3, 5, 3, 3, 2, 0, 0), (6, 9, 7, 11, 9, 3, 4, 6, 1, 1, 1, 1, 0, 18, 10, 3, 3, 9, 2, 5, 6, 4, 4, 3, 0, 0), (8, 10, 12, 9, 8, 2, 1, 1, 5, 3, 3, 1, 0, 16, 19, 7, 6, 8, 6, 4, 2, 7, 4, 1, 0, 0), (7, 6, 11, 13, 14, 7, 0, 4, 6, 4, 2, 0, 0, 13, 8, 4, 7, 12, 3, 3, 5, 3, 3, 4, 2, 0), (7, 6, 12, 9, 7, 3, 4, 2, 3, 1, 0, 0, 0, 12, 3, 10, 4, 11, 3, 4, 0, 3, 2, 3, 1, 0), (9, 5, 14, 9, 8, 3, 1, 3, 4, 1, 1, 0, 0, 6, 12, 8, 5, 11, 5, 4, 3, 5, 1, 1, 1, 0), (17, 4, 14, 6, 11, 3, 1, 3, 4, 1, 2, 0, 0, 12, 12, 5, 5, 7, 5, 4, 2, 0, 3, 1, 0, 0), (21, 7, 6, 13, 4, 4, 4, 7, 3, 1, 2, 1, 0, 11, 11, 5, 4, 11, 2, 3, 4, 3, 7, 1, 0, 0), (9, 8, 9, 15, 11, 4, 3, 4, 1, 1, 1, 2, 0, 9, 13, 6, 3, 11, 6, 3, 4, 7, 3, 3, 1, 0), (14, 6, 8, 10, 10, 9, 1, 3, 4, 4, 1, 0, 0, 11, 12, 7, 3, 7, 6, 3, 4, 7, 2, 5, 0, 0), (10, 4, 8, 11, 7, 4, 1, 4, 5, 1, 3, 0, 0, 8, 8, 5, 5, 13, 5, 6, 5, 6, 2, 2, 0, 0), (11, 9, 7, 13, 13, 4, 0, 3, 5, 1, 1, 0, 0, 8, 12, 5, 7, 11, 4, 2, 1, 2, 2, 2, 0, 0), (10, 12, 16, 6, 10, 6, 5, 6, 6, 1, 1, 2, 0, 11, 7, 7, 6, 9, 5, 2, 4, 2, 2, 1, 0, 0), (13, 13, 12, 9, 6, 9, 3, 4, 5, 1, 2, 1, 0, 16, 14, 3, 5, 15, 4, 5, 4, 2, 3, 4, 1, 0), (8, 14, 6, 9, 11, 5, 3, 1, 4, 2, 0, 2, 0, 4, 10, 11, 4, 9, 5, 3, 1, 3, 5, 1, 1, 0), (6, 11, 9, 8, 11, 1, 5, 6, 6, 3, 4, 0, 0, 14, 9, 10, 4, 12, 2, 5, 3, 5, 3, 2, 0, 0), (9, 11, 10, 3, 11, 0, 6, 3, 2, 2, 3, 1, 0, 17, 2, 8, 3, 6, 3, 2, 5, 4, 3, 0, 1, 0), (13, 10, 4, 17, 11, 4, 2, 5, 3, 1, 1, 2, 0, 10, 10, 7, 4, 10, 4, 6, 3, 8, 3, 3, 0, 0), (10, 9, 10, 12, 6, 4, 2, 4, 5, 1, 1, 0, 0, 11, 10, 6, 5, 10, 5, 5, 2, 6, 3, 2, 1, 0), (13, 3, 7, 20, 11, 8, 2, 1, 5, 0, 0, 2, 0, 13, 12, 6, 11, 13, 5, 0, 5, 4, 5, 1, 0, 0), (15, 10, 10, 9, 8, 3, 5, 3, 3, 1, 1, 1, 0, 11, 5, 4, 7, 17, 3, 5, 5, 5, 5, 0, 0, 0), (9, 14, 8, 7, 15, 7, 1, 3, 4, 4, 1, 0, 0, 16, 4, 7, 6, 11, 4, 3, 1, 2, 2, 2, 0, 0), (10, 8, 12, 7, 13, 2, 6, 5, 1, 1, 0, 1, 0, 10, 10, 9, 5, 12, 5, 3, 4, 3, 3, 1, 1, 0), (11, 11, 15, 13, 13, 1, 4, 3, 1, 2, 1, 0, 0, 8, 4, 9, 2, 8, 4, 1, 1, 4, 5, 1, 3, 0), (15, 4, 9, 8, 4, 2, 2, 2, 5, 1, 0, 1, 0, 13, 7, 9, 4, 7, 4, 0, 3, 3, 4, 1, 1, 0), (6, 6, 9, 14, 9, 3, 4, 3, 4, 1, 2, 0, 0, 10, 5, 5, 2, 9, 1, 6, 1, 2, 5, 3, 1, 0), (9, 6, 10, 9, 13, 3, 5, 3, 2, 1, 1, 0, 0, 5, 5, 7, 4, 8, 6, 3, 2, 4, 0, 2, 1, 0), (10, 5, 8, 4, 12, 2, 3, 5, 7, 2, 1, 0, 0, 6, 8, 2, 5, 5, 3, 7, 3, 2, 4, 4, 1, 0), (12, 3, 6, 11, 4, 7, 2, 5, 3, 3, 0, 0, 0, 16, 6, 5, 1, 9, 5, 1, 2, 6, 4, 1, 0, 0), (7, 6, 5, 7, 5, 3, 2, 6, 3, 5, 2, 1, 0, 8, 5, 5, 4, 8, 1, 4, 0, 0, 3, 3, 0, 0), (2, 5, 5, 6, 8, 1, 2, 1, 4, 0, 2, 0, 0, 4, 11, 7, 2, 6, 3, 4, 1, 4, 2, 4, 2, 0), (11, 6, 9, 5, 8, 2, 5, 3, 3, 0, 1, 0, 0, 9, 6, 5, 9, 4, 1, 2, 5, 4, 4, 1, 1, 0), (12, 5, 4, 7, 6, 6, 5, 2, 2, 1, 1, 0, 0, 8, 8, 2, 6, 9, 2, 3, 0, 5, 1, 1, 1, 0), (8, 3, 7, 5, 2, 1, 2, 1, 5, 1, 0, 0, 0, 6, 2, 5, 3, 6, 3, 3, 4, 3, 3, 1, 0, 0), (10, 5, 8, 5, 13, 3, 1, 4, 3, 1, 0, 0, 0, 5, 8, 6, 4, 3, 2, 3, 4, 3, 5, 2, 2, 0), (7, 4, 1, 9, 11, 3, 2, 1, 0, 0, 2, 0, 0, 5, 7, 11, 4, 4, 3, 2, 0, 2, 0, 0, 0, 0), (5, 4, 6, 5, 5, 1, 2, 2, 9, 0, 1, 0, 0, 9, 3, 2, 2, 6, 2, 0, 2, 1, 3, 4, 1, 0), (8, 3, 2, 9, 7, 4, 2, 1, 0, 1, 3, 0, 0, 7, 7, 3, 2, 3, 3, 3, 2, 1, 2, 2, 0, 0), (9, 3, 6, 2, 5, 1, 2, 0, 7, 1, 1, 0, 0, 12, 8, 2, 3, 2, 2, 3, 1, 2, 2, 1, 0, 0), (3, 2, 10, 0, 6, 2, 0, 3, 2, 1, 2, 0, 0, 10, 2, 4, 2, 3, 3, 1, 4, 2, 2, 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, 0))
station_arriving_intensity = ((7.029211809720476, 7.735403983570434, 7.29579652145751, 8.700534883408807, 7.776559850653457, 4.394116904852274, 5.804449861523481, 6.514446642171193, 8.52613868703521, 5.541221021731318, 5.887371229439844, 6.857081109628643, 7.117432297609708), (7.496058012827964, 8.246084971802663, 7.777485227862214, 9.275201954587263, 8.291486472463932, 4.684377017659578, 6.187256517769172, 6.943319212067992, 9.089143456866074, 5.90657296918801, 6.2763345903385845, 7.309703325140097, 7.587708306415797), (7.9614122125716245, 8.754739239247371, 8.257259199766379, 9.847582786530712, 8.804548163249642, 4.9734791603174235, 6.568545911144986, 7.370475347066188, 9.64990152962857, 6.270479285028765, 6.663752408286839, 7.760525712874277, 8.056110759493567), (8.423460910405188, 9.259348702711026, 8.733215217047796, 10.415406970544904, 9.313726346402664, 5.260276871619158, 6.946805098307138, 7.79422162049231, 10.206189225289531, 6.631495777796654, 7.0480877765583365, 8.207759958902646, 8.520781928755916), (8.880390607782374, 9.757895279000085, 9.203450059584252, 10.976404097935598, 9.81700244531509, 5.543623690358135, 7.320521135911843, 8.212864605672882, 10.75578286381579, 6.988178256034751, 7.4278037884268056, 8.64961774929667, 8.979864086115745), (9.330387806156915, 10.248360884921025, 9.666060507253526, 11.528303760008551, 10.312357883378994, 5.822373155327701, 7.688181080615314, 8.62471087593443, 11.296458765174183, 7.339082528286129, 7.801363537165986, 9.084310770127807, 9.43149950348596), (9.771639006982534, 10.728727437280302, 10.119143339933412, 12.068835548069513, 10.79777408398646, 6.09537880532121, 8.048271989073768, 9.028067004603484, 11.825993249331543, 7.682764403093862, 8.167230116049597, 9.510050707467531, 9.87383045277945), (10.202330711712957, 11.196976852884385, 10.56079533750169, 12.595729053424249, 11.271232470529577, 6.36149417913201, 8.39928091794342, 9.421239565006573, 12.342162636254702, 8.017779689001022, 8.523866618351377, 9.925049247387301, 10.304999205909127), (10.62064942180191, 11.651091048539739, 10.989113279836156, 13.1067138673785, 11.730714466400421, 6.619572815553446, 8.739694923880478, 9.802535130470215, 12.842743245910489, 8.342684194550685, 8.86973613734505, 10.327518075958585, 10.723148034787885), (11.02478163870312, 12.089051941052832, 11.402193946814586, 13.599519581238038, 12.174201494991074, 6.868468253378878, 9.068001063541168, 10.170260274320949, 13.325511398265744, 8.65603372828592, 9.20330176630435, 10.71566887925284, 11.126419211328628), (11.412913863870306, 12.508841447230123, 11.798134118314776, 14.071875786308604, 12.599674979693622, 7.107034031401651, 9.382686393581697, 10.522721569885295, 13.7882434132873, 8.956384098749801, 9.523026598503003, 11.087713343341534, 11.512955007444255), (11.783232598757209, 12.90844148387809, 12.175030574214501, 14.521512073895957, 13.005116343900148, 7.334123688415116, 9.682237970658283, 10.85822559048978, 14.228715610941991, 9.242291114485408, 9.82737372721475, 11.441863154296136, 11.880897695047656), (12.133924344817538, 13.285833967803178, 12.530980094391557, 14.946158035305858, 13.38850701100273, 7.5485907632126175, 9.965142851427137, 11.17507890946093, 14.644704311196652, 9.512310584035802, 10.114806245713309, 11.776329998188096, 12.22838954605175), (12.463175603505027, 13.639000815811869, 12.864079458723728, 15.343543261844063, 13.747828404393443, 7.749288794587514, 10.22988809254448, 11.471588100125276, 15.033985834018106, 9.764998315944066, 10.383787247272418, 12.08932556108889, 12.55357283236943), (12.769172876273403, 13.965923944710624, 13.172425447088806, 15.71139734481631, 14.081061947464386, 7.935071321333148, 10.474960750666526, 11.746059735809345, 15.39433649937319, 9.998910118753269, 10.6327798251658, 12.379061529069986, 12.85458982591359), (13.050102664576398, 14.264585271305906, 13.45411483936456, 16.047449875528383, 14.386189063607633, 8.104791882242878, 10.698847882449478, 11.99680038983966, 15.723532627228748, 10.212601801006487, 10.860247072667189, 12.64374958820284, 13.129582798597134), (13.30415146986772, 14.532966712404187, 13.707244415428796, 16.349430445286004, 14.661191176215267, 8.257304016110044, 10.900036544549568, 12.222116635542745, 16.019350537551603, 10.404629171246796, 11.06465208305032, 12.881601424558916, 13.376694022332964), (13.529505793601107, 14.769050184811926, 13.929910955159293, 16.61506864539496, 14.904049708679375, 8.391461261728, 11.077013793622996, 12.420315046245145, 16.27956655030858, 10.573548038017254, 11.24445794958892, 13.090828724209679, 13.594065769033982), (13.724352137230287, 14.970817605335585, 14.120211238433834, 16.842094067160993, 15.112746084392025, 8.506117157890104, 11.228266686325993, 12.589702195273366, 16.501956985466535, 10.717914209860952, 11.398127765556712, 13.269643173226603, 13.779840310613086), (13.88687700220898, 15.136250890781643, 14.27624204513021, 17.02823630188984, 15.285261726745313, 8.600125243389693, 11.352282279314753, 12.728584655953943, 16.68429816299229, 10.83628349532096, 11.52412462422743, 13.416256457681136, 13.932159918983176), (14.015266889990915, 15.263331957956549, 14.396100155126206, 17.171224940887296, 15.419578059131322, 8.672339057020126, 11.44754762924551, 12.835269001613405, 16.82436640285268, 10.927211702940342, 11.62091161887481, 13.528880263644748, 14.049166866057154), (14.107708302029813, 15.350042723666784, 14.477882348299607, 17.26878957545908, 15.513676504942126, 8.72161213757475, 11.512549792774463, 12.908061805578273, 16.91993802501453, 10.989254641262178, 11.686951842772585, 13.60572627718891, 14.12900342374791), (14.162387739779412, 15.394365104718803, 14.5196854045282, 17.31865979691097, 15.565538487569807, 8.746798023846914, 11.54577582655784, 12.945269641175082, 16.968789349444684, 11.02096811882954, 11.720708389194478, 13.645006184385087, 14.16981186396836), (14.182550708679697, 15.39961303155007, 14.524892455418383, 17.324903137860087, 15.578824878445637, 8.75, 11.549725603163076, 12.949291358024693, 16.974896728395063, 11.024709181527207, 11.724941252026436, 13.649856607224509, 14.175), (14.197417378247815, 15.396551851851854, 14.524040740740743, 17.324134722222226, 15.586350659060795, 8.75, 11.547555337690634, 12.943700000000002, 16.974078333333335, 11.02241086419753, 11.724474410774413, 13.648720987654322, 14.175), (14.211970122296213, 15.390517832647463, 14.522359396433473, 17.322614454732513, 15.593710923832306, 8.75, 11.543278463648836, 12.932716049382718, 16.97246141975309, 11.01788637402835, 11.723548759196907, 13.646479195244629, 14.175), (14.226207826667249, 15.381603155006863, 14.519871467764064, 17.320359619341563, 15.600905415789548, 8.75, 11.53696140563221, 12.916546913580248, 16.97006672839506, 11.011210992226795, 11.722172677391198, 13.643161957018751, 14.175), (14.240129377203292, 15.3699, 14.5166, 17.3173875, 15.607933877961901, 8.75, 11.528670588235297, 12.895400000000002, 16.966915, 11.00246, 11.720354545454546, 13.638800000000003, 14.175), (14.253733659746702, 15.355500548696845, 14.51256803840878, 17.313715380658437, 15.614796053378763, 8.75, 11.518472436052612, 12.869482716049385, 16.963026975308644, 10.9917086785551, 11.718102743484225, 13.633424051211708, 14.175), (14.26701956013985, 15.338496982167355, 14.50779862825789, 17.30936054526749, 15.62149168506951, 8.75, 11.506433373678693, 12.839002469135803, 16.95842339506173, 10.979032309099225, 11.715425651577503, 13.627064837677183, 14.175), (14.279985964225098, 15.318981481481483, 14.502314814814815, 17.30434027777778, 15.628020516063533, 8.75, 11.492619825708061, 12.804166666666665, 16.953125, 10.964506172839508, 11.71233164983165, 13.619753086419752, 14.175), (14.292631757844802, 15.297046227709194, 14.496139643347053, 17.29867186213992, 15.634382289390214, 8.75, 11.477098216735257, 12.765182716049384, 16.947152530864198, 10.948205550983083, 11.708829118343933, 13.611519524462738, 14.175), (14.304955826841338, 15.27278340192044, 14.489296159122084, 17.29237258230453, 15.640576748078935, 8.75, 11.4599349713548, 12.72225802469136, 16.940526728395064, 10.930205724737084, 11.704926437211622, 13.602394878829449, 14.175), (14.316957057057056, 15.246285185185185, 14.481807407407409, 17.28545972222222, 15.646603635159089, 8.75, 11.441196514161222, 12.675600000000001, 16.933268333333334, 10.910581975308643, 11.700631986531986, 13.59240987654321, 14.175), (14.328634334334335, 15.217643758573388, 14.473696433470508, 17.27795056584362, 15.652462693660054, 8.75, 11.420949269749054, 12.625416049382716, 16.925398086419758, 10.889409583904893, 11.695954146402293, 13.581595244627344, 14.175), (14.339986544515531, 15.186951303155007, 14.464986282578877, 17.26986239711934, 15.65815366661122, 8.75, 11.399259662712824, 12.571913580246914, 16.916936728395065, 10.866763831732968, 11.690901296919815, 13.569981710105168, 14.175), (14.35101257344301, 15.1543, 14.455700000000002, 17.2612125, 15.663676297041972, 8.75, 11.37619411764706, 12.515300000000002, 16.907905, 10.84272, 11.685481818181819, 13.557600000000003, 14.175), (14.361711306959135, 15.119782030178326, 14.445860631001374, 17.252018158436215, 15.669030327981691, 8.75, 11.351819059146292, 12.455782716049384, 16.89832364197531, 10.817353369913125, 11.679704090285574, 13.544480841335163, 14.175), (14.372081630906267, 15.083489574759948, 14.43549122085048, 17.242296656378603, 15.674215502459768, 8.75, 11.326200911805053, 12.393569135802473, 16.88821339506173, 10.790739222679472, 11.673576493328346, 13.530654961133976, 14.175), (14.382122431126781, 15.045514814814815, 14.424614814814818, 17.232065277777778, 15.679231563505585, 8.75, 11.299406100217867, 12.328866666666666, 16.877595000000003, 10.762952839506175, 11.667107407407409, 13.516153086419752, 14.175), (14.39183259346303, 15.005949931412895, 14.413254458161866, 17.221341306584364, 15.684078254148528, 8.75, 11.271501048979264, 12.261882716049385, 16.866489197530868, 10.734069501600368, 11.660305212620028, 13.501005944215823, 14.175), (14.40121100375738, 14.964887105624143, 14.401433196159124, 17.210142026748972, 15.688755317417984, 8.75, 11.242552182683774, 12.192824691358027, 16.85491672839506, 10.704164490169182, 11.653178289063476, 13.485244261545498, 14.175), (14.410256547852201, 14.922418518518521, 14.389174074074077, 17.198484722222226, 15.693262496343333, 8.75, 11.212625925925927, 12.121900000000002, 16.842898333333338, 10.673313086419753, 11.645735016835017, 13.4688987654321, 14.175), (14.418968111589852, 14.878636351165984, 14.376500137174213, 17.186386676954736, 15.697599533953966, 8.75, 11.181788703300251, 12.049316049382718, 16.83045475308642, 10.641590571559215, 11.637983776031925, 13.452000182898951, 14.175), (14.427344580812699, 14.83363278463649, 14.363434430727025, 17.173865174897124, 15.701766173279264, 8.75, 11.150106939401276, 11.975280246913583, 16.817606728395063, 10.609072226794698, 11.629932946751465, 13.434579240969367, 14.175), (14.435384841363105, 14.787500000000001, 14.350000000000001, 17.160937500000003, 15.705762157348616, 8.75, 11.11764705882353, 11.9, 16.804375, 10.575833333333335, 11.62159090909091, 13.416666666666666, 14.175), (14.443087779083434, 14.740330178326476, 14.336219890260631, 17.147620936213993, 15.709587229191404, 8.75, 11.084475486161544, 11.823682716049385, 16.790780308641974, 10.541949172382258, 11.612966043147525, 13.398293187014175, 14.175), (14.45045227981605, 14.692215500685872, 14.322117146776408, 17.133932767489714, 15.713241131837016, 8.75, 11.050658646009847, 11.746535802469136, 16.776843395061732, 10.507495025148607, 11.604066729018582, 13.37948952903521, 14.175), (14.457477229403315, 14.64324814814815, 14.307714814814817, 17.11989027777778, 15.716723608314837, 8.75, 11.016262962962964, 11.668766666666668, 16.762585, 10.472546172839506, 11.594901346801347, 13.360286419753088, 14.175), (14.464161513687602, 14.593520301783265, 14.29303593964335, 17.10551075102881, 15.720034401654251, 8.75, 10.981354861615428, 11.590582716049383, 16.748025864197533, 10.437177896662096, 11.585478276593093, 13.340714586191131, 14.175), (14.470504018511264, 14.543124142661183, 14.278103566529495, 17.090811471193415, 15.723173254884642, 8.75, 10.94600076656177, 11.512191358024692, 16.73318672839506, 10.401465477823503, 11.575805898491085, 13.32080475537266, 14.175), (14.476503629716676, 14.492151851851853, 14.262940740740742, 17.075809722222225, 15.726139911035398, 8.75, 10.910267102396515, 11.433800000000002, 16.718088333333338, 10.365484197530865, 11.565892592592595, 13.30058765432099, 14.175), (14.482159233146191, 14.440695610425243, 14.247570507544584, 17.060522788065846, 15.728934113135901, 8.75, 10.874220293714194, 11.355616049382716, 16.70275141975309, 10.329309336991313, 11.555746738994888, 13.280094010059445, 14.175), (14.487469714642183, 14.388847599451307, 14.232015912208508, 17.0449679526749, 15.731555604215542, 8.75, 10.837926765109337, 11.277846913580248, 16.687196728395065, 10.293016177411982, 11.545376717795238, 13.259354549611341, 14.175), (14.492433960047004, 14.336700000000002, 14.2163, 17.0291625, 15.734004127303704, 8.75, 10.801452941176471, 11.2007, 16.671445000000002, 10.256680000000001, 11.534790909090908, 13.2384, 14.175), (14.497050855203032, 14.284344993141291, 14.200445816186559, 17.01312371399177, 15.736279425429768, 8.75, 10.764865246510128, 11.124382716049384, 16.655516975308643, 10.220376085962506, 11.523997692979176, 13.217261088248744, 14.175), (14.501319285952622, 14.231874759945132, 14.184476406035667, 16.996868878600825, 15.738381241623124, 8.75, 10.728230105704835, 11.049102469135804, 16.63943339506173, 10.184179716506632, 11.513005449557303, 13.195968541380887, 14.175), (14.505238138138138, 14.179381481481483, 14.168414814814819, 16.98041527777778, 15.740309318913155, 8.75, 10.69161394335512, 10.975066666666669, 16.623215000000002, 10.148166172839508, 11.50182255892256, 13.174553086419753, 14.175), (14.508806297601952, 14.126957338820304, 14.152284087791497, 16.96378019547325, 15.742063400329245, 8.75, 10.655083184055517, 10.902482716049382, 16.606882530864198, 10.112410736168268, 11.490457401172218, 13.153045450388662, 14.175), (14.51202265018642, 14.07469451303155, 14.136107270233198, 16.946980915637862, 15.743643228900785, 8.75, 10.61870425240055, 10.83155802469136, 16.590456728395065, 10.076988687700048, 11.478918356403542, 13.131476360310929, 14.175), (14.51488608173391, 14.022685185185187, 14.119907407407407, 16.930034722222224, 15.745048547657152, 8.75, 10.582543572984749, 10.762500000000001, 16.573958333333337, 10.041975308641977, 11.467213804713806, 13.109876543209879, 14.175), (14.517395478086781, 13.971021536351168, 14.10370754458162, 16.912958899176957, 15.746279099627737, 8.75, 10.546667570402647, 10.695516049382718, 16.557408086419755, 10.00744588020119, 11.455352126200275, 13.088276726108827, 14.175), (14.519549725087407, 13.919795747599453, 14.087530727023323, 16.89577073045268, 15.74733462784193, 8.75, 10.51114266924877, 10.630813580246915, 16.540826728395064, 9.973475683584821, 11.44334170096022, 13.066707636031095, 14.175), (14.521347708578144, 13.869100000000001, 14.071400000000002, 16.878487500000002, 15.7482148753291, 8.75, 10.476035294117647, 10.568600000000002, 16.524235, 9.94014, 11.43119090909091, 13.045200000000001, 14.175), (14.522788314401359, 13.819026474622772, 14.05533840877915, 16.86112649176955, 15.74891958511865, 8.75, 10.44141186960381, 10.509082716049384, 16.50765364197531, 9.907514110653864, 11.41890813068961, 13.023784545038868, 14.175), (14.523870428399414, 13.769667352537724, 14.03936899862826, 16.843704989711934, 15.749448500239955, 8.75, 10.407338820301785, 10.45246913580247, 16.49110339506173, 9.875673296753543, 11.4065017458536, 13.00249199817101, 14.175), (14.524592936414676, 13.721114814814818, 14.023514814814817, 16.826240277777778, 15.749801363722403, 8.75, 10.373882570806101, 10.398966666666668, 16.474605000000004, 9.844692839506173, 11.393980134680135, 12.981353086419755, 14.175), (14.524954724289511, 13.673461042524005, 14.00779890260631, 16.808749639917696, 15.749977918595382, 8.75, 10.341109545711289, 10.348782716049385, 16.458179197530864, 9.814648020118886, 11.381351677266494, 12.960398536808412, 14.175), (14.524708260273156, 13.626548095048452, 13.99216832990398, 16.7910984366613, 15.749829137416285, 8.74983761621704, 10.308921272761506, 10.301681390032009, 16.44172298811157, 9.785468618306034, 11.368400383956526, 12.939542030659641, 14.174825210048013), (14.522398389694043, 13.578943727598569, 13.976183796296295, 16.772396920289854, 15.748474945533768, 8.748553909465022, 10.27637545388526, 10.25513827160494, 16.424516975308645, 9.756328946986201, 11.35380797448166, 12.918106562703056, 14.17344039351852), (14.517840102582454, 13.5304294437807, 13.95977580589849, 16.752521973966722, 15.74579903978052, 8.746025758268557, 10.243324188385918, 10.208733424782809, 16.40646404892547, 9.727087334247829, 11.337408441136512, 12.895991865809934, 14.170705268347055), (14.511097524900102, 13.481034236028144, 13.942950120027435, 16.731502905260335, 15.74183531025579, 8.742294131992075, 10.209782323354585, 10.162482213077277, 16.387591095107457, 9.697744503079695, 11.319262319097408, 12.873214112097802, 14.166655842764062), (14.502234782608697, 13.430787096774193, 13.9257125, 16.709369021739132, 15.736617647058825, 8.737400000000001, 10.175764705882354, 10.1164, 16.367925000000003, 9.668301176470589, 11.299430143540672, 12.849789473684211, 14.161328125), (14.491316001669949, 13.379717018452144, 13.90806870713306, 16.686149630971553, 15.730179940288872, 8.73138433165676, 10.141286183060329, 10.070502149062644, 16.347492649748517, 9.63875807740929, 11.277972449642624, 12.825734122686688, 14.154758123285324), (14.478405308045566, 13.32785299349529, 13.890024502743485, 16.661874040526033, 15.722556080045187, 8.72428809632678, 10.106361601979613, 10.024804023776863, 16.3263209304984, 9.609115928884586, 11.254949772579598, 12.801064231222776, 14.146981845850483), (14.463566827697262, 13.275224014336917, 13.871585648148148, 16.636571557971017, 15.713779956427018, 8.716152263374488, 10.0710058097313, 9.979320987654322, 16.30443672839506, 9.579375453885259, 11.23042264752791, 12.775795971410007, 14.138035300925928), (14.44686468658675, 13.22185907341033, 13.852757904663925, 16.610271490874936, 15.703885459533609, 8.707017802164305, 10.035233653406493, 9.934068404206677, 16.281866929583906, 9.549537375400092, 11.20445160966389, 12.749945515365916, 14.127954496742113), (14.428363010675731, 13.167787163148816, 13.833547033607681, 16.583003146806227, 15.692906479464213, 8.696925682060662, 9.999059980096293, 9.88906163694559, 16.258638420210335, 9.519602416417872, 11.177097194163862, 12.723529035208049, 14.116775441529496), (14.408125925925928, 13.113037275985667, 13.813958796296298, 16.554795833333333, 15.680876906318085, 8.685916872427983, 9.962499636891796, 9.844316049382718, 16.23477808641975, 9.489571299927379, 11.148419936204148, 12.696562703053933, 14.10453414351852), (14.386217558299041, 13.057638404354178, 13.793998954046641, 16.525678858024694, 15.667830630194468, 8.674032342630696, 9.925567470884102, 9.799847005029722, 16.210312814357568, 9.4594447489174, 11.118480370961072, 12.669062691021107, 14.091266610939643), (14.362702033756786, 13.001619540687642, 13.773673268175584, 16.495681528448742, 15.653801541192612, 8.661313062033226, 9.888278329164315, 9.755669867398264, 16.185269490169183, 9.429223486376719, 11.087339033610965, 12.64104517122711, 14.07700885202332), (14.337643478260873, 12.945009677419357, 13.752987500000001, 16.464833152173917, 15.638823529411765, 8.6478, 9.85064705882353, 9.711800000000002, 16.159675, 9.398908235294119, 11.055056459330146, 12.612526315789475, 14.061796875), (14.311106017773009, 12.887837806982612, 13.731947410836765, 16.433163036768654, 15.622930484951183, 8.633534125895444, 9.812688506952853, 9.668252766346594, 16.133556229995428, 9.368499718658382, 11.02169318329494, 12.583522296825743, 14.045666688100141), (14.283153778254908, 12.8301329218107, 13.710558762002744, 16.400700489801395, 15.606156297910111, 8.618556409083983, 9.774417520643375, 9.625043529949703, 16.10694006630087, 9.337998659458297, 10.987309740681672, 12.554049286453447, 14.028654299554185), (14.253850885668278, 12.77192401433692, 13.688827314814816, 16.36747481884058, 15.588534858387801, 8.602907818930042, 9.735848946986202, 9.582187654320988, 16.07985339506173, 9.307405780682645, 10.951966666666667, 12.524123456790125, 14.010795717592593), (14.223261465974833, 12.713240076994557, 13.666758830589849, 16.333515331454645, 15.5701000564835, 8.58662932479805, 9.696997633072435, 9.53970050297211, 16.05232310242341, 9.276721805320209, 10.915724496426252, 12.493760979953313, 13.992126950445819), (14.191449645136279, 12.654110102216913, 13.644359070644722, 16.298851335212028, 15.550885782296458, 8.569761896052432, 9.65787842599317, 9.497597439414724, 16.024376074531325, 9.245947456359774, 10.878643765136749, 12.462978028060553, 13.97268400634431), (14.15847954911433, 12.594563082437277, 13.621633796296296, 16.26351213768116, 15.53092592592593, 8.552346502057613, 9.618506172839506, 9.455893827160494, 15.996039197530868, 9.215083456790124, 10.840785007974482, 12.43179077322937, 13.95250289351852), (14.124415303870702, 12.534628010088941, 13.598588768861456, 16.22752704643049, 15.510254377471155, 8.534424112178023, 9.578895720702548, 9.414605029721079, 15.967339357567447, 9.184130529600042, 10.802208760115779, 12.400215387577312, 13.931619620198905), (14.089321035367092, 12.474333877605204, 13.575229749657066, 16.19092536902845, 15.488905027031391, 8.516035695778085, 9.539061916673392, 9.37374641060814, 15.938303440786468, 9.153089397778317, 10.762975556736963, 12.36826804322191, 13.910070194615912), (14.053260869565218, 12.413709677419357, 13.551562500000001, 16.153736413043482, 15.466911764705886, 8.497222222222224, 9.499019607843138, 9.333333333333334, 15.908958333333336, 9.121960784313726, 10.723145933014354, 12.335964912280703, 13.887890625), (14.016298932426789, 12.352784401964689, 13.527592781207133, 16.11598948604402, 15.444308480593882, 8.478024660874867, 9.458783641302887, 9.293381161408323, 15.879330921353455, 9.090745412195057, 10.682780424124285, 12.303322166871226, 13.865116919581618), (13.978499349913523, 12.2915870436745, 13.503326354595337, 16.0777138955985, 15.421129064794641, 8.458483981100443, 9.418368864143739, 9.253905258344766, 15.84944809099223, 9.059444004411093, 10.641939565243074, 12.270355979111017, 13.841785086591221), (13.939926247987117, 12.230146594982081, 13.478768981481483, 16.038938949275366, 15.397407407407409, 8.438641152263374, 9.37779012345679, 9.214920987654322, 15.819336728395063, 9.028057283950616, 10.600683891547051, 12.23708252111761, 13.81793113425926), (13.900643752609293, 12.168492048320722, 13.453926423182445, 15.999693954643051, 15.37317739853143, 8.418537143728091, 9.337062266333147, 9.176443712848654, 15.789023719707364, 8.996585973802416, 10.559073938212535, 12.203517965008546, 13.793591070816188), (13.860715989741754, 12.106652396123724, 13.42880444101509, 15.960008219269996, 15.34847292826596, 8.398212924859017, 9.296200139863902, 9.138488797439416, 15.758535951074533, 8.96503079695527, 10.517170240415854, 12.169678482901354, 13.768800904492457), (13.820207085346219, 12.044656630824377, 13.403408796296299, 15.91991105072464, 15.32332788671024, 8.377709465020576, 9.25521859114016, 9.101071604938273, 15.727900308641976, 8.933392476397968, 10.475033333333334, 12.135580246913582, 13.74359664351852), (13.779181165384388, 11.98253374485597, 13.377745250342937, 15.879431756575416, 15.297776163963531, 8.357067733577198, 9.21413246725302, 9.064207498856883, 15.6971436785551, 8.901671735119288, 10.432723752141296, 12.101239429162758, 13.718014296124831), (13.737702355817978, 11.9203127306518, 13.35181956447188, 15.83859964439077, 15.271851650125074, 8.336328699893311, 9.17295661529358, 9.027911842706905, 15.666292946959304, 8.86986929610802, 10.390302032016068, 12.066672201766417, 13.69208987054184), (13.695834782608697, 11.858022580645162, 13.325637500000003, 15.797444021739132, 15.24558823529412, 8.315533333333335, 9.131705882352943, 8.9922, 15.635375000000002, 8.83798588235294, 10.347828708133973, 12.031894736842107, 13.665859375000002), (13.653642571718258, 11.795692287269347, 13.29920481824417, 15.755994196188944, 15.21901980956992, 8.294722603261699, 9.090395115522204, 8.957087334247829, 15.60441672382259, 8.806022216842843, 10.305364315671335, 11.996923206507354, 13.639358817729768), (13.611189849108369, 11.733350842957654, 13.272527280521263, 15.714279475308645, 15.192180263051725, 8.273937479042829, 9.049039161892468, 8.922589208962048, 15.573445004572475, 8.773979022566504, 10.262969389804478, 11.961773782879694, 13.612624206961591), (13.568540740740744, 11.67102724014337, 13.245610648148148, 15.67232916666667, 15.165103485838781, 8.253218930041154, 9.00765286855483, 8.888720987654322, 15.542486728395062, 8.741857022512711, 10.22070446570973, 11.926462638076675, 13.585691550925928), (13.525759372577088, 11.60875047125979, 13.218460682441702, 15.630172577831457, 15.137823368030341, 8.232607925621096, 8.966251082600394, 8.855498033836307, 15.511568781435757, 8.709656939670245, 10.178630078563414, 11.891005944215824, 13.558596857853223), (13.482909870579116, 11.546549528740211, 13.191083144718794, 15.587839016371445, 15.110373799725652, 8.212145435147082, 8.924848651120257, 8.822935711019662, 15.480718049839965, 8.677379497027893, 10.13680676354185, 11.855419873414677, 13.53137613597394), (13.440056360708535, 11.484453405017922, 13.163483796296298, 15.545357789855073, 15.082788671023966, 8.19187242798354, 8.883460421205521, 8.79104938271605, 15.449961419753087, 8.64502541757444, 10.095295055821373, 11.819720597790775, 13.50406539351852), (13.39726296892706, 11.42249109252622, 13.135668398491084, 15.50275820585078, 15.055101872024531, 8.171829873494895, 8.842101239947283, 8.759854412437129, 15.41932577732053, 8.612595424298663, 10.054155490578298, 11.783924289461654, 13.476700638717421), (13.3545938211964, 11.360691583698395, 13.10764271262003, 15.460069571927, 15.027347292826596, 8.152058741045574, 8.800785954436646, 8.72936616369456, 15.388838008687703, 8.580090240189355, 10.013448602988953, 11.748047120544847, 13.449317879801098), (13.312113043478263, 11.299083870967744, 13.079412500000002, 15.417321195652177, 14.999558823529412, 8.132600000000002, 8.759529411764706, 8.699600000000002, 15.358525000000002, 8.547510588235296, 9.973234928229665, 11.712105263157897, 13.421953125000002), (13.26988476173436, 11.237696946767558, 13.050983521947876, 15.374542384594738, 14.97177035423223, 8.113494619722603, 8.718346459022568, 8.670571284865114, 15.328413637402836, 8.514857191425268, 9.933575001476758, 11.676114889418335, 13.394642382544584), (13.227973101926404, 11.176559803531132, 13.022361539780524, 15.331762446323136, 14.944015775034297, 8.094783569577809, 8.677251943301325, 8.642295381801555, 15.29853080704161, 8.482130772748057, 9.894529357906551, 11.640092171443701, 13.367421660665297), (13.186442190016104, 11.11570143369176, 12.993552314814819, 15.2890106884058, 14.91632897603486, 8.076507818930043, 8.636260711692085, 8.614787654320988, 15.26890339506173, 8.449332055192448, 9.856158532695375, 11.60405328135153, 13.340326967592594), (13.14535615196517, 11.055150829682729, 12.96456160836763, 15.246316418411165, 14.888743847333174, 8.05870833714373, 8.595387611285942, 8.588063465935072, 15.239558287608595, 8.416461761747223, 9.818523061019553, 11.568014391259355, 13.313394311556928), (13.104705913184263, 10.995038066300333, 12.935464959552897, 15.203767435488858, 14.861245952243188, 8.04141767690032, 8.554736349119478, 8.562193596292849, 15.21059793576207, 8.383626631257822, 9.781693468614014, 11.5320701111062, 13.286621461180511), (13.064073257060091, 10.935956056935751, 12.906663945030267, 15.161705189788272, 14.833550696392859, 8.024596451941862, 8.514825491774811, 8.537495763307168, 15.182466649998286, 8.351441235077896, 9.745742071958476, 11.496677040958165, 13.25978557982405), (13.023338864205595, 10.877926078156266, 12.878175705790246, 15.120118307254492, 14.805570749044042, 8.008200917498272, 8.475683510268187, 8.513963715990194, 15.155174970136306, 8.319955459183308, 9.710616315997932, 11.461852615582393, 13.232809284324528), (12.982451822532688, 10.820863593808383, 12.849945065977423, 15.078932610372966, 14.777263936937292, 7.992192428201937, 8.43724674453905, 8.491532438058591, 15.128653874918964, 8.289110701829367, 9.676248303780074, 11.427532476482286, 13.205650163658248), (12.941361219953283, 10.76468406773861, 12.82191684973638, 15.038073921629142, 14.748588086813156, 7.976532338685248, 8.399451534526854, 8.47013691322902, 15.102834343089086, 8.258848361271381, 9.642570138352598, 11.39365226516125, 13.178265806801516), (12.900016144379297, 10.709302963793455, 12.794035881211714, 14.997468063508467, 14.71950102541218, 7.9611820035805945, 8.362234220171041, 8.449712125218136, 15.07764735338951, 8.229109835764664, 9.609513922763194, 11.36014762312269, 13.150613802730636), (12.858365683722639, 10.654635745819421, 12.766246984548014, 14.95704085849639, 14.689960579474912, 7.946102777520366, 8.325531141411059, 8.430193057742605, 15.053023884563062, 8.199836523564521, 9.577011760059559, 11.326954191870009, 13.122651740421906), (12.816358925895228, 10.600597877663022, 12.738494983889867, 14.916718129078353, 14.659924575741897, 7.931256015136952, 8.289278638186355, 8.41151469451908, 15.028894915352582, 8.170969822926269, 9.544995753289383, 11.294007612906617, 13.094337208851638), (12.773944958808976, 10.547104823170763, 12.710724703381864, 14.876425697739808, 14.629350840953688, 7.9166030710627435, 8.253413050436373, 8.39361201926423, 15.0051914245009, 8.142451132105215, 9.513398005500363, 11.261243527735912, 13.065627796996127), (12.731072870375797, 10.494072046189146, 12.682880967168597, 14.836089386966199, 14.598197201850828, 7.902105299930128, 8.217870718100565, 8.376420015694709, 14.981844390750846, 8.11422184935667, 9.482150619740192, 11.228597577861303, 13.036481093831679), (12.687691748507607, 10.441415010564684, 12.65490859939465, 14.795635019242972, 14.56642148517387, 7.887724056371495, 8.182587981118376, 8.359873667527177, 14.958784792845258, 8.086223372935942, 9.451185699056563, 11.19600540478619, 13.0068546883346), (12.643750681116316, 10.389049180143882, 12.62675242420462, 14.754988417055582, 14.533981517663353, 7.873420695019235, 8.147501179429248, 8.343907958478297, 14.935943609526962, 8.058397101098347, 9.420435346497168, 11.163402650013985, 12.976706169481197), (12.599198756113843, 10.33689001877325, 12.598357265743093, 14.714075402889465, 14.500835126059833, 7.859156570505739, 8.112546652972636, 8.328457872264728, 14.913251819538791, 8.030684432099187, 9.389831665109703, 11.130724955048088, 12.94599312624776), (12.553985061412101, 10.284852990299292, 12.56966794815466, 14.672821799230077, 14.466940137103851, 7.844893037463395, 8.077660741687978, 8.31345839260313, 14.890640401623585, 8.00302676419378, 9.359306757941859, 11.097907961391908, 12.91467314761061), (12.508058684923006, 10.232853558568515, 12.540629295583907, 14.63115342856286, 14.432254377535958, 7.830591450524592, 8.042779785514732, 8.298844503210164, 14.86804033452417, 7.975365495637434, 9.32879272804133, 11.064887310548842, 12.88270382254604), (12.461368714558466, 10.18080718742743, 12.51118613217543, 14.588996113373266, 14.396735674096707, 7.816213164321722, 8.007840124392336, 8.284551187802489, 14.845382596983379, 7.947642024685458, 9.298221678455814, 11.031598644022305, 12.850042740030352), (12.413864238230394, 10.128629340722538, 12.481283282073816, 14.546275676146736, 14.360341853526638, 7.801719533487173, 7.972778098260239, 8.270513430096765, 14.822598167744045, 7.919797749593164, 9.267525712233, 10.997977603315691, 12.816647489039854), (12.365494343850713, 10.076235482300353, 12.450865569423652, 14.502917939368722, 14.3230307425663, 7.7870719126533325, 7.937530047057888, 8.256666213809652, 14.799618025549002, 7.89177406861586, 9.236636932420582, 10.963959829932413, 12.78247565855085), (12.316208119331334, 10.023541076007378, 12.419877818369534, 14.458848725524668, 14.284760167956243, 7.772231656452593, 7.902032310724733, 8.24294452265781, 14.776373149141081, 7.86351238000886, 9.205487442066255, 10.929480965375875, 12.747484837539638), (12.265954652584163, 9.970461585690122, 12.388264853056045, 14.413993857100023, 14.245487956437017, 7.757160119517344, 7.8662212292002165, 8.229283340357902, 14.752794517263117, 7.834954082027471, 9.17400934421771, 10.894476651149478, 12.711632614982527), (12.21468303152113, 9.91691247519509, 12.355971497627777, 14.368279156580234, 14.205171934749162, 7.741818656479974, 7.830033142423786, 8.215617650626585, 14.728813108657938, 7.806040572927006, 9.142134741922645, 10.85888252875663, 12.674876579855821), (12.162342344054133, 9.862809208368793, 12.322942576229327, 14.321630446450746, 14.163769929633231, 7.726168621972872, 7.79340439033489, 8.201882437180522, 14.704359902068381, 7.776713250962773, 9.109795738228751, 10.822634239700733, 12.637174321135817), (12.108881678095097, 9.808067249057736, 12.289122913005274, 14.273973549197011, 14.12123976782977, 7.710171370628429, 7.756271312872975, 8.18801268373637, 14.679365876237274, 7.746913514390087, 9.07692443618372, 10.785667425485194, 12.59848342779883), (12.05425012155593, 9.752602061108423, 12.254457332100213, 14.225234287304469, 14.077539276079325, 7.693788257079036, 7.718570249977489, 8.173943374010788, 14.65376200990745, 7.716582761464252, 9.043452938835248, 10.747917727613418, 12.558761488821151), (11.998396762348548, 9.696329108367367, 12.218890657658735, 14.175338483258576, 14.032626281122448, 7.6769806359570785, 7.6802375415878785, 8.159609491720442, 14.627479281821747, 7.685662390440583, 9.009313349231029, 10.709320787588808, 12.517966093179089), (11.941270688384867, 9.639163854681073, 12.182367713825425, 14.12421195954477, 13.986458609699687, 7.6597098618949495, 7.6412095276435865, 8.144946020581987, 14.600448670722995, 7.654093799574386, 8.974437770418753, 10.66981224691477, 12.476054829848946), (11.882820987576796, 9.581021763896047, 12.144833324744877, 14.071780538648504, 13.938994088551583, 7.641937289525037, 7.601422548084064, 8.129887944312085, 14.572601155354022, 7.621818387120976, 8.938758305446116, 10.62932774709471, 12.432985287807028), (11.822996747836257, 9.521818299858795, 12.106232314561684, 14.017970043055223, 13.890190544418692, 7.623624273479732, 7.560812942848756, 8.114370246627395, 14.543867714457667, 7.588777551335661, 8.902207057360812, 10.58780292963203, 12.38871505602964), (11.761747057075162, 9.46146892641583, 12.066509507420426, 13.962706295250376, 13.840005804041555, 7.604732168391422, 7.519317051877113, 8.09832791124458, 14.514179326776754, 7.554912690473753, 8.864716129210535, 10.545173436030137, 12.34320172349308), (11.69902100320542, 9.399889107413653, 12.0256097274657, 13.90591511771941, 13.788397694160723, 7.585222328892499, 7.476871215108577, 8.081695921880296, 14.48346697105412, 7.52016520279056, 8.826217624042977, 10.501374907792433, 12.296402879173653), (11.634767674138946, 9.336994306698774, 11.983477798842097, 13.847522332947767, 13.735324041516742, 7.56505610961535, 7.4334117724825965, 8.064409262251205, 14.451661626032607, 7.484476486541395, 8.786643644905832, 10.456342986422326, 12.248276112047666), (11.56893615778766, 9.2726999881177, 11.9400585456942, 13.787453763420901, 13.680742672850162, 7.544194865192366, 7.3888750639386185, 8.04640291607397, 14.418694270455035, 7.4477879399815645, 8.745926294846791, 10.41001331342322, 12.198779011091421), (11.501475542063469, 9.20692161551694, 11.895296792166606, 13.725635231624254, 13.624611414901528, 7.5225999502559375, 7.343197429416091, 8.027611867065247, 14.384495883064238, 7.410040961366383, 8.703997676913554, 10.36232153029852, 12.14786916528122), (11.432334914878291, 9.139574652742999, 11.849137362403903, 13.661992560043277, 13.566888094411391, 7.500232719438453, 7.2963152088544625, 8.007971098941699, 14.34899744260305, 7.37117694895116, 8.660789894153808, 10.313203278551628, 12.095504163593366), (11.361463364144042, 9.070574563642383, 11.801525080550675, 13.596451571163414, 13.507530538120294, 7.477054527372301, 7.2481647421931745, 7.987415595419982, 14.312129927814308, 7.331137300991204, 8.616235049615252, 10.262594199685955, 12.041641595004167), (11.288809977772631, 8.999836812061604, 11.752404770751518, 13.528938087470117, 13.446496572768787, 7.453026728689875, 7.198682369371678, 7.965880340216761, 14.273824317440841, 7.289863415741826, 8.570265246345576, 10.210429935204898, 11.986239048489919), (11.214323843675977, 8.927276861847163, 11.701721257151021, 13.459377931448826, 13.38374402509742, 7.42811067802356, 7.147804430329418, 7.943300317048694, 14.234011590225474, 7.247296691458339, 8.522812587392474, 10.156646126611868, 11.929254113026934), (11.137954049765991, 8.852810176845571, 11.649419363893772, 13.387696925584994, 13.319230721846738, 7.402267730005749, 7.0954672650058415, 7.91961050963244, 14.192622724911054, 7.2033785263960475, 8.473809175803641, 10.101178415410269, 11.870644377591507), (11.059649683954586, 8.776352220903336, 11.59544391512436, 13.313820892364063, 13.252914489757288, 7.375459239268828, 7.041607213340397, 7.8947459016846615, 14.149588700240406, 7.15805031881027, 8.423187114626767, 10.043962443103501, 11.810367431159946), (10.979359834153682, 8.697818457866962, 11.539739734987382, 13.237675654271488, 13.184753155569618, 7.34764656044519, 6.986160615272531, 7.8686414769220185, 14.10484049495636, 7.11125346695631, 8.37087850690955, 9.984933851194974, 11.748380862708558), (10.897033588275185, 8.61712435158296, 11.482251647627416, 13.159187033792707, 13.11470454602428, 7.318791048167222, 6.929063810741687, 7.841232219061167, 14.058309087801755, 7.062929369089481, 8.316815455699683, 9.92402828118809, 11.68464226121364), (10.81262003423102, 8.534185365897834, 11.422924477189063, 13.078280853413174, 13.042726487861813, 7.288854057067317, 6.87025313968732, 7.8124531118187726, 14.009925457519413, 7.013019423465095, 8.260930064044857, 9.861181374586256, 11.6191092156515), (10.72606825993309, 8.448916964658093, 11.361703047816906, 12.99488293561833, 12.968776807822776, 7.257796941777861, 6.809664942048866, 7.782239138911491, 13.95962058285218, 6.9614650283384565, 8.203154434992767, 9.796328772892876, 11.551739314998438), (10.637327353293314, 8.361234611710243, 11.298532183655539, 12.908919102893627, 12.892813332647707, 7.225581056931246, 6.74723555776578, 7.750525284055986, 13.907325442542877, 6.9082075819648825, 8.143420671591107, 9.729406117611353, 11.48249014823076), (10.546346402223609, 8.271053770900794, 11.233356708849547, 12.820315177724513, 12.81479388907716, 7.19216775715986, 6.6829013267775075, 7.717246530968915, 13.852971015334345, 6.853188482599679, 8.08166087688757, 9.660349050245092, 11.411319304324769), (10.450553324967336, 8.176634369081162, 11.163028735463298, 12.725677414311741, 12.731153548219398, 7.155434266843955, 6.615149409299001, 7.680115733289122, 13.792326928238738, 6.794712282807602, 8.01583405355452, 9.586639389872076, 11.335080203181485), (10.335201473769764, 8.06829144743927, 11.069432945764184, 12.605568022303835, 12.62126783369428, 7.103165507209945, 6.535497868740003, 7.626098945870136, 13.700998165711002, 6.723193391738244, 7.934383709866593, 9.493907533156353, 11.235598705688274), (10.198820932866035, 7.945135419957, 10.950689341138245, 12.458008514572404, 12.482988183885514, 7.034077814466758, 6.443141247737298, 7.553838865338286, 13.576395318120113, 6.637687912608051, 7.8361633120533565, 9.380702728442985, 11.110988852451014), (10.042510876420344, 7.8079692153126565, 10.808065760674433, 12.28440150525942, 12.317750373994958, 6.94900813819844, 6.338754024409627, 7.464240746353693, 13.420161673798626, 6.5389214704393135, 7.7220383164395905, 9.248074456470599, 10.962523662746737), (9.8673704785969, 7.657595762184535, 10.642830043461695, 12.086149608506858, 12.126990179224487, 6.848793427989039, 6.223010676875733, 7.358209843576484, 13.233940521079093, 6.427619690254325, 7.592874179350069, 9.09707219797781, 10.791476155852466), (9.674498913559898, 7.494817989250934, 10.456250028588983, 11.864655438456708, 11.912143374775964, 6.734270633422602, 6.096585683254362, 7.2366514116667755, 13.019375148294069, 6.304508197075376, 7.449536357109572, 8.928745433703247, 10.599119351045232), (9.464995355473539, 7.320438825190149, 10.249593555145248, 11.621321609250947, 11.674645735851264, 6.606276704083181, 5.960153521664253, 7.100470705284697, 12.778108843776113, 6.170312615924756, 7.292890306042875, 8.744143644385526, 10.386726267602059), (9.239958978502024, 7.135261198680485, 10.024128462219437, 11.357550735031554, 11.415933037652254, 6.465648589554821, 5.814388670224151, 6.950572979090365, 12.511784895857772, 6.02575857182476, 7.123801482474756, 8.544316310763268, 10.155569924799979), (9.000488956809557, 6.940088038400237, 9.7811225889005, 11.074745429940503, 11.137441055380801, 6.313223239421572, 5.659965607052801, 6.787863487743908, 12.222046592871603, 5.871571689797677, 6.943135342729992, 8.330312913575103, 9.906923341916015), (8.747684464560333, 6.735722273027703, 9.521843774277388, 10.774308308119782, 10.840605564238773, 6.149837603267482, 5.497558810268945, 6.613247485905448, 11.91053722315016, 5.7084775948658, 6.751757343133359, 8.103182933559642, 9.642059538227196), (8.482644675918554, 6.52296683124118, 9.247559857439049, 10.457641983711365, 10.526862339428039, 5.9763286306765995, 5.327842757991326, 6.427630228235103, 11.578900075025999, 5.5372019120514215, 6.550532940009634, 7.863975851455517, 9.362251533010546), (8.206468765048422, 6.302624641718972, 8.959538677474432, 10.126149070857236, 10.197647156150468, 5.793533271232973, 5.151491928338689, 6.231916969393004, 11.228778436831673, 5.358470266376831, 6.3403275896835956, 7.613741148001342, 9.0687723455431), (7.9202559061141375, 6.0754986331393726, 8.659048073472489, 9.781232183699368, 9.854395789607928, 5.60228847452065, 4.9691807994297745, 6.027012964039266, 10.861815596899735, 5.173008282864322, 6.122006748480023, 7.353528303935743, 8.762894995101878), (7.6251052732799005, 5.842391734180682, 8.34735588452217, 9.424293936379751, 9.498544015002288, 5.403431190123678, 4.781583849383328, 5.813823466834017, 10.47965484356274, 4.981541586536184, 5.896435872723688, 7.0843867999973416, 8.445892500963913), (7.322116040709912, 5.604106873521197, 8.025729949712423, 9.056736943040356, 9.131527607535416, 5.197798367626108, 4.5893755563180925, 5.593253732437379, 10.083939465153241, 4.784795802414712, 5.664480418739371, 6.80736611692476, 8.119037882406225), (7.012387382568372, 5.3614469798392195, 7.695438108132197, 8.679963817823166, 8.754782342409182, 4.9862269566119855, 4.39323039835281, 5.366209015509473, 9.676312750003792, 4.583496555522195, 5.427005842851849, 6.523515735456615, 7.783604158705848), (6.697018473019482, 5.115214981813045, 7.357748198870443, 8.295377174870158, 8.369743994825454, 4.76955390666536, 4.193822853606226, 5.133594570710425, 9.25841798644695, 4.3783694708809255, 5.1848776013858995, 6.233885136331535, 7.440864349139807), (6.377108486227438, 4.866213808120973, 7.013928061016112, 7.904379628323315, 7.977848339986097, 4.54861616737028, 3.9918274001970815, 4.896315652700355, 8.831898462815268, 4.170140173513194, 4.938961150666297, 5.939523800288141, 7.092091472985131), (6.053756596356447, 4.615246387441302, 6.66524553365815, 7.508373792324615, 7.580531153092983, 4.324250688310793, 3.787918516244121, 4.655277516139389, 8.3983974674413, 3.959534288441294, 4.690121947017822, 5.641481208065051, 6.738558549518844), (5.7280619775707065, 4.363115648452332, 6.3129684558855095, 7.108762281016037, 7.179228209347984, 4.097294419070949, 3.582770679866088, 4.411385415687646, 7.959558288657599, 3.7472774406875144, 4.43922544676525, 5.340806840400891, 6.381538598017975), (5.401123804034416, 4.11062451983236, 5.95836466678714, 6.7069477085395635, 6.775375283952959, 3.8685843092347962, 3.3770583691817246, 4.165544606005252, 7.51702421479672, 3.5340952552741505, 4.187137106233358, 5.038550178034279, 6.022304637759553), (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 = ((4, 8, 6, 6, 2, 1, 1, 5, 5, 0, 0, 2, 0, 12, 5, 4, 3, 5, 7, 4, 0, 3, 4, 0, 1, 0), (16, 19, 16, 17, 8, 6, 5, 9, 8, 1, 0, 2, 0, 20, 10, 10, 8, 9, 11, 5, 2, 5, 5, 1, 1, 0), (21, 29, 25, 27, 10, 9, 10, 11, 11, 3, 1, 2, 0, 34, 21, 15, 9, 17, 14, 9, 3, 9, 9, 2, 3, 0), (27, 38, 34, 36, 17, 11, 14, 14, 17, 3, 2, 4, 0, 43, 27, 22, 13, 27, 16, 13, 6, 14, 9, 4, 6, 0), (35, 48, 42, 47, 25, 14, 16, 19, 21, 4, 6, 6, 0, 51, 35, 26, 17, 37, 16, 17, 11, 17, 11, 9, 6, 0), (43, 55, 48, 49, 32, 18, 19, 23, 24, 4, 6, 9, 0, 60, 48, 31, 24, 41, 17, 22, 14, 20, 12, 11, 7, 0), (47, 69, 57, 58, 38, 19, 25, 29, 31, 6, 10, 9, 0, 65, 57, 34, 28, 51, 24, 26, 19, 24, 14, 15, 7, 0), (56, 81, 65, 64, 45, 24, 29, 36, 36, 8, 10, 10, 0, 74, 65, 39, 35, 53, 31, 29, 20, 25, 14, 15, 10, 0), (66, 87, 72, 75, 54, 27, 33, 39, 38, 11, 10, 10, 0, 82, 74, 46, 43, 62, 37, 32, 23, 28, 16, 17, 10, 0), (78, 100, 85, 78, 61, 31, 36, 46, 43, 13, 11, 11, 0, 98, 83, 55, 47, 71, 45, 36, 26, 29, 20, 18, 12, 0), (88, 110, 101, 91, 70, 34, 38, 53, 45, 15, 13, 11, 0, 109, 97, 62, 53, 79, 51, 39, 27, 33, 22, 21, 13, 0), (97, 121, 109, 98, 78, 36, 43, 56, 49, 16, 15, 11, 0, 124, 105, 70, 66, 86, 56, 42, 31, 39, 27, 23, 15, 0), (112, 132, 115, 107, 89, 43, 44, 60, 55, 18, 19, 13, 0, 135, 113, 75, 74, 100, 62, 47, 35, 42, 31, 25, 17, 0), (123, 141, 126, 114, 101, 50, 51, 64, 61, 19, 19, 13, 0, 146, 123, 88, 83, 114, 69, 55, 37, 45, 36, 26, 19, 0), (132, 152, 134, 127, 108, 57, 55, 73, 66, 21, 23, 14, 0, 160, 131, 95, 88, 126, 75, 62, 40, 47, 38, 27, 20, 0), (143, 166, 142, 139, 120, 63, 61, 75, 71, 25, 23, 14, 0, 173, 141, 98, 95, 137, 84, 71, 42, 54, 41, 32, 20, 0), (153, 187, 156, 143, 130, 72, 66, 79, 76, 27, 25, 16, 0, 182, 152, 109, 104, 142, 90, 75, 48, 56, 45, 34, 20, 0), (166, 203, 163, 155, 141, 76, 72, 83, 81, 28, 25, 18, 0, 204, 163, 119, 115, 160, 98, 82, 50, 62, 50, 36, 21, 0), (175, 224, 175, 163, 149, 80, 83, 91, 88, 31, 27, 19, 0, 217, 181, 128, 123, 168, 107, 90, 53, 67, 55, 40, 23, 0), (189, 234, 185, 176, 155, 83, 88, 97, 94, 32, 29, 22, 0, 229, 188, 144, 131, 186, 117, 93, 56, 71, 62, 41, 24, 0), (204, 245, 200, 187, 165, 87, 92, 102, 98, 35, 31, 23, 0, 239, 204, 161, 140, 194, 121, 98, 63, 79, 64, 45, 25, 0), (220, 258, 214, 198, 176, 91, 104, 108, 105, 38, 32, 26, 0, 262, 214, 177, 148, 205, 129, 101, 65, 88, 68, 50, 26, 0), (235, 273, 223, 211, 189, 95, 110, 117, 114, 41, 33, 26, 0, 282, 226, 182, 158, 221, 136, 105, 69, 93, 70, 54, 27, 0), (251, 280, 237, 226, 203, 103, 114, 121, 122, 42, 36, 27, 0, 303, 239, 189, 167, 240, 144, 107, 73, 99, 74, 57, 28, 0), (269, 293, 244, 244, 219, 109, 119, 126, 126, 46, 41, 28, 0, 322, 249, 200, 175, 254, 153, 114, 78, 107, 79, 59, 30, 0), (286, 315, 257, 264, 232, 114, 128, 131, 132, 46, 43, 28, 0, 334, 254, 209, 178, 273, 163, 120, 82, 110, 82, 60, 30, 0), (299, 331, 278, 286, 238, 117, 132, 136, 138, 50, 44, 30, 0, 349, 264, 218, 183, 279, 168, 124, 87, 116, 83, 63, 31, 0), (309, 353, 285, 299, 250, 120, 137, 139, 145, 53, 46, 30, 0, 365, 273, 232, 188, 293, 174, 127, 94, 122, 87, 65, 32, 0), (317, 373, 291, 309, 265, 122, 141, 146, 148, 54, 47, 32, 0, 381, 288, 242, 196, 305, 182, 134, 98, 126, 91, 69, 33, 0), (329, 382, 301, 322, 281, 127, 146, 155, 151, 55, 49, 33, 0, 393, 300, 249, 202, 315, 190, 143, 104, 129, 93, 73, 34, 0), (342, 395, 309, 334, 287, 135, 149, 159, 157, 56, 49, 37, 0, 407, 324, 257, 211, 326, 196, 153, 112, 134, 97, 74, 35, 0), (353, 411, 322, 346, 300, 141, 156, 162, 161, 58, 52, 40, 0, 414, 339, 263, 219, 338, 203, 160, 114, 146, 104, 77, 36, 0), (367, 420, 347, 356, 314, 145, 158, 166, 168, 62, 54, 41, 0, 424, 349, 276, 232, 347, 208, 169, 115, 150, 109, 78, 38, 0), (378, 438, 354, 374, 325, 151, 162, 175, 173, 65, 55, 43, 0, 442, 362, 283, 241, 358, 214, 171, 119, 157, 113, 83, 38, 0), (390, 455, 361, 391, 336, 157, 164, 184, 178, 68, 58, 44, 0, 452, 369, 299, 250, 378, 222, 180, 121, 166, 115, 85, 40, 0), (408, 473, 376, 404, 350, 160, 167, 191, 184, 73, 59, 44, 0, 462, 378, 307, 259, 389, 230, 187, 124, 174, 116, 87, 42, 0), (422, 486, 394, 416, 356, 165, 171, 196, 192, 75, 61, 45, 0, 477, 395, 314, 264, 400, 237, 193, 125, 180, 122, 89, 42, 0), (436, 496, 411, 433, 367, 169, 179, 201, 195, 76, 65, 46, 0, 487, 411, 320, 268, 412, 240, 202, 127, 182, 129, 94, 42, 0), (451, 508, 429, 448, 372, 176, 182, 208, 204, 79, 66, 52, 0, 502, 420, 329, 277, 422, 248, 209, 131, 186, 134, 96, 43, 0), (464, 527, 444, 460, 381, 181, 187, 214, 211, 82, 68, 53, 0, 519, 438, 338, 283, 436, 255, 214, 135, 190, 141, 99, 47, 0), (475, 537, 454, 463, 394, 188, 199, 218, 216, 86, 71, 55, 0, 538, 455, 348, 288, 455, 260, 222, 138, 195, 148, 104, 48, 0), (489, 551, 464, 474, 406, 196, 206, 228, 221, 87, 73, 57, 0, 551, 462, 357, 293, 466, 267, 226, 139, 197, 152, 109, 50, 0), (511, 560, 475, 488, 423, 204, 211, 235, 226, 89, 74, 58, 0, 565, 471, 366, 297, 475, 270, 229, 144, 206, 157, 111, 52, 0), (531, 574, 488, 500, 440, 210, 218, 238, 231, 90, 79, 59, 0, 584, 479, 375, 304, 489, 274, 242, 149, 210, 162, 113, 52, 0), (542, 588, 495, 505, 445, 211, 221, 244, 235, 92, 81, 59, 0, 601, 494, 380, 312, 503, 285, 246, 151, 215, 163, 115, 54, 0), (561, 597, 505, 517, 451, 221, 223, 248, 243, 95, 82, 60, 0, 614, 508, 389, 316, 517, 292, 249, 153, 225, 165, 115, 55, 0), (579, 615, 519, 526, 460, 229, 230, 251, 248, 97, 84, 60, 0, 622, 521, 397, 324, 529, 293, 251, 154, 226, 166, 117, 55, 0), (596, 627, 532, 544, 472, 232, 234, 259, 252, 98, 85, 61, 0, 648, 531, 410, 333, 547, 299, 253, 159, 234, 171, 123, 56, 0), (610, 643, 548, 563, 477, 235, 241, 265, 254, 100, 87, 62, 0, 663, 540, 419, 343, 557, 308, 258, 164, 238, 177, 126, 57, 0), (621, 655, 554, 577, 488, 238, 247, 267, 258, 103, 90, 62, 0, 673, 554, 426, 353, 567, 315, 267, 168, 244, 181, 127, 58, 0), (633, 670, 565, 588, 494, 244, 249, 273, 263, 105, 93, 62, 0, 693, 571, 431, 363, 577, 319, 274, 172, 249, 186, 128, 59, 0), (647, 673, 575, 599, 505, 248, 256, 276, 270, 106, 94, 63, 0, 707, 583, 442, 367, 591, 323, 277, 174, 253, 191, 128, 60, 0), (655, 681, 587, 611, 510, 252, 262, 280, 278, 113, 95, 65, 0, 721, 600, 453, 375, 599, 329, 282, 176, 255, 198, 128, 62, 0), (668, 693, 597, 627, 519, 259, 269, 282, 288, 114, 99, 66, 0, 732, 611, 464, 383, 609, 335, 289, 181, 262, 198, 133, 63, 0), (685, 708, 608, 641, 530, 266, 274, 282, 293, 115, 99, 67, 0, 747, 617, 479, 390, 615, 344, 294, 183, 268, 203, 137, 64, 0), (699, 723, 622, 649, 541, 272, 280, 286, 298, 116, 103, 67, 0, 759, 628, 491, 397, 625, 348, 303, 186, 274, 209, 138, 66, 0), (714, 733, 631, 660, 548, 274, 286, 290, 309, 118, 104, 68, 0, 781, 641, 504, 408, 633, 355, 308, 190, 279, 215, 140, 68, 0), (726, 747, 636, 672, 557, 280, 293, 294, 315, 120, 107, 69, 0, 787, 652, 511, 416, 646, 366, 315, 197, 287, 216, 143, 71, 0), (752, 752, 644, 688, 564, 285, 297, 298, 320, 123, 111, 70, 0, 797, 672, 521, 423, 653, 372, 320, 203, 292, 218, 147, 71, 0), (759, 768, 653, 704, 573, 288, 303, 300, 327, 125, 114, 72, 0, 809, 688, 534, 430, 666, 376, 324, 206, 301, 221, 151, 72, 0), (778, 782, 662, 717, 582, 291, 308, 302, 331, 127, 114, 72, 0, 817, 700, 545, 436, 677, 378, 328, 211, 307, 225, 154, 74, 0), (792, 795, 670, 729, 588, 295, 312, 309, 334, 128, 114, 75, 0, 832, 713, 553, 445, 690, 383, 331, 214, 315, 227, 159, 74, 0), (805, 812, 689, 742, 596, 297, 317, 311, 342, 133, 116, 77, 0, 846, 725, 566, 456, 702, 386, 335, 220, 321, 232, 164, 74, 0), (826, 823, 703, 755, 608, 301, 323, 318, 352, 136, 121, 78, 0, 854, 735, 574, 459, 715, 388, 335, 224, 331, 236, 165, 74, 0), (842, 834, 717, 770, 613, 306, 332, 322, 355, 142, 121, 80, 0, 866, 744, 587, 467, 725, 398, 340, 226, 338, 240, 165, 78, 0), (861, 842, 726, 783, 620, 308, 338, 327, 363, 145, 126, 82, 0, 880, 759, 597, 476, 736, 403, 348, 230, 343, 244, 165, 79, 0), (873, 860, 736, 793, 633, 313, 340, 331, 367, 148, 130, 82, 0, 889, 770, 610, 481, 750, 415, 352, 235, 351, 246, 165, 79, 0), (886, 875, 748, 804, 642, 324, 349, 332, 374, 152, 131, 84, 0, 903, 781, 619, 490, 767, 421, 355, 239, 356, 248, 165, 79, 0), (897, 886, 760, 809, 649, 327, 353, 335, 385, 156, 135, 85, 0, 918, 794, 633, 494, 783, 427, 363, 242, 363, 252, 174, 80, 0), (918, 898, 776, 817, 659, 338, 357, 337, 394, 158, 140, 85, 0, 935, 803, 643, 501, 799, 431, 369, 248, 365, 256, 177, 80, 0), (932, 910, 786, 832, 667, 343, 362, 340, 404, 159, 141, 85, 0, 946, 817, 649, 508, 812, 437, 374, 252, 368, 260, 178, 80, 0), (945, 918, 794, 842, 677, 346, 367, 345, 408, 161, 145, 87, 0, 962, 823, 655, 516, 820, 439, 380, 253, 372, 263, 180, 82, 0), (953, 934, 802, 851, 687, 353, 372, 350, 408, 165, 148, 90, 0, 971, 838, 664, 532, 838, 446, 383, 258, 375, 266, 181, 85, 0), (967, 944, 808, 860, 697, 358, 379, 351, 415, 168, 151, 92, 0, 982, 851, 678, 544, 844, 455, 388, 261, 383, 274, 183, 86, 0), (983, 955, 825, 873, 708, 362, 383, 355, 418, 169, 153, 92, 0, 998, 868, 689, 551, 858, 460, 393, 263, 387, 282, 185, 86, 0), (998, 975, 839, 878, 720, 365, 386, 358, 422, 171, 154, 92, 0, 1016, 880, 696, 562, 867, 465, 397, 268, 392, 284, 186, 87, 0), (1016, 986, 851, 893, 733, 369, 394, 362, 424, 175, 159, 94, 0, 1026, 898, 704, 569, 876, 475, 401, 271, 397, 289, 188, 90, 0), (1033, 1001, 861, 908, 740, 380, 405, 367, 427, 176, 160, 96, 0, 1034, 909, 714, 580, 884, 478, 402, 275, 405, 293, 190, 91, 0), (1046, 1012, 871, 921, 753, 387, 412, 375, 434, 177, 162, 96, 0, 1047, 921, 728, 587, 899, 484, 407, 280, 406, 298, 192, 93, 0), (1064, 1029, 887, 934, 760, 395, 415, 378, 439, 179, 165, 98, 0, 1059, 932, 739, 590, 912, 484, 414, 285, 413, 304, 195, 94, 0), (1083, 1045, 902, 950, 769, 402, 419, 384, 443, 183, 170, 99, 0, 1074, 946, 746, 598, 926, 493, 419, 289, 417, 307, 199, 95, 0), (1101, 1060, 911, 963, 775, 404, 423, 387, 450, 184, 172, 102, 0, 1082, 956, 756, 610, 929, 499, 425, 291, 420, 311, 204, 96, 0), (1112, 1070, 925, 971, 784, 409, 430, 390, 455, 188, 174, 103, 0, 1103, 966, 764, 618, 938, 507, 433, 295, 425, 315, 205, 99, 0), (1126, 1080, 942, 984, 797, 418, 435, 397, 464, 190, 175, 105, 0, 1115, 978, 777, 626, 951, 511, 438, 298, 429, 317, 206, 100, 0), (1141, 1101, 953, 1002, 805, 425, 437, 401, 465, 191, 175, 106, 0, 1133, 989, 784, 634, 960, 517, 444, 298, 433, 321, 209, 101, 0), (1152, 1109, 970, 1017, 817, 431, 443, 402, 474, 193, 176, 109, 0, 1150, 1002, 796, 639, 970, 523, 448, 300, 436, 323, 211, 102, 0), (1166, 1122, 985, 1028, 822, 436, 446, 410, 481, 194, 176, 114, 0, 1157, 1022, 802, 646, 985, 529, 450, 304, 441, 326, 215, 103, 0), (1183, 1141, 993, 1038, 830, 439, 447, 414, 482, 197, 176, 115, 0, 1168, 1039, 817, 652, 1002, 534, 454, 308, 450, 330, 221, 104, 0), (1196, 1156, 1002, 1051, 843, 440, 452, 422, 486, 201, 178, 115, 0, 1178, 1052, 828, 657, 1011, 537, 455, 310, 455, 337, 224, 105, 0), (1216, 1172, 1016, 1073, 854, 443, 458, 427, 490, 201, 179, 116, 0, 1196, 1063, 839, 665, 1027, 542, 457, 320, 459, 339, 225, 105, 0), (1235, 1183, 1024, 1079, 863, 446, 464, 429, 496, 203, 179, 116, 0, 1210, 1078, 851, 673, 1037, 548, 463, 325, 468, 346, 228, 106, 0), (1245, 1196, 1039, 1087, 870, 453, 467, 431, 502, 205, 180, 118, 0, 1225, 1088, 860, 678, 1052, 549, 468, 327, 470, 347, 229, 108, 0), (1255, 1209, 1050, 1096, 883, 458, 472, 436, 510, 206, 181, 119, 0, 1244, 1098, 868, 684, 1057, 558, 473, 329, 474, 351, 229, 108, 0), (1265, 1220, 1061, 1109, 887, 461, 473, 440, 514, 211, 185, 120, 0, 1252, 1110, 877, 692, 1075, 565, 478, 331, 480, 358, 231, 108, 0), (1278, 1225, 1070, 1115, 895, 466, 480, 445, 520, 211, 185, 121, 0, 1263, 1116, 892, 702, 1085, 573, 486, 335, 484, 361, 238, 109, 0), (1299, 1229, 1079, 1127, 903, 473, 484, 448, 527, 217, 186, 123, 0, 1274, 1136, 900, 710, 1095, 573, 489, 339, 489, 364, 240, 109, 0), (1304, 1240, 1086, 1140, 918, 476, 489, 453, 532, 219, 187, 127, 0, 1291, 1145, 910, 718, 1101, 577, 493, 344, 493, 366, 245, 109, 0), (1323, 1246, 1096, 1152, 933, 479, 493, 454, 537, 223, 188, 127, 0, 1305, 1151, 919, 722, 1113, 584, 499, 348, 497, 371, 248, 110, 0), (1338, 1260, 1102, 1168, 944, 487, 497, 460, 544, 225, 188, 128, 0, 1322, 1159, 927, 733, 1122, 587, 501, 349, 500, 372, 250, 110, 0), (1352, 1273, 1113, 1179, 961, 492, 501, 462, 550, 230, 189, 129, 0, 1339, 1170, 945, 745, 1139, 590, 505, 356, 507, 375, 253, 110, 0), (1362, 1288, 1124, 1196, 973, 497, 506, 468, 552, 231, 190, 129, 0, 1356, 1180, 964, 753, 1149, 596, 509, 361, 514, 377, 258, 110, 0), (1375, 1304, 1132, 1204, 980, 501, 513, 472, 558, 232, 190, 129, 0, 1370, 1188, 975, 759, 1161, 604, 512, 363, 518, 380, 258, 111, 0), (1388, 1320, 1137, 1210, 990, 505, 517, 477, 559, 232, 194, 130, 0, 1382, 1199, 983, 764, 1170, 611, 516, 366, 524, 383, 260, 114, 0), (1404, 1331, 1147, 1223, 1003, 510, 523, 483, 564, 233, 195, 131, 0, 1395, 1212, 994, 773, 1183, 614, 521, 369, 527, 387, 261, 115, 0), (1414, 1344, 1163, 1232, 1016, 515, 527, 485, 567, 235, 197, 132, 0, 1412, 1222, 997, 783, 1191, 618, 524, 372, 532, 391, 264, 116, 0), (1430, 1358, 1174, 1248, 1031, 519, 532, 490, 576, 235, 198, 132, 0, 1421, 1236, 1007, 792, 1201, 618, 531, 378, 537, 394, 265, 117, 0), (1445, 1374, 1184, 1260, 1037, 524, 535, 491, 581, 236, 198, 133, 0, 1430, 1245, 1017, 798, 1208, 623, 538, 384, 550, 401, 268, 117, 0), (1454, 1387, 1194, 1274, 1049, 528, 543, 494, 587, 241, 200, 134, 0, 1446, 1261, 1025, 804, 1218, 629, 545, 390, 554, 404, 270, 119, 0), (1470, 1402, 1202, 1279, 1056, 537, 546, 498, 593, 241, 202, 134, 0, 1459, 1273, 1030, 808, 1231, 631, 547, 390, 558, 408, 271, 119, 0), (1481, 1411, 1214, 1290, 1064, 541, 553, 503, 598, 243, 202, 134, 0, 1473, 1279, 1036, 810, 1237, 635, 551, 393, 561, 416, 272, 119, 0), (1498, 1422, 1227, 1306, 1077, 546, 557, 505, 604, 243, 202, 136, 0, 1482, 1292, 1046, 814, 1246, 640, 556, 396, 567, 418, 273, 119, 0), (1515, 1435, 1234, 1313, 1084, 551, 559, 509, 608, 245, 203, 136, 0, 1492, 1303, 1057, 823, 1256, 644, 560, 398, 572, 422, 278, 119, 0), (1528, 1448, 1245, 1318, 1091, 554, 562, 510, 614, 246, 205, 138, 0, 1500, 1318, 1062, 831, 1264, 650, 564, 399, 575, 425, 279, 121, 0), (1538, 1459, 1252, 1329, 1100, 556, 567, 512, 620, 247, 207, 141, 0, 1520, 1326, 1067, 835, 1274, 653, 566, 406, 578, 429, 281, 121, 0), (1551, 1471, 1264, 1337, 1110, 560, 572, 512, 623, 249, 209, 141, 0, 1525, 1341, 1075, 841, 1289, 656, 574, 407, 583, 432, 281, 121, 0), (1560, 1478, 1271, 1343, 1125, 569, 574, 518, 628, 253, 210, 144, 0, 1535, 1358, 1086, 844, 1302, 662, 579, 411, 589, 438, 281, 121, 0), (1571, 1490, 1280, 1355, 1129, 573, 580, 521, 632, 257, 212, 144, 0, 1546, 1375, 1093, 849, 1310, 667, 582, 414, 596, 439, 281, 121, 0), (1578, 1501, 1290, 1367, 1142, 576, 582, 522, 638, 260, 215, 145, 0, 1558, 1385, 1103, 850, 1324, 671, 587, 421, 599, 442, 285, 122, 0), (1589, 1512, 1298, 1375, 1153, 581, 585, 524, 639, 263, 215, 146, 0, 1570, 1400, 1111, 854, 1338, 674, 588, 428, 603, 446, 286, 125, 0), (1597, 1521, 1308, 1385, 1161, 586, 586, 527, 644, 264, 217, 147, 0, 1585, 1412, 1117, 859, 1351, 680, 591, 432, 608, 450, 287, 127, 0), (1611, 1533, 1318, 1398, 1168, 593, 591, 529, 650, 269, 218, 147, 0, 1601, 1427, 1120, 867, 1357, 683, 595, 434, 611, 453, 290, 129, 0), (1625, 1536, 1330, 1407, 1181, 598, 598, 533, 654, 270, 220, 150, 0, 1613, 1439, 1127, 874, 1365, 686, 596, 437, 619, 453, 291, 129, 0), (1634, 1546, 1339, 1415, 1189, 602, 604, 537, 663, 275, 223, 153, 0, 1622, 1448, 1136, 882, 1372, 693, 599, 438, 623, 457, 292, 130, 0), (1648, 1555, 1348, 1427, 1196, 605, 612, 540, 666, 277, 225, 153, 0, 1633, 1457, 1146, 890, 1381, 699, 602, 444, 632, 462, 293, 130, 0), (1654, 1562, 1359, 1442, 1205, 611, 617, 544, 673, 278, 227, 153, 0, 1647, 1472, 1153, 894, 1393, 705, 607, 447, 637, 466, 293, 130, 0), (1665, 1565, 1368, 1453, 1216, 614, 626, 546, 678, 279, 230, 154, 0, 1655, 1481, 1163, 902, 1401, 707, 610, 454, 641, 470, 296, 130, 0), (1676, 1571, 1379, 1464, 1224, 617, 629, 549, 683, 279, 232, 155, 0, 1670, 1489, 1171, 907, 1417, 712, 611, 457, 646, 473, 298, 133, 0), (1686, 1579, 1389, 1472, 1236, 618, 633, 552, 691, 280, 233, 157, 0, 1681, 1501, 1178, 910, 1427, 717, 613, 458, 649, 477, 302, 133, 0), (1697, 1592, 1402, 1483, 1251, 621, 636, 555, 695, 282, 236, 159, 0, 1695, 1513, 1184, 916, 1433, 720, 617, 461, 653, 483, 304, 134, 0), (1711, 1600, 1417, 1492, 1259, 630, 640, 564, 700, 285, 238, 160, 0, 1706, 1524, 1194, 922, 1446, 724, 620, 465, 660, 486, 307, 135, 0), (1725, 1606, 1424, 1502, 1266, 637, 643, 566, 705, 285, 243, 160, 0, 1725, 1530, 1201, 924, 1458, 730, 625, 470, 663, 491, 309, 135, 0), (1741, 1613, 1438, 1510, 1273, 640, 644, 567, 709, 285, 247, 162, 0, 1741, 1542, 1207, 935, 1472, 742, 629, 472, 669, 497, 312, 136, 0), (1750, 1617, 1447, 1517, 1283, 642, 649, 568, 713, 287, 250, 163, 0, 1755, 1553, 1215, 942, 1482, 745, 635, 475, 670, 499, 313, 137, 0), (1764, 1625, 1456, 1522, 1295, 647, 652, 571, 719, 287, 250, 164, 0, 1768, 1563, 1223, 951, 1486, 745, 636, 479, 675, 502, 314, 139, 0), (1771, 1633, 1463, 1529, 1311, 652, 654, 572, 725, 288, 253, 166, 0, 1779, 1577, 1227, 954, 1497, 747, 643, 485, 685, 504, 316, 140, 0), (1781, 1640, 1472, 1539, 1321, 653, 658, 577, 728, 288, 255, 166, 0, 1796, 1587, 1234, 963, 1510, 754, 644, 490, 689, 508, 317, 140, 0), (1792, 1649, 1481, 1555, 1328, 656, 658, 580, 736, 290, 259, 166, 0, 1804, 1598, 1241, 972, 1527, 757, 650, 493, 692, 510, 320, 141, 0), (1812, 1655, 1492, 1563, 1335, 660, 661, 586, 739, 291, 260, 167, 0, 1817, 1611, 1250, 977, 1536, 762, 655, 498, 696, 515, 321, 142, 0), (1818, 1659, 1503, 1569, 1341, 663, 665, 590, 745, 292, 264, 168, 0, 1838, 1620, 1259, 982, 1549, 766, 661, 499, 699, 519, 325, 143, 0), (1828, 1668, 1516, 1580, 1349, 671, 668, 599, 752, 294, 264, 169, 0, 1856, 1635, 1274, 983, 1558, 770, 664, 504, 702, 522, 327, 143, 0), (1834, 1677, 1523, 1591, 1358, 674, 672, 605, 753, 295, 265, 170, 0, 1874, 1645, 1277, 986, 1567, 772, 669, 510, 706, 526, 330, 143, 0), (1842, 1687, 1535, 1600, 1366, 676, 673, 606, 758, 298, 268, 171, 0, 1890, 1664, 1284, 992, 1575, 778, 673, 512, 713, 530, 331, 143, 0), (1849, 1693, 1546, 1613, 1380, 683, 673, 610, 764, 302, 270, 171, 0, 1903, 1672, 1288, 999, 1587, 781, 676, 517, 716, 533, 335, 145, 0), (1856, 1699, 1558, 1622, 1387, 686, 677, 612, 767, 303, 270, 171, 0, 1915, 1675, 1298, 1003, 1598, 784, 680, 517, 719, 535, 338, 146, 0), (1865, 1704, 1572, 1631, 1395, 689, 678, 615, 771, 304, 271, 171, 0, 1921, 1687, 1306, 1008, 1609, 789, 684, 520, 724, 536, 339, 147, 0), (1882, 1708, 1586, 1637, 1406, 692, 679, 618, 775, 305, 273, 171, 0, 1933, 1699, 1311, 1013, 1616, 794, 688, 522, 724, 539, 340, 147, 0), (1903, 1715, 1592, 1650, 1410, 696, 683, 625, 778, 306, 275, 172, 0, 1944, 1710, 1316, 1017, 1627, 796, 691, 526, 727, 546, 341, 147, 0), (1912, 1723, 1601, 1665, 1421, 700, 686, 629, 779, 307, 276, 174, 0, 1953, 1723, 1322, 1020, 1638, 802, 694, 530, 734, 549, 344, 148, 0), (1926, 1729, 1609, 1675, 1431, 709, 687, 632, 783, 311, 277, 174, 0, 1964, 1735, 1329, 1023, 1645, 808, 697, 534, 741, 551, 349, 148, 0), (1936, 1733, 1617, 1686, 1438, 713, 688, 636, 788, 312, 280, 174, 0, 1972, 1743, 1334, 1028, 1658, 813, 703, 539, 747, 553, 351, 148, 0), (1947, 1742, 1624, 1699, 1451, 717, 688, 639, 793, 313, 281, 174, 0, 1980, 1755, 1339, 1035, 1669, 817, 705, 540, 749, 555, 353, 148, 0), (1957, 1754, 1640, 1705, 1461, 723, 693, 645, 799, 314, 282, 176, 0, 1991, 1762, 1346, 1041, 1678, 822, 707, 544, 751, 557, 354, 148, 0), (1970, 1767, 1652, 1714, 1467, 732, 696, 649, 804, 315, 284, 177, 0, 2007, 1776, 1349, 1046, 1693, 826, 712, 548, 753, 560, 358, 149, 0), (1978, 1781, 1658, 1723, 1478, 737, 699, 650, 808, 317, 284, 179, 0, 2011, 1786, 1360, 1050, 1702, 831, 715, 549, 756, 565, 359, 150, 0), (1984, 1792, 1667, 1731, 1489, 738, 704, 656, 814, 320, 288, 179, 0, 2025, 1795, 1370, 1054, 1714, 833, 720, 552, 761, 568, 361, 150, 0), (1993, 1803, 1677, 1734, 1500, 738, 710, 659, 816, 322, 291, 180, 0, 2042, 1797, 1378, 1057, 1720, 836, 722, 557, 765, 571, 361, 151, 0), (2006, 1813, 1681, 1751, 1511, 742, 712, 664, 819, 323, 292, 182, 0, 2052, 1807, 1385, 1061, 1730, 840, 728, 560, 773, 574, 364, 151, 0), (2016, 1822, 1691, 1763, 1517, 746, 714, 668, 824, 324, 293, 182, 0, 2063, 1817, 1391, 1066, 1740, 845, 733, 562, 779, 577, 366, 152, 0), (2029, 1825, 1698, 1783, 1528, 754, 716, 669, 829, 324, 293, 184, 0, 2076, 1829, 1397, 1077, 1753, 850, 733, 567, 783, 582, 367, 152, 0), (2044, 1835, 1708, 1792, 1536, 757, 721, 672, 832, 325, 294, 185, 0, 2087, 1834, 1401, 1084, 1770, 853, 738, 572, 788, 587, 367, 152, 0), (2053, 1849, 1716, 1799, 1551, 764, 722, 675, 836, 329, 295, 185, 0, 2103, 1838, 1408, 1090, 1781, 857, 741, 573, 790, 589, 369, 152, 0), (2063, 1857, 1728, 1806, 1564, 766, 728, 680, 837, 330, 295, 186, 0, 2113, 1848, 1417, 1095, 1793, 862, 744, 577, 793, 592, 370, 153, 0), (2074, 1868, 1743, 1819, 1577, 767, 732, 683, 838, 332, 296, 186, 0, 2121, 1852, 1426, 1097, 1801, 866, 745, 578, 797, 597, 371, 156, 0), (2089, 1872, 1752, 1827, 1581, 769, 734, 685, 843, 333, 296, 187, 0, 2134, 1859, 1435, 1101, 1808, 870, 745, 581, 800, 601, 372, 157, 0), (2095, 1878, 1761, 1841, 1590, 772, 738, 688, 847, 334, 298, 187, 0, 2144, 1864, 1440, 1103, 1817, 871, 751, 582, 802, 606, 375, 158, 0), (2104, 1884, 1771, 1850, 1603, 775, 743, 691, 849, 335, 299, 187, 0, 2149, 1869, 1447, 1107, 1825, 877, 754, 584, 806, 606, 377, 159, 0), (2114, 1889, 1779, 1854, 1615, 777, 746, 696, 856, 337, 300, 187, 0, 2155, 1877, 1449, 1112, 1830, 880, 761, 587, 808, 610, 381, 160, 0), (2126, 1892, 1785, 1865, 1619, 784, 748, 701, 859, 340, 300, 187, 0, 2171, 1883, 1454, 1113, 1839, 885, 762, 589, 814, 614, 382, 160, 0), (2133, 1898, 1790, 1872, 1624, 787, 750, 707, 862, 345, 302, 188, 0, 2179, 1888, 1459, 1117, 1847, 886, 766, 589, 814, 617, 385, 160, 0), (2135, 1903, 1795, 1878, 1632, 788, 752, 708, 866, 345, 304, 188, 0, 2183, 1899, 1466, 1119, 1853, 889, 770, 590, 818, 619, 389, 162, 0), (2146, 1909, 1804, 1883, 1640, 790, 757, 711, 869, 345, 305, 188, 0, 2192, 1905, 1471, 1128, 1857, 890, 772, 595, 822, 623, 390, 163, 0), (2158, 1914, 1808, 1890, 1646, 796, 762, 713, 871, 346, 306, 188, 0, 2200, 1913, 1473, 1134, 1866, 892, 775, 595, 827, 624, 391, 164, 0), (2166, 1917, 1815, 1895, 1648, 797, 764, 714, 876, 347, 306, 188, 0, 2206, 1915, 1478, 1137, 1872, 895, 778, 599, 830, 627, 392, 164, 0), (2176, 1922, 1823, 1900, 1661, 800, 765, 718, 879, 348, 306, 188, 0, 2211, 1923, 1484, 1141, 1875, 897, 781, 603, 833, 632, 394, 166, 0), (2183, 1926, 1824, 1909, 1672, 803, 767, 719, 879, 348, 308, 188, 0, 2216, 1930, 1495, 1145, 1879, 900, 783, 603, 835, 632, 394, 166, 0), (2188, 1930, 1830, 1914, 1677, 804, 769, 721, 888, 348, 309, 188, 0, 2225, 1933, 1497, 1147, 1885, 902, 783, 605, 836, 635, 398, 167, 0), (2196, 1933, 1832, 1923, 1684, 808, 771, 722, 888, 349, 312, 188, 0, 2232, 1940, 1500, 1149, 1888, 905, 786, 607, 837, 637, 400, 167, 0), (2205, 1936, 1838, 1925, 1689, 809, 773, 722, 895, 350, 313, 188, 0, 2244, 1948, 1502, 1152, 1890, 907, 789, 608, 839, 639, 401, 167, 0), (2208, 1938, 1848, 1925, 1695, 811, 773, 725, 897, 351, 315, 188, 0, 2254, 1950, 1506, 1154, 1893, 910, 790, 612, 841, 641, 403, 167, 0), (2208, 1938, 1848, 1925, 1695, 811, 773, 725, 897, 351, 315, 188, 0, 2254, 1950, 1506, 1154, 1893, 910, 790, 612, 841, 641, 403, 167, 0))
passenger_arriving_rate = ((7.029211809720476, 7.090786984939564, 6.079830434547925, 6.525401162556605, 5.184373233768971, 2.563234861163827, 2.9022249307617405, 2.7143527675713304, 2.8420462290117365, 1.3853052554328298, 0.9812285382399741, 0.571423425802387, 0.0, 7.117432297609708, 6.285657683826256, 4.90614269119987, 4.155915766298489, 5.684092458023473, 3.8000938745998627, 2.9022249307617405, 1.8308820436884476, 2.5921866168844856, 2.175133720852202, 1.2159660869095852, 0.6446169986308695, 0.0), (7.496058012827964, 7.558911224152441, 6.4812376898851785, 6.956401465940448, 5.527657648309288, 2.7325532603014207, 3.093628258884586, 2.893049671694997, 3.0297144856220246, 1.4766432422970026, 1.0460557650564308, 0.6091419437616749, 0.0, 7.587708306415797, 6.700561381378422, 5.230278825282154, 4.429929726891007, 6.059428971244049, 4.050269540372995, 3.093628258884586, 1.9518237573581576, 2.763828824154644, 2.3188004886468163, 1.2962475379770357, 0.687173747650222, 0.0), (7.9614122125716245, 8.025177635976757, 6.881049333138649, 7.385687089898034, 5.869698775499761, 2.9011961768518306, 3.284272955572493, 3.071031394610912, 3.2166338432095234, 1.5676198212571917, 1.1106254013811399, 0.6467104760728565, 0.0, 8.056110759493567, 7.113815236801421, 5.553127006905699, 4.702859463771574, 6.433267686419047, 4.2994439524552766, 3.284272955572493, 2.0722829834655934, 2.9348493877498805, 2.4618956966326784, 1.37620986662773, 0.7295616032706144, 0.0), (8.423460910405188, 8.487736310818441, 7.277679347539831, 7.811555227908678, 6.209150897601775, 3.0684948417778424, 3.473402549153569, 3.2475923418717962, 3.4020630750965104, 1.657873944449164, 1.1746812960930562, 0.6839799965752206, 0.0, 8.520781928755916, 7.523779962327425, 5.873406480465281, 4.97362183334749, 6.804126150193021, 4.5466292786205145, 3.473402549153569, 2.191782029841316, 3.1045754488008876, 2.6038517426362264, 1.455535869507966, 0.7716123918925856, 0.0), (8.880390607782374, 8.94473733908341, 7.669541716320211, 8.232303073451698, 6.5446682968767265, 3.233780486042246, 3.6602605679559215, 3.4220269190303676, 3.585260954605263, 1.7470445640086882, 1.2379672980711345, 0.7208014791080559, 0.0, 8.979864086115745, 7.928816270188614, 6.189836490355671, 5.241133692026064, 7.170521909210526, 4.790837686642515, 3.6602605679559215, 2.30984320431589, 3.2723341484383632, 2.7441010244839, 1.5339083432640421, 0.8131579399166738, 0.0), (9.330387806156915, 9.394330811177607, 8.055050422711272, 8.646227820006413, 6.874905255585995, 3.396384340607826, 3.844090540307657, 3.593629531639346, 3.765486255058061, 1.8347706320715327, 1.300227256194331, 0.7570258975106506, 0.0, 9.43149950348596, 8.327284872617156, 6.501136280971655, 5.504311896214597, 7.530972510116122, 5.031081344295084, 3.844090540307657, 2.4259888147198754, 3.4374526277929975, 2.8820759400021383, 1.6110100845422546, 0.8540300737434189, 0.0), (9.771639006982534, 9.834666817506942, 8.43261944994451, 9.051626661052135, 7.198516055990973, 3.5556376364373725, 4.024135994536884, 3.7616945852514516, 3.9419977497771805, 1.920691100773466, 1.3612050193415997, 0.7925042256222944, 0.0, 9.87383045277945, 8.717546481845236, 6.806025096707997, 5.762073302320396, 7.883995499554361, 5.266372419352033, 4.024135994536884, 2.5397411688838374, 3.5992580279954867, 3.017208887017379, 1.6865238899889023, 0.8940606197733586, 0.0), (10.202330711712957, 10.263895448477353, 8.800662781251408, 9.446796790068186, 7.514154980353052, 3.710871604493673, 4.19964045897171, 3.9255164854194056, 4.1140542120849, 2.004444922250256, 1.4206444363918964, 0.8270874372822752, 0.0, 10.304999205909127, 9.097961810105026, 7.103222181959481, 6.013334766750766, 8.2281084241698, 5.495723079587168, 4.19964045897171, 2.6506225746383376, 3.757077490176526, 3.148932263356063, 1.7601325562502819, 0.9330814044070321, 0.0), (10.62064942180191, 10.68016679449476, 9.157594399863463, 9.830035400533875, 7.820476310933614, 3.8614174757395103, 4.369847461940239, 4.0843896376959234, 4.280914415303496, 2.0856710486376717, 1.4782893562241752, 0.8606265063298821, 0.0, 10.723148034787885, 9.466891569628702, 7.391446781120876, 6.257013145913014, 8.561828830606991, 5.718145492774292, 4.369847461940239, 2.758155339813936, 3.910238155466807, 3.276678466844626, 1.831518879972693, 0.9709242540449783, 0.0), (11.02478163870312, 11.081630945965095, 9.501828289012156, 10.199639685928528, 8.116134329994049, 4.006606481137679, 4.534000531770584, 4.237608447633729, 4.441837132755248, 2.1640084320714803, 1.5338836277173917, 0.8929724066044035, 0.0, 11.126419211328628, 9.822696472648436, 7.669418138586958, 6.49202529621444, 8.883674265510496, 5.932651826687221, 4.534000531770584, 2.861861772241199, 4.058067164997024, 3.3998798953095104, 1.9003656578024313, 1.0074209950877362, 0.0), (11.412913863870306, 11.46643799329428, 9.83177843192898, 10.553906839731454, 8.399783319795748, 4.145769851650964, 4.691343196790848, 4.38446732078554, 4.596081137762433, 2.2390960246874507, 1.5871710997505006, 0.923976111945128, 0.0, 11.512955007444255, 10.163737231396405, 7.935855498752503, 6.717288074062351, 9.192162275524867, 6.138254249099756, 4.691343196790848, 2.961264179750688, 4.199891659897874, 3.517968946577152, 1.9663556863857963, 1.0424034539358438, 0.0), (11.783232598757209, 11.832738026888249, 10.145858811845418, 10.891134055421968, 8.670077562600099, 4.278238818242151, 4.841118985329142, 4.524260662704076, 4.7429052036473305, 2.3105727786213524, 1.6378956212024585, 0.9534885961913449, 0.0, 11.880897695047656, 10.488374558104791, 8.189478106012292, 6.931718335864056, 9.485810407294661, 6.333964927785706, 4.841118985329142, 3.055884870172965, 4.3350387813000495, 3.63037801847399, 2.0291717623690837, 1.075703456989841, 0.0), (12.133924344817538, 12.178681137152912, 10.442483411992965, 11.209618526479394, 8.925671340668487, 4.403344611874027, 4.9825714257135685, 4.656282878942054, 4.881568103732217, 2.378077646008951, 1.6858010409522184, 0.9813608331823415, 0.0, 12.22838954605175, 10.794969165005755, 8.429005204761092, 7.134232938026852, 9.763136207464434, 6.518796030518876, 4.9825714257135685, 3.1452461513385908, 4.462835670334243, 3.7365395088264655, 2.0884966823985933, 1.107152830650265, 0.0), (12.463175603505027, 12.502417414494213, 10.720066215603106, 11.507657446383048, 9.165218936262296, 4.520418463509383, 5.11494404627224, 4.779828375052198, 5.011328611339368, 2.441249578986017, 1.7306312078787365, 1.0074437967574077, 0.0, 12.55357283236943, 11.08188176433148, 8.653156039393682, 7.323748736958049, 10.022657222678736, 6.691759725073078, 5.11494404627224, 3.228870331078131, 4.582609468131148, 3.8358858154610167, 2.1440132431206216, 1.136583401317656, 0.0), (12.769172876273403, 12.802096949318072, 10.977021205907338, 11.783548008612232, 9.387374631642924, 4.6287916041110035, 5.237480375333263, 4.894191556587227, 5.131445499791063, 2.4997275296883177, 1.7721299708609668, 1.0315884607558323, 0.0, 12.85458982591359, 11.347473068314153, 8.860649854304834, 7.499182589064952, 10.262890999582126, 6.8518681792221185, 5.237480375333263, 3.306279717222145, 4.693687315821462, 3.9278493362040785, 2.195404241181468, 1.1638269953925522, 0.0), (13.050102664576398, 13.075869832030413, 11.211762366137135, 12.035587406646286, 9.590792709071755, 4.72779526464168, 5.349423941224739, 4.998666829099858, 5.241177542409583, 2.5531504502516222, 1.810041178777865, 1.0536457990169035, 0.0, 13.129582798597134, 11.590103789185937, 9.050205893889325, 7.659451350754866, 10.482355084819165, 6.998133560739801, 5.349423941224739, 3.3769966176011996, 4.795396354535877, 4.0118624688820965, 2.242352473227427, 1.1887154392754924, 0.0), (13.30415146986772, 13.321886153037171, 11.422703679523998, 12.262072833964503, 9.774127450810177, 4.816760676064193, 5.450018272274784, 5.092548598142811, 5.339783512517201, 2.6011572928116995, 1.8441086805083868, 1.0734667853799098, 0.0, 13.376694022332964, 11.808134639179006, 9.220543402541933, 7.803471878435097, 10.679567025034402, 7.1295680373999355, 5.450018272274784, 3.440543340045852, 4.887063725405088, 4.087357611321502, 2.2845407359047996, 1.2110805593670158, 0.0), (13.529505793601107, 13.538296002744264, 11.608259129299412, 12.46130148404622, 9.936033139119584, 4.895019069341334, 5.538506896811498, 5.17513126926881, 5.426522183436193, 2.643387009504314, 1.874076324931487, 1.09090239368414, 0.0, 13.594065769033982, 11.999926330525538, 9.370381624657433, 7.9301610285129405, 10.853044366872385, 7.245183776976335, 5.538506896811498, 3.496442192386667, 4.968016569559792, 4.153767161348741, 2.3216518258598824, 1.2307541820676606, 0.0), (13.724352137230287, 13.723249471557619, 11.766842698694862, 12.631570550370744, 10.07516405626135, 4.961901675435895, 5.6141333431629965, 5.245709248030569, 5.500652328488845, 2.6794785524652385, 1.8996879609261188, 1.1058035977688838, 0.0, 13.779840310613086, 12.163839575457718, 9.498439804630594, 8.038435657395715, 11.00130465697769, 7.343992947242797, 5.6141333431629965, 3.5442154824542103, 5.037582028130675, 4.210523516790249, 2.3533685397389728, 1.2475681337779656, 0.0), (13.88687700220898, 13.874896649883173, 11.896868370941842, 12.77117722641738, 10.190174484496875, 5.0167397253106545, 5.676141139657377, 5.30357693998081, 5.561432720997431, 2.7090708738302403, 1.9206874373712384, 1.1180213714734282, 0.0, 13.932159918983176, 12.298235086207708, 9.603437186856192, 8.12721262149072, 11.122865441994861, 7.425007715973134, 5.676141139657377, 3.5833855180790386, 5.095087242248438, 4.257059075472461, 2.379373674188369, 1.2613542408984704, 0.0), (14.015266889990915, 13.991387628126835, 11.996750129271838, 12.87841870566547, 10.279718706087547, 5.058864449928407, 5.723773814622755, 5.348028750672253, 5.608122134284226, 2.731802925735086, 1.936818603145802, 1.1274066886370624, 0.0, 14.049166866057154, 12.401473575007685, 9.68409301572901, 8.195408777205257, 11.216244268568452, 7.487240250941153, 5.723773814622755, 3.6134746070917196, 5.139859353043773, 4.292806235221825, 2.399350025854368, 1.2719443298297126, 0.0), (14.107708302029813, 14.070872496694552, 12.064901956916339, 12.951592181594311, 10.34245100329475, 5.087607080251938, 5.756274896387231, 5.378359085657614, 5.63997934167151, 2.747313660315545, 1.9478253071287643, 1.133810523099076, 0.0, 14.12900342374791, 12.471915754089835, 9.739126535643821, 8.241940980946634, 11.27995868334302, 7.529702719920659, 5.756274896387231, 3.634005057322813, 5.171225501647375, 4.317197393864771, 2.412980391383268, 1.279170226972232, 0.0), (14.162387739779412, 14.111501345992236, 12.099737837106835, 12.988994847683228, 10.377025658379871, 5.102298847244033, 5.77288791327892, 5.393862350489618, 5.656263116481561, 2.7552420297073854, 1.9534513981990798, 1.1370838486987573, 0.0, 14.16981186396836, 12.50792233568633, 9.7672569909954, 8.265726089122154, 11.312526232963123, 7.551407290685465, 5.77288791327892, 3.644499176602881, 5.188512829189936, 4.329664949227744, 2.419947567421367, 1.282863758726567, 0.0), (14.182550708679697, 14.116311945587563, 12.104077046181986, 12.993677353395064, 10.385883252297091, 5.104166666666667, 5.774862801581538, 5.395538065843622, 5.658298909465021, 2.7561772953818022, 1.9541568753377396, 1.1374880506020426, 0.0, 14.175, 12.512368556622466, 9.770784376688697, 8.268531886145405, 11.316597818930042, 7.553753292181072, 5.774862801581538, 3.6458333333333335, 5.192941626148546, 4.331225784465023, 2.4208154092363974, 1.283301085962506, 0.0), (14.197417378247815, 14.113505864197531, 12.10336728395062, 12.99310104166667, 10.390900439373862, 5.104166666666667, 5.773777668845317, 5.393208333333334, 5.658026111111111, 2.755602716049383, 1.9540790684624023, 1.1373934156378602, 0.0, 14.175, 12.51132757201646, 9.77039534231201, 8.266808148148147, 11.316052222222222, 7.550491666666668, 5.773777668845317, 3.6458333333333335, 5.195450219686931, 4.331033680555557, 2.4206734567901242, 1.2830459876543212, 0.0), (14.211970122296213, 14.10797467992684, 12.101966163694561, 12.991960841049384, 10.39580728255487, 5.104166666666667, 5.771639231824418, 5.388631687242799, 5.657487139917696, 2.754471593507088, 1.9539247931994848, 1.1372065996037193, 0.0, 14.175, 12.509272595640908, 9.769623965997424, 8.263414780521263, 11.314974279835392, 7.544084362139919, 5.771639231824418, 3.6458333333333335, 5.197903641277435, 4.330653613683129, 2.4203932327389124, 1.2825431527206221, 0.0), (14.226207826667249, 14.099802892089624, 12.099892889803387, 12.990269714506173, 10.400603610526364, 5.104166666666667, 5.768480702816105, 5.381894547325103, 5.65668890946502, 2.7528027480566992, 1.9536954462318665, 1.136930163084896, 0.0, 14.175, 12.506231793933855, 9.768477231159332, 8.258408244170097, 11.31337781893004, 7.534652366255146, 5.768480702816105, 3.6458333333333335, 5.200301805263182, 4.330089904835392, 2.4199785779606775, 1.2818002629172387, 0.0), (14.240129377203292, 14.089075, 12.097166666666668, 12.988040625, 10.405289251974601, 5.104166666666667, 5.7643352941176484, 5.3730833333333345, 5.655638333333333, 2.7506150000000003, 1.9533924242424245, 1.1365666666666672, 0.0, 14.175, 12.502233333333336, 9.766962121212122, 8.251845, 11.311276666666666, 7.5223166666666685, 5.7643352941176484, 3.6458333333333335, 5.2026446259873005, 4.329346875000001, 2.4194333333333335, 1.280825, 0.0), (14.253733659746702, 14.075875502972108, 12.093806698673983, 12.985286535493827, 10.40986403558584, 5.104166666666667, 5.759236218026306, 5.362284465020577, 5.654342325102881, 2.7479271696387753, 1.9530171239140377, 1.1361186709343092, 0.0, 14.175, 12.4973053802774, 9.765085619570188, 8.243781508916324, 11.308684650205763, 7.507198251028808, 5.759236218026306, 3.6458333333333335, 5.20493201779292, 4.32842884516461, 2.418761339734797, 1.2796250457247373, 0.0), (14.26701956013985, 14.060288900320074, 12.089832190214908, 12.982020408950618, 10.41432779004634, 5.104166666666667, 5.753216686839346, 5.349584362139918, 5.652807798353909, 2.7447580772748066, 1.952570941929584, 1.1355887364730988, 0.0, 14.175, 12.491476101204084, 9.76285470964792, 8.234274231824418, 11.305615596707819, 7.489418106995886, 5.753216686839346, 3.6458333333333335, 5.20716389502317, 4.327340136316874, 2.4179664380429817, 1.2782080818472796, 0.0), (14.279985964225098, 14.042399691358026, 12.085262345679013, 12.978255208333334, 10.418680344042354, 5.104166666666667, 5.746309912854031, 5.335069444444444, 5.651041666666666, 2.7411265432098775, 1.952055274971942, 1.1349794238683129, 0.0, 14.175, 12.48477366255144, 9.760276374859709, 8.223379629629632, 11.302083333333332, 7.469097222222222, 5.746309912854031, 3.6458333333333335, 5.209340172021177, 4.326085069444446, 2.4170524691358026, 1.276581790123457, 0.0), (14.292631757844802, 14.022292375400093, 12.080116369455878, 12.97400389660494, 10.422921526260142, 5.104166666666667, 5.7385491083676285, 5.318826131687244, 5.649050843621399, 2.737051387745771, 1.9514715197239891, 1.1342932937052284, 0.0, 14.175, 12.477226230757509, 9.757357598619945, 8.211154163237312, 11.298101687242799, 7.4463565843621415, 5.7385491083676285, 3.6458333333333335, 5.211460763130071, 4.324667965534981, 2.416023273891176, 1.2747538523090995, 0.0), (14.304955826841338, 14.000051451760402, 12.07441346593507, 12.969279436728398, 10.427051165385956, 5.104166666666667, 5.7299674856774, 5.3009408436214, 5.646842242798354, 2.7325514311842714, 1.950821072868604, 1.1335329065691209, 0.0, 14.175, 12.468861972260328, 9.754105364343019, 8.197654293552812, 11.293684485596708, 7.421317181069961, 5.7299674856774, 3.6458333333333335, 5.213525582692978, 4.3230931455761334, 2.4148826931870144, 1.272731950160037, 0.0), (14.316957057057056, 13.975761419753086, 12.068172839506175, 12.964094791666666, 10.431069090106059, 5.104166666666667, 5.720598257080611, 5.2815, 5.644422777777778, 2.7276454938271613, 1.9501053310886647, 1.1327008230452675, 0.0, 14.175, 12.459709053497942, 9.750526655443322, 8.182936481481482, 11.288845555555556, 7.394100000000001, 5.720598257080611, 3.6458333333333335, 5.215534545053029, 4.321364930555556, 2.413634567901235, 1.2705237654320989, 0.0), (14.328634334334335, 13.949506778692271, 12.061413694558757, 12.958462924382715, 10.434975129106702, 5.104166666666667, 5.710474634874527, 5.260590020576132, 5.641799362139919, 2.7223523959762237, 1.9493256910670491, 1.1317996037189455, 0.0, 14.175, 12.449795640908398, 9.746628455335244, 8.16705718792867, 11.283598724279837, 7.3648260288065845, 5.710474634874527, 3.6458333333333335, 5.217487564553351, 4.319487641460906, 2.4122827389117516, 1.2681369798811157, 0.0), (14.339986544515531, 13.92137202789209, 12.054155235482398, 12.952396797839505, 10.438769111074146, 5.104166666666667, 5.699629831356412, 5.238297325102881, 5.638978909465021, 2.7166909579332423, 1.9484835494866362, 1.1308318091754308, 0.0, 14.175, 12.439149900929737, 9.74241774743318, 8.150072873799726, 11.277957818930043, 7.333616255144034, 5.699629831356412, 3.6458333333333335, 5.219384555537073, 4.317465599279836, 2.41083104709648, 1.2655792752629174, 0.0), (14.35101257344301, 13.891441666666665, 12.04641666666667, 12.945909375, 10.442450864694647, 5.104166666666667, 5.68809705882353, 5.214708333333334, 5.635968333333333, 2.7106800000000004, 1.9475803030303034, 1.1298000000000004, 0.0, 14.175, 12.427800000000001, 9.737901515151515, 8.13204, 11.271936666666665, 7.300591666666668, 5.68809705882353, 3.6458333333333335, 5.221225432347324, 4.315303125000001, 2.409283333333334, 1.2628583333333334, 0.0), (14.361711306959135, 13.859800194330132, 12.038217192501145, 12.939013618827161, 10.44602021865446, 5.104166666666667, 5.675909529573146, 5.189909465020577, 5.632774547325103, 2.7043383424782816, 1.9466173483809293, 1.1287067367779304, 0.0, 14.175, 12.415774104557233, 9.733086741904645, 8.113015027434844, 11.265549094650206, 7.265873251028808, 5.675909529573146, 3.6458333333333335, 5.22301010932723, 4.313004539609055, 2.407643438500229, 1.259981835848194, 0.0), (14.372081630906267, 13.826532110196618, 12.029576017375401, 12.931722492283953, 10.449477001639845, 5.104166666666667, 5.663100455902526, 5.1639871399176975, 5.629404465020576, 2.6976848056698683, 1.9455960822213911, 1.1275545800944982, 0.0, 14.175, 12.403100381039478, 9.727980411106955, 8.093054417009604, 11.258808930041152, 7.229581995884776, 5.663100455902526, 3.6458333333333335, 5.224738500819923, 4.3105741640946516, 2.40591520347508, 1.2569574645633292, 0.0), (14.382122431126781, 13.791721913580247, 12.020512345679016, 12.924048958333334, 10.452821042337057, 5.104166666666667, 5.649703050108934, 5.137027777777778, 5.625865000000001, 2.690738209876544, 1.9445179012345684, 1.1263460905349796, 0.0, 14.175, 12.389806995884772, 9.722589506172842, 8.07221462962963, 11.251730000000002, 7.191838888888889, 5.649703050108934, 3.6458333333333335, 5.226410521168528, 4.308016319444445, 2.4041024691358035, 1.253792901234568, 0.0), (14.39183259346303, 13.755454103795152, 12.011045381801555, 12.916005979938273, 10.45605216943235, 5.104166666666667, 5.635750524489632, 5.1091177983539104, 5.622163065843623, 2.6835173754000925, 1.943384202103338, 1.125083828684652, 0.0, 14.175, 12.375922115531171, 9.71692101051669, 8.050552126200277, 11.244326131687245, 7.1527649176954755, 5.635750524489632, 3.6458333333333335, 5.228026084716175, 4.305335326646092, 2.4022090763603114, 1.2504958276177414, 0.0), (14.40121100375738, 13.717813180155463, 12.001194330132604, 12.90760652006173, 10.459170211611989, 5.104166666666667, 5.621276091341887, 5.080343621399178, 5.618305576131687, 2.676041122542296, 1.9421963815105796, 1.1237703551287916, 0.0, 14.175, 12.361473906416705, 9.710981907552897, 8.028123367626886, 11.236611152263373, 7.112481069958849, 5.621276091341887, 3.6458333333333335, 5.229585105805994, 4.302535506687244, 2.400238866026521, 1.2470739254686787, 0.0), (14.410256547852201, 13.678883641975311, 11.990978395061731, 12.89886354166667, 10.462174997562222, 5.104166666666667, 5.6063129629629636, 5.050791666666668, 5.614299444444446, 2.668328271604939, 1.9409558361391697, 1.122408230452675, 0.0, 14.175, 12.346490534979424, 9.704779180695848, 8.004984814814815, 11.228598888888891, 7.071108333333335, 5.6063129629629636, 3.6458333333333335, 5.231087498781111, 4.299621180555557, 2.3981956790123466, 1.2435348765432102, 0.0), (14.418968111589852, 13.638749988568819, 11.980416780978512, 12.889790007716051, 10.46506635596931, 5.104166666666667, 5.5908943516501255, 5.020548353909466, 5.61015158436214, 2.660397642889804, 1.9396639626719878, 1.1210000152415793, 0.0, 14.175, 12.331000167657372, 9.698319813359937, 7.981192928669412, 11.22030316872428, 7.0287676954732525, 5.5908943516501255, 3.6458333333333335, 5.232533177984655, 4.296596669238685, 2.3960833561957027, 1.2398863625971654, 0.0), (14.427344580812699, 13.597496719250115, 11.969528692272522, 12.880398881172843, 10.467844115519508, 5.104166666666667, 5.575053469700638, 4.98970010288066, 5.605868909465021, 2.652268056698675, 1.938322157791911, 1.1195482700807806, 0.0, 14.175, 12.315030970888586, 9.691610788959554, 7.9568041700960235, 11.211737818930041, 6.985580144032924, 5.575053469700638, 3.6458333333333335, 5.233922057759754, 4.293466293724282, 2.3939057384545044, 1.2361360653863744, 0.0), (14.435384841363105, 13.555208333333335, 11.958333333333336, 12.870703125000002, 10.470508104899077, 5.104166666666667, 5.558823529411765, 4.958333333333334, 5.601458333333333, 2.6439583333333343, 1.9369318181818187, 1.1180555555555556, 0.0, 14.175, 12.29861111111111, 9.684659090909092, 7.931875000000002, 11.202916666666667, 6.941666666666667, 5.558823529411765, 3.6458333333333335, 5.235254052449538, 4.290234375000002, 2.391666666666667, 1.232291666666667, 0.0), (14.443087779083434, 13.511969330132603, 11.946849908550526, 12.860715702160494, 10.47305815279427, 5.104166666666667, 5.542237743080772, 4.926534465020577, 5.596926769547324, 2.635487293095565, 1.9354943405245877, 1.1165244322511814, 0.0, 14.175, 12.281768754762993, 9.677471702622938, 7.906461879286693, 11.193853539094649, 6.897148251028808, 5.542237743080772, 3.6458333333333335, 5.236529076397135, 4.286905234053499, 2.3893699817101055, 1.228360848193873, 0.0), (14.45045227981605, 13.46786420896205, 11.935097622313673, 12.850449575617287, 10.475494087891343, 5.104166666666667, 5.525329323004923, 4.894389917695474, 5.592281131687244, 2.6268737562871523, 1.9340111215030973, 1.1149574607529342, 0.0, 14.175, 12.264532068282275, 9.670055607515485, 7.880621268861455, 11.184562263374488, 6.852145884773663, 5.525329323004923, 3.6458333333333335, 5.237747043945672, 4.283483191872429, 2.387019524462735, 1.2243512917238228, 0.0), (14.457477229403315, 13.422977469135803, 11.923095679012349, 12.839917708333335, 10.477815738876558, 5.104166666666667, 5.508131481481482, 4.861986111111112, 5.587528333333333, 2.618136543209877, 1.9324835578002246, 1.1133572016460909, 0.0, 14.175, 12.246929218106997, 9.662417789001124, 7.854409629629629, 11.175056666666666, 6.806780555555557, 5.508131481481482, 3.6458333333333335, 5.238907869438279, 4.279972569444446, 2.38461913580247, 1.2202706790123459, 0.0), (14.464161513687602, 13.377393609967992, 11.910863283036125, 12.829133063271607, 10.480022934436168, 5.104166666666667, 5.490677430807714, 4.829409465020577, 5.582675288065844, 2.6092944741655244, 1.930913046098849, 1.1117262155159278, 0.0, 14.175, 12.228988370675204, 9.654565230494246, 7.827883422496572, 11.165350576131688, 6.761173251028807, 5.490677430807714, 3.6458333333333335, 5.240011467218084, 4.276377687757203, 2.382172656607225, 1.2161266918152722, 0.0), (14.470504018511264, 13.33119713077275, 11.89841963877458, 12.81810860339506, 10.482115503256427, 5.104166666666667, 5.473000383280885, 4.796746399176955, 5.57772890946502, 2.6003663694558763, 1.9293009830818477, 1.1100670629477218, 0.0, 14.175, 12.210737692424937, 9.646504915409238, 7.8010991083676275, 11.15545781893004, 6.715444958847738, 5.473000383280885, 3.6458333333333335, 5.2410577516282135, 4.272702867798355, 2.379683927754916, 1.211927011888432, 0.0), (14.476503629716676, 13.284472530864198, 11.885783950617286, 12.806857291666669, 10.484093274023598, 5.104166666666667, 5.455133551198258, 4.764083333333335, 5.572696111111112, 2.5913710493827167, 1.9276487654320995, 1.1083823045267494, 0.0, 14.175, 12.192205349794241, 9.638243827160496, 7.774113148148149, 11.145392222222224, 6.669716666666668, 5.455133551198258, 3.6458333333333335, 5.242046637011799, 4.268952430555557, 2.377156790123457, 1.2076793209876546, 0.0), (14.482159233146191, 13.237304309556471, 11.87297542295382, 12.795392091049385, 10.485956075423934, 5.104166666666667, 5.437110146857097, 4.731506687242798, 5.567583806584363, 2.582327334247829, 1.9259577898324816, 1.1066745008382872, 0.0, 14.175, 12.173419509221157, 9.629788949162407, 7.746982002743485, 11.135167613168726, 6.624109362139918, 5.437110146857097, 3.6458333333333335, 5.242978037711967, 4.265130697016462, 2.3745950845907644, 1.2033913008687704, 0.0), (14.487469714642183, 13.189776966163697, 11.860013260173757, 12.783725964506175, 10.487703736143693, 5.104166666666667, 5.418963382554669, 4.699102880658437, 5.5623989094650215, 2.573254044352996, 1.9242294529658732, 1.104946212467612, 0.0, 14.175, 12.15440833714373, 9.621147264829364, 7.719762133058986, 11.124797818930043, 6.578744032921811, 5.418963382554669, 3.6458333333333335, 5.243851868071847, 4.261241988168726, 2.3720026520347517, 1.199070633287609, 0.0), (14.492433960047004, 13.141975000000002, 11.846916666666667, 12.771871875000002, 10.489336084869135, 5.104166666666667, 5.400726470588236, 4.6669583333333335, 5.557148333333334, 2.5641700000000007, 1.9224651515151516, 1.1032000000000002, 0.0, 14.175, 12.1352, 9.612325757575757, 7.69251, 11.114296666666668, 6.533741666666667, 5.400726470588236, 3.6458333333333335, 5.244668042434568, 4.257290625000001, 2.369383333333334, 1.1947250000000003, 0.0), (14.497050855203032, 13.093982910379516, 11.833704846822133, 12.759842785493827, 10.490852950286511, 5.104166666666667, 5.382432623255064, 4.6351594650205765, 5.551838991769547, 2.555094021490627, 1.9206662821631961, 1.101438424020729, 0.0, 14.175, 12.115822664228014, 9.603331410815981, 7.66528206447188, 11.103677983539095, 6.4892232510288075, 5.382432623255064, 3.6458333333333335, 5.2454264751432556, 4.253280928497944, 2.3667409693644266, 1.1903620827617745, 0.0), (14.501319285952622, 13.045885196616371, 11.820397005029724, 12.74765165895062, 10.492254161082082, 5.104166666666667, 5.3641150528524175, 4.603792695473252, 5.5464777983539095, 2.5460449291266585, 1.918834241592884, 1.099664045115074, 0.0, 14.175, 12.096304496265812, 9.59417120796442, 7.638134787379974, 11.092955596707819, 6.445309773662553, 5.3641150528524175, 3.6458333333333335, 5.246127080541041, 4.249217219650207, 2.3640794010059447, 1.1859895633287612, 0.0), (14.505238138138138, 12.997766358024693, 11.807012345679016, 12.735311458333335, 10.493539545942102, 5.104166666666667, 5.34580697167756, 4.572944444444445, 5.541071666666667, 2.5370415432098774, 1.9169704264870937, 1.097879423868313, 0.0, 14.175, 12.076673662551439, 9.584852132435467, 7.61112462962963, 11.082143333333335, 6.402122222222224, 5.34580697167756, 3.6458333333333335, 5.246769772971051, 4.245103819444446, 2.3614024691358035, 1.1816151234567904, 0.0), (14.508806297601952, 12.949710893918612, 11.79357007315958, 12.72283514660494, 10.494708933552829, 5.104166666666667, 5.3275415920277585, 4.5427011316872425, 5.535627510288066, 2.5281026840420675, 1.9150762335287033, 1.096087120865722, 0.0, 14.175, 12.05695832952294, 9.575381167643515, 7.584308052126201, 11.071255020576132, 6.35978158436214, 5.3275415920277585, 3.6458333333333335, 5.2473544667764145, 4.240945048868314, 2.3587140146319165, 1.1772464449016922, 0.0), (14.51202265018642, 12.901803303612255, 11.780089391860999, 12.710235686728396, 10.495762152600523, 5.104166666666667, 5.309352126200275, 4.513149176954733, 5.530152242798355, 2.5192471719250125, 1.9131530594005905, 1.0942896966925775, 0.0, 14.175, 12.037186663618352, 9.565765297002951, 7.557741515775036, 11.06030448559671, 6.3184088477366265, 5.309352126200275, 3.6458333333333335, 5.247881076300262, 4.2367452289094665, 2.3560178783722, 1.172891209419296, 0.0), (14.51488608173391, 12.854128086419754, 11.76658950617284, 12.697526041666668, 10.496699031771435, 5.104166666666667, 5.291271786492374, 4.484375000000001, 5.524652777777779, 2.5104938271604946, 1.9112023007856345, 1.0924897119341568, 0.0, 14.175, 12.017386831275722, 9.556011503928172, 7.5314814814814826, 11.049305555555557, 6.278125000000001, 5.291271786492374, 3.6458333333333335, 5.248349515885717, 4.232508680555557, 2.353317901234568, 1.1685570987654323, 0.0), (14.517395478086781, 12.806769741655238, 11.753089620484685, 12.684719174382717, 10.497519399751823, 5.104166666666667, 5.273333785201324, 4.4564650205761325, 5.519136028806585, 2.501861470050298, 1.9092253543667126, 1.0906897271757356, 0.0, 14.175, 11.997586998933091, 9.546126771833563, 7.5055844101508935, 11.03827205761317, 6.2390510288065855, 5.273333785201324, 3.6458333333333335, 5.248759699875912, 4.22823972479424, 2.350617924096937, 1.1642517946959308, 0.0), (14.519549725087407, 12.759812768632832, 11.739608939186102, 12.671828047839508, 10.498223085227952, 5.104166666666667, 5.255571334624385, 4.429505658436215, 5.513608909465021, 2.4933689208962058, 1.9072236168267036, 1.0888923030025914, 0.0, 14.175, 11.977815333028504, 9.536118084133516, 7.4801067626886155, 11.027217818930042, 6.201307921810701, 5.255571334624385, 3.6458333333333335, 5.249111542613976, 4.2239426826131705, 2.3479217878372207, 1.1599829789666212, 0.0), (14.521347708578144, 12.713341666666667, 11.72616666666667, 12.658865625, 10.498809916886067, 5.104166666666667, 5.238017647058824, 4.4035833333333345, 5.508078333333334, 2.4850350000000003, 1.9051984848484853, 1.0871000000000002, 0.0, 14.175, 11.9581, 9.525992424242425, 7.455105, 11.016156666666667, 6.165016666666668, 5.238017647058824, 3.6458333333333335, 5.249404958443034, 4.219621875000001, 2.345233333333334, 1.1557583333333337, 0.0), (14.522788314401359, 12.667440935070873, 11.712782007315958, 12.645844868827162, 10.499279723412432, 5.104166666666667, 5.220705934801905, 4.378784465020577, 5.50255121399177, 2.4768785276634664, 1.9031513551149353, 1.0853153787532392, 0.0, 14.175, 11.938469166285628, 9.515756775574676, 7.430635582990398, 11.00510242798354, 6.130298251028808, 5.220705934801905, 3.6458333333333335, 5.249639861706216, 4.215281622942388, 2.342556401463192, 1.151585539551898, 0.0), (14.523870428399414, 12.62219507315958, 11.69947416552355, 12.63277874228395, 10.499632333493302, 5.104166666666667, 5.2036694101508925, 4.35519547325103, 5.497034465020577, 2.4689183241883863, 1.9010836243089335, 1.0835409998475842, 0.0, 14.175, 11.918950998323425, 9.505418121544666, 7.406754972565158, 10.994068930041154, 6.097273662551442, 5.2036694101508925, 3.6458333333333335, 5.249816166746651, 4.2109262474279845, 2.3398948331047102, 1.1474722793781438, 0.0), (14.524592936414676, 12.577688580246916, 11.686262345679015, 12.619680208333333, 10.499867575814935, 5.104166666666667, 5.1869412854030505, 4.332902777777779, 5.491535000000001, 2.4611732098765438, 1.898996689113356, 1.0817794238683132, 0.0, 14.175, 11.899573662551441, 9.49498344556678, 7.38351962962963, 10.983070000000001, 6.06606388888889, 5.1869412854030505, 3.6458333333333335, 5.249933787907468, 4.206560069444445, 2.337252469135803, 1.1434262345679016, 0.0), (14.524954724289511, 12.534005955647004, 11.673165752171926, 12.606562229938273, 10.499985279063587, 5.104166666666667, 5.1705547728556445, 4.311992798353911, 5.486059732510288, 2.453662005029722, 1.8968919462110825, 1.0800332114007012, 0.0, 14.175, 11.88036532540771, 9.484459731055413, 7.360986015089164, 10.972119465020576, 6.036789917695475, 5.1705547728556445, 3.6458333333333335, 5.2499926395317935, 4.202187409979425, 2.3346331504343856, 1.1394550868770006, 0.0), (14.524708260273156, 12.491002420461081, 11.660140274919984, 12.593323827495976, 10.499886091610856, 5.104071942793273, 5.154460636380753, 4.292367245846671, 5.480574329370524, 2.446367154576509, 1.894733397326088, 1.078295169221637, 0.0, 14.174825210048013, 11.861246861438005, 9.47366698663044, 7.339101463729525, 10.961148658741047, 6.009314144185339, 5.154460636380753, 3.6457656734237665, 5.249943045805428, 4.197774609165326, 2.3320280549839967, 1.135545674587371, 0.0), (14.522398389694043, 12.44736508363202, 11.646819830246914, 12.579297690217391, 10.498983297022512, 5.1033231138545965, 5.13818772694263, 4.272974279835392, 5.474838991769548, 2.439082236746551, 1.8923013290802768, 1.0765088802252547, 0.0, 14.17344039351852, 11.8415976824778, 9.461506645401384, 7.317246710239651, 10.949677983539097, 5.982163991769549, 5.13818772694263, 3.6452307956104257, 5.249491648511256, 4.193099230072464, 2.329363966049383, 1.1315786439665476, 0.0), (14.517840102582454, 12.402893656798973, 11.633146504915409, 12.564391480475042, 10.49719935985368, 5.101848358989992, 5.121662094192959, 4.253638926992837, 5.468821349641823, 2.4317718335619576, 1.8895680735227522, 1.0746659888174948, 0.0, 14.170705268347055, 11.82132587699244, 9.447840367613761, 7.295315500685872, 10.937642699283646, 5.955094497789972, 5.121662094192959, 3.6441773992785653, 5.24859967992684, 4.188130493491681, 2.326629300983082, 1.127535786981725, 0.0), (14.511097524900102, 12.357614716359132, 11.619125100022863, 12.548627178945251, 10.49455687350386, 5.0996715769953775, 5.104891161677292, 4.234367588782199, 5.462530365035819, 2.4244361257699243, 1.8865437198495683, 1.072767842674817, 0.0, 14.166655842764062, 11.800446269422984, 9.43271859924784, 7.273308377309771, 10.925060730071637, 5.928114624295079, 5.104891161677292, 3.642622554996698, 5.24727843675193, 4.182875726315085, 2.323825020004573, 1.1234195196690122, 0.0), (14.502234782608697, 12.311554838709677, 11.604760416666666, 12.532026766304348, 10.49107843137255, 5.096816666666667, 5.087882352941177, 4.215166666666667, 5.4559750000000005, 2.4170752941176477, 1.8832383572567788, 1.0708157894736845, 0.0, 14.161328125, 11.778973684210527, 9.416191786283894, 7.251225882352942, 10.911950000000001, 5.901233333333334, 5.087882352941177, 3.6405833333333337, 5.245539215686275, 4.177342255434784, 2.3209520833333337, 1.1192322580645162, 0.0), (14.491316001669949, 12.264740600247798, 11.590057255944217, 12.514612223228664, 10.486786626859248, 5.0933075267997765, 5.070643091530164, 4.196042562109436, 5.4491642165828384, 2.409689519352323, 1.8796620749404376, 1.0688111768905575, 0.0, 14.154758123285324, 11.75692294579613, 9.398310374702186, 7.229068558056968, 10.898328433165677, 5.8744595869532095, 5.070643091530164, 3.638076804856983, 5.243393313429624, 4.171537407742889, 2.3180114511888434, 1.1149764182043456, 0.0), (14.478405308045566, 12.21719857737068, 11.575020418952905, 12.496405530394526, 10.481704053363458, 5.089168056190623, 5.053180800989806, 4.177001676573693, 5.4421069768328, 2.402278982221147, 1.8758249620965999, 1.0667553526018982, 0.0, 14.146981845850483, 11.734308878620878, 9.379124810482999, 7.20683694666344, 10.8842139536656, 5.84780234720317, 5.053180800989806, 3.635120040136159, 5.240852026681729, 4.165468510131509, 2.315004083790581, 1.1106544161246077, 0.0), (14.463566827697262, 12.168955346475506, 11.559654706790123, 12.477428668478263, 10.475853304284678, 5.084422153635118, 5.03550290486565, 4.158050411522635, 5.434812242798353, 2.394843863471315, 1.8717371079213185, 1.0646496642841674, 0.0, 14.138035300925928, 11.711146307125839, 9.358685539606592, 7.184531590413944, 10.869624485596706, 5.821270576131688, 5.03550290486565, 3.63173010973937, 5.237926652142339, 4.159142889492755, 2.311930941358025, 1.10626866786141, 0.0), (14.44686468658675, 12.12003748395947, 11.543964920553272, 12.457703618156202, 10.469256973022405, 5.079093717929179, 5.017616826703247, 4.139195168419449, 5.427288976527969, 2.3873843438500235, 1.8674086016106486, 1.0624954596138265, 0.0, 14.127954496742113, 11.68745005575209, 9.337043008053241, 7.162153031550069, 10.854577953055937, 5.794873235787229, 5.017616826703247, 3.6279240842351275, 5.234628486511203, 4.152567872718735, 2.3087929841106543, 1.101821589450861, 0.0), (14.428363010675731, 12.070471566219748, 11.527955861339734, 12.43725236010467, 10.461937652976141, 5.07320664786872, 4.9995299900481465, 4.120442348727329, 5.4195461400701115, 2.3799006041044684, 1.8628495323606438, 1.0602940862673376, 0.0, 14.116775441529496, 11.663234948940712, 9.314247661803218, 7.139701812313404, 10.839092280140223, 5.768619288218261, 4.9995299900481465, 3.623719034191943, 5.230968826488071, 4.145750786701558, 2.305591172267947, 1.0973155969290682, 0.0), (14.408125925925928, 12.020284169653527, 11.511632330246915, 12.416096875000001, 10.45391793754539, 5.066784842249657, 4.981249818445898, 4.101798353909466, 5.41159269547325, 2.372392824981845, 1.8580699893673582, 1.0580468919211612, 0.0, 14.10453414351852, 11.638515811132772, 9.29034994683679, 7.1171784749455345, 10.8231853909465, 5.742517695473253, 4.981249818445898, 3.6191320301783265, 5.226958968772695, 4.138698958333334, 2.3023264660493834, 1.092753106332139, 0.0), (14.386217558299041, 11.969501870657995, 11.494999128372202, 12.394259143518521, 10.445220420129644, 5.0598521998679065, 4.962783735442051, 4.0832695854290515, 5.403437604785855, 2.3648611872293506, 1.8530800618268455, 1.0557552242517592, 0.0, 14.091266610939643, 11.613307466769347, 9.265400309134227, 7.094583561688051, 10.80687520957171, 5.716577419600672, 4.962783735442051, 3.61418014276279, 5.222610210064822, 4.131419714506174, 2.2989998256744406, 1.0881365336961817, 0.0), (14.362702033756786, 11.918151245630337, 11.478061056812987, 12.371761146336556, 10.435867694128408, 5.052432619519382, 4.9441391645821575, 4.064862444749277, 5.395089830056394, 2.35730587159418, 1.847889838935161, 1.0534204309355928, 0.0, 14.07700885202332, 11.587624740291517, 9.239449194675805, 7.071917614782539, 10.790179660112788, 5.690807422648988, 4.9441391645821575, 3.6088804425138443, 5.217933847064204, 4.123920382112186, 2.2956122113625974, 1.0834682950573036, 0.0), (14.337643478260873, 11.866258870967743, 11.460822916666668, 12.348624864130437, 10.425882352941176, 5.04455, 4.925323529411765, 4.046583333333334, 5.386558333333333, 2.34972705882353, 1.8425094098883579, 1.0510438596491232, 0.0, 14.061796875, 11.561482456140352, 9.212547049441788, 7.049181176470589, 10.773116666666667, 5.665216666666669, 4.925323529411765, 3.60325, 5.212941176470588, 4.11620828804348, 2.2921645833333337, 1.0787508064516131, 0.0), (14.311106017773009, 11.813851323067393, 11.443289509030638, 12.32487227757649, 10.415286989967456, 5.036228240105676, 4.906344253476426, 4.0284386526444145, 5.3778520766651425, 2.342124929664596, 1.83694886388249, 1.048626858068812, 0.0, 14.045666688100141, 11.53489543875693, 9.18474431941245, 7.026374788993786, 10.755704153330285, 5.63981411370218, 4.906344253476426, 3.5973058857897686, 5.207643494983728, 4.1082907591921645, 2.2886579018061277, 1.0739864839152178, 0.0), (14.283153778254908, 11.760955178326475, 11.425465635002288, 12.300525367351046, 10.40410419860674, 5.027491238632323, 4.887208760321688, 4.01043480414571, 5.368980022100289, 2.3344996648645746, 1.8312182901136123, 1.0461707738711208, 0.0, 14.028654299554185, 11.507878512582325, 9.156091450568061, 7.0034989945937225, 10.737960044200578, 5.614608725803994, 4.887208760321688, 3.5910651704516594, 5.20205209930337, 4.1001751224503495, 2.2850931270004575, 1.0691777434842251, 0.0), (14.253850885668278, 11.707597013142175, 11.407356095679013, 12.275606114130436, 10.392356572258533, 5.0183628943758585, 4.867924473493101, 3.9925781893004118, 5.359951131687243, 2.3268514451706617, 1.825327777777778, 1.0436769547325107, 0.0, 14.010795717592593, 11.480446502057614, 9.12663888888889, 6.980554335511984, 10.719902263374486, 5.589609465020577, 4.867924473493101, 3.5845449245541845, 5.196178286129267, 4.091868704710146, 2.281471219135803, 1.0643270011947434, 0.0), (14.223261465974833, 11.653803403911677, 11.388965692158209, 12.250136498590983, 10.380066704322333, 5.008867106132196, 4.8484988165362175, 3.974875209571713, 5.35077436747447, 2.3191804513300527, 1.8192874160710422, 1.041146748329443, 0.0, 13.992126950445819, 11.452614231623869, 9.09643708035521, 6.957541353990157, 10.70154873494894, 5.564825293400398, 4.8484988165362175, 3.577762218665854, 5.190033352161167, 4.083378832863662, 2.2777931384316417, 1.05943667308288, 0.0), (14.191449645136279, 11.59960092703217, 11.370299225537268, 12.224138501409021, 10.367257188197637, 4.999027772697253, 4.828939212996585, 3.9573322664228017, 5.341458691510441, 2.311486864089944, 1.8131072941894584, 1.0385815023383795, 0.0, 13.97268400634431, 11.424396525722173, 9.065536470947292, 6.934460592269831, 10.682917383020882, 5.540265172991923, 4.828939212996585, 3.57073412335518, 5.183628594098819, 4.074712833803008, 2.274059845107454, 1.0545091751847429, 0.0), (14.15847954911433, 11.545016158900838, 11.35136149691358, 12.19763410326087, 10.353950617283953, 4.988868792866941, 4.809253086419753, 3.939955761316873, 5.332013065843622, 2.3037708641975314, 1.8067975013290805, 1.035982564435781, 0.0, 13.95250289351852, 11.39580820879359, 9.033987506645403, 6.9113125925925925, 10.664026131687244, 5.515938065843622, 4.809253086419753, 3.563477709190672, 5.1769753086419765, 4.065878034420291, 2.2702722993827162, 1.0495469235364399, 0.0), (14.124415303870702, 11.490075675914863, 11.332157307384547, 12.170645284822868, 10.340169584980769, 4.97841406543718, 4.789447860351274, 3.9227520957171165, 5.322446452522482, 2.296032632400011, 1.8003681266859632, 1.0333512822981095, 0.0, 13.931619620198905, 11.366864105279202, 9.001840633429817, 6.888097897200032, 10.644892905044964, 5.491852934003963, 4.789447860351274, 3.556010046740843, 5.1700847924903846, 4.056881761607624, 2.2664314614769094, 1.0445523341740786, 0.0), (14.089321035367092, 11.434806054471437, 11.312691458047555, 12.143194026771337, 10.325936684687594, 4.967687489203883, 4.769530958336696, 3.905727671086725, 5.312767813595489, 2.2882723494445796, 1.7938292594561607, 1.030689003601826, 0.0, 13.910070194615912, 11.337579039620083, 8.969146297280803, 6.864817048333737, 10.625535627190978, 5.4680187395214155, 4.769530958336696, 3.548348206574202, 5.162968342343797, 4.047731342257113, 2.2625382916095114, 1.0395278231337672, 0.0), (14.053260869565218, 11.379233870967743, 11.292968750000002, 12.115302309782612, 10.311274509803923, 4.956712962962964, 4.749509803921569, 3.8888888888888893, 5.302986111111112, 2.280490196078432, 1.787190988835726, 1.027997076023392, 0.0, 13.887890625, 11.30796783625731, 8.93595494417863, 6.841470588235294, 10.605972222222224, 5.4444444444444455, 4.749509803921569, 3.54050925925926, 5.155637254901961, 4.0384341032608715, 2.2585937500000006, 1.0344758064516133, 0.0), (14.016298932426789, 11.323385701800964, 11.272993984339278, 12.086992114533015, 10.296205653729254, 4.945514385510339, 4.729391820651443, 3.8722421505868017, 5.293110307117818, 2.2726863530487647, 1.7804634040207143, 1.025276847239269, 0.0, 13.865116919581618, 11.278045319631957, 8.902317020103572, 6.818059059146293, 10.586220614235636, 5.4211390108215225, 4.729391820651443, 3.5325102753645283, 5.148102826864627, 4.0289973715110055, 2.254598796867856, 1.0293987001637241, 0.0), (13.978499349913523, 11.267288123368292, 11.252771962162782, 12.058285421698875, 10.280752709863094, 4.934115655641925, 4.709184432071869, 3.8557938576436523, 5.2831493636640765, 2.2648610011027737, 1.7736565942071794, 1.0225296649259181, 0.0, 13.841785086591221, 11.247826314185097, 8.868282971035896, 6.79458300330832, 10.566298727328153, 5.398111400701113, 4.709184432071869, 3.524368325458518, 5.140376354931547, 4.019428473899626, 2.2505543924325564, 1.0242989203062085, 0.0), (13.939926247987117, 11.210967712066907, 11.232307484567903, 12.029204211956525, 10.264938271604938, 4.9225406721536356, 4.688895061728395, 3.839550411522634, 5.273112242798354, 2.2570143209876545, 1.7667806485911755, 1.019756876759801, 0.0, 13.81793113425926, 11.217325644357809, 8.833903242955877, 6.771042962962962, 10.546224485596708, 5.375370576131688, 4.688895061728395, 3.5161004801097393, 5.132469135802469, 4.009734737318842, 2.246461496913581, 1.0191788829151736, 0.0), (13.900643752609293, 11.154451044293994, 11.211605352652038, 11.999770465982289, 10.248784932354287, 4.910813333841387, 4.6685311331665735, 3.8235182136869392, 5.263007906569121, 2.2491464934506045, 1.7598456563687561, 1.016959830417379, 0.0, 13.793591070816188, 11.186558134591166, 8.79922828184378, 6.747439480351812, 10.526015813138242, 5.3529254991617155, 4.6685311331665735, 3.5077238098867047, 5.124392466177143, 3.9999234886607637, 2.2423210705304077, 1.014041004026727, 0.0), (13.860715989741754, 11.097764696446747, 11.190670367512576, 11.970006164452498, 10.232315285510639, 4.898957539501094, 4.648100069931951, 3.807703665599757, 5.252845317024844, 2.241257699238818, 1.752861706735976, 1.014139873575113, 0.0, 13.768800904492457, 11.155538609326241, 8.764308533679879, 6.723773097716453, 10.505690634049689, 5.33078513183966, 4.648100069931951, 3.499255385357924, 5.1161576427553195, 3.9900020548175, 2.2381340735025153, 1.0088876996769771, 0.0), (13.820207085346219, 11.040935244922345, 11.169507330246915, 11.93993328804348, 10.215551924473493, 4.88699718792867, 4.62760929557008, 3.7921131687242804, 5.242633436213992, 2.2333481190994924, 1.7458388888888892, 1.0112983539094653, 0.0, 13.74359664351852, 11.124281893004117, 8.729194444444445, 6.700044357298475, 10.485266872427983, 5.3089584362139925, 4.62760929557008, 3.490712277091907, 5.1077759622367465, 3.9799777626811608, 2.2339014660493834, 1.0037213859020315, 0.0), (13.779181165384388, 10.983989266117973, 11.148121041952448, 11.909573817431562, 10.198517442642354, 4.8749561779200326, 4.60706623362651, 3.7767531245237014, 5.2323812261850335, 2.2254179337798226, 1.7387872920235496, 1.0084366190968967, 0.0, 13.718014296124831, 11.09280281006586, 8.693936460117747, 6.676253801339467, 10.464762452370067, 5.287454374333182, 4.60706623362651, 3.482111555657166, 5.099258721321177, 3.969857939143855, 2.2296242083904896, 0.9985444787379977, 0.0), (13.737702355817978, 10.926953336430817, 11.126516303726566, 11.878949733293078, 10.181234433416716, 4.862858408271099, 4.58647830764679, 3.7616299344612103, 5.222097648986434, 2.2174673240270053, 1.7317170053360116, 1.0055560168138682, 0.0, 13.69208987054184, 11.06111618495255, 8.658585026680058, 6.652401972081014, 10.444195297972868, 5.266281908245695, 4.58647830764679, 3.4734702916222133, 5.090617216708358, 3.9596499110976935, 2.2253032607453136, 0.9933593942209834, 0.0), (13.695834782608697, 10.869854032258065, 11.10469791666667, 11.848083016304349, 10.163725490196079, 4.850727777777779, 4.5658529411764714, 3.7467500000000005, 5.211791666666667, 2.2094964705882356, 1.724638118022329, 1.0026578947368423, 0.0, 13.665859375000002, 11.029236842105265, 8.623190590111644, 6.628489411764706, 10.423583333333333, 5.245450000000001, 4.5658529411764714, 3.4648055555555564, 5.081862745098039, 3.949361005434784, 2.220939583333334, 0.988168548387097, 0.0), (13.653642571718258, 10.8127179299969, 11.082670681870143, 11.816995647141708, 10.146013206379946, 4.8385881852359915, 4.545197557761102, 3.732119722603262, 5.201472241274196, 2.201505554210711, 1.717560719278556, 0.9997436005422796, 0.0, 13.639358817729768, 10.997179605965075, 8.58780359639278, 6.6045166626321326, 10.402944482548392, 5.224967611644567, 4.545197557761102, 3.456134418025708, 5.073006603189973, 3.938998549047237, 2.2165341363740287, 0.9829743572724456, 0.0), (13.611189849108369, 10.755571606044516, 11.060439400434387, 11.785709606481484, 10.128120175367815, 4.82646352944165, 4.524519580946234, 3.7177455037341867, 5.191148334857491, 2.1934947556416264, 1.7104948983007466, 0.9968144819066413, 0.0, 13.612624206961591, 10.964959300973053, 8.552474491503732, 6.580484266924878, 10.382296669714982, 5.204843705227861, 4.524519580946234, 3.4474739496011786, 5.064060087683908, 3.928569868827162, 2.2120878800868775, 0.977779236913138, 0.0), (13.568540740740744, 10.698441636798089, 11.038008873456791, 11.754246875000002, 10.110068990559187, 4.814377709190674, 4.503826434277415, 3.7036337448559675, 5.180828909465021, 2.1854642556281783, 1.7034507442849551, 0.9938718865063897, 0.0, 13.585691550925928, 10.932590751570284, 8.517253721424776, 6.556392766884533, 10.361657818930041, 5.185087242798355, 4.503826434277415, 3.438841220850481, 5.055034495279593, 3.918082291666668, 2.207601774691358, 0.972585603345281, 0.0), (13.525759372577088, 10.641354598654807, 11.015383902034753, 11.722629433373593, 10.09188224535356, 4.802354623278973, 4.483125541300197, 3.689790847431795, 5.170522927145252, 2.1774142349175616, 1.696438346427236, 0.9909171620179854, 0.0, 13.558596857853223, 10.900088782197837, 8.482191732136178, 6.532242704752683, 10.341045854290504, 5.1657071864045125, 4.483125541300197, 3.4302533023421233, 5.04594112267678, 3.907543144457865, 2.2030767804069504, 0.9673958726049827, 0.0), (13.482909870579116, 10.58433706801186, 10.992569287265662, 11.690879262278584, 10.073582533150434, 4.790418170502465, 4.462424325560129, 3.6762232129248593, 5.160239349946655, 2.1693448742569736, 1.689467793923642, 0.9879516561178898, 0.0, 13.53137613597394, 10.867468217296787, 8.447338969618208, 6.50803462277092, 10.32047869989331, 5.146712498094804, 4.462424325560129, 3.421727264644618, 5.036791266575217, 3.896959754092862, 2.1985138574531327, 0.9622124607283511, 0.0), (13.440056360708535, 10.527415621266428, 10.969569830246915, 11.659018342391304, 10.05519244734931, 4.778592249657065, 4.441730210602761, 3.662937242798354, 5.1499871399176955, 2.1612563543936103, 1.682549175970229, 0.9849767164825647, 0.0, 13.50406539351852, 10.83474388130821, 8.412745879851144, 6.48376906318083, 10.299974279835391, 5.128112139917696, 4.441730210602761, 3.4132801783264752, 5.027596223674655, 3.886339447463769, 2.1939139660493834, 0.9570377837514936, 0.0), (13.39726296892706, 10.470616834815702, 10.946390332075904, 11.627068654388085, 10.036734581349688, 4.766900759538689, 4.4210506199736415, 3.6499393385154706, 5.139775259106843, 2.153148856074666, 1.67569258176305, 0.9819936907884712, 0.0, 13.476700638717421, 10.801930598673183, 8.378462908815248, 6.459446568223997, 10.279550518213686, 5.109915073921659, 4.4210506199736415, 3.4049291139562063, 5.018367290674844, 3.875689551462696, 2.189278066415181, 0.9518742577105185, 0.0), (13.3545938211964, 10.413967285056863, 10.923035593850026, 11.59505217894525, 10.018231528551063, 4.755367598943252, 4.400392977218323, 3.6372359015394005, 5.129612669562567, 2.145022560047339, 1.6689081004981592, 0.9790039267120707, 0.0, 13.449317879801098, 10.769043193832776, 8.344540502490794, 6.435067680142016, 10.259225339125134, 5.092130262155161, 4.400392977218323, 3.3966911421023225, 5.009115764275531, 3.865017392981751, 2.1846071187700056, 0.9467242986415331, 0.0), (13.312113043478263, 10.357493548387097, 10.899510416666669, 11.562990896739132, 9.999705882352941, 4.744016666666668, 4.379764705882353, 3.6248333333333345, 5.119508333333334, 2.1368776470588244, 1.662205821371611, 0.9760087719298248, 0.0, 13.421953125000002, 10.736096491228071, 8.311029106858054, 6.4106329411764715, 10.239016666666668, 5.074766666666668, 4.379764705882353, 3.3885833333333344, 4.999852941176471, 3.854330298913045, 2.179902083333334, 0.9415903225806455, 0.0), (13.26988476173436, 10.301222201203595, 10.87581960162323, 11.530906788446053, 9.98118023615482, 4.732871861504853, 4.359173229511284, 3.612738035360464, 5.109471212467612, 2.1287142978563174, 1.6555958335794598, 0.9730095741181947, 0.0, 13.394642382544584, 10.70310531530014, 8.277979167897298, 6.386142893568951, 10.218942424935223, 5.05783324950465, 4.359173229511284, 3.3806227582177515, 4.99059011807741, 3.8436355961486854, 2.1751639203246462, 0.9364747455639633, 0.0), (13.227973101926404, 10.245179819903537, 10.851967949817103, 11.498821834742351, 9.962677183356197, 4.721957082253722, 4.3386259716506625, 3.6009564090839814, 5.099510269013869, 2.1205326931870148, 1.6490882263177586, 0.9700076809536419, 0.0, 13.367421660665297, 10.670084490490058, 8.245441131588793, 6.361598079561043, 10.199020538027739, 5.041338972717574, 4.3386259716506625, 3.372826487324087, 4.981338591678099, 3.832940611580785, 2.170393589963421, 0.9313799836275944, 0.0), (13.186442190016104, 10.189392980884113, 10.827960262345682, 11.46675801630435, 9.944219317356573, 4.711296227709192, 4.318130355846042, 3.5894948559670787, 5.089634465020577, 2.1123330137981124, 1.6426930887825626, 0.9670044401126275, 0.0, 13.340326967592594, 10.6370488412389, 8.213465443912813, 6.336999041394336, 10.179268930041154, 5.02529279835391, 4.318130355846042, 3.3652115912208513, 4.972109658678287, 3.8222526721014507, 2.1655920524691368, 0.9263084528076467, 0.0), (13.14535615196517, 10.133888260542502, 10.803801340306359, 11.434737313808373, 9.925829231555449, 4.700913196667176, 4.297693805642971, 3.5783597774729468, 5.079852762536198, 2.1041154404368063, 1.6364205101699256, 0.9640011992716131, 0.0, 13.313394311556928, 10.604013191987741, 8.182102550849628, 6.312346321310418, 10.159705525072397, 5.0097036884621255, 4.297693805642971, 3.357795140476554, 4.962914615777724, 3.8115791046027923, 2.160760268061272, 0.9212625691402275, 0.0), (13.104705913184263, 10.078784894108638, 10.779554132960747, 11.402825576616644, 9.907497301495457, 4.690826978191853, 4.277368174559739, 3.5675806651220205, 5.07019931192069, 2.095906657814456, 1.6302822447690024, 0.9610058425921835, 0.0, 13.286621461180511, 10.571064268514016, 8.151411223845011, 6.287719973443367, 10.14039862384138, 4.9946129311708285, 4.277368174559739, 3.3505906987084666, 4.953748650747729, 3.8009418588722155, 2.15591082659215, 0.9162531721916946, 0.0), (13.064073257060091, 10.024626385524439, 10.755553287525224, 11.371278892341204, 9.88903379759524, 4.681014596966087, 4.257412745887406, 3.557289901377987, 5.060822216666095, 2.0878603087694745, 1.6242903453264128, 0.9580564200798471, 0.0, 13.25978557982405, 10.538620620878318, 8.121451726632063, 6.263580926308422, 10.12164443333219, 4.980205861929182, 4.257412745887406, 3.3435818549757763, 4.94451689879762, 3.790426297447069, 2.1511106575050447, 0.9113296714113127, 0.0), (13.023338864205595, 9.97143223830991, 10.731813088158539, 11.340088730440868, 9.870380499362694, 4.671450535207326, 4.2378417551340934, 3.547484881662581, 5.051724990045435, 2.0799888647958276, 1.6184360526663222, 0.9551543846318662, 0.0, 13.232809284324528, 10.506698230950526, 8.09218026333161, 6.239966594387481, 10.10344998009087, 4.966478834327614, 4.2378417551340934, 3.336750382290947, 4.935190249681347, 3.780029576813624, 2.146362617631708, 0.9064938398463556, 0.0), (12.982451822532688, 9.919124960991017, 10.708287554981187, 11.309199457779725, 9.851509291291528, 4.662112249784464, 4.218623372269525, 3.5381385158577467, 5.042884624972988, 2.072277675457342, 1.6127080506300124, 0.9522943730401906, 0.0, 13.205650163658248, 10.475238103442095, 8.063540253150062, 6.216833026372026, 10.085769249945976, 4.953393922200846, 4.218623372269525, 3.330080178417474, 4.925754645645764, 3.7697331525932425, 2.1416575109962372, 0.9017386328173653, 0.0), (12.941361219953283, 9.867627062093726, 10.68493070811365, 11.278555441221856, 9.832392057875436, 4.652977197566394, 4.199725767263427, 3.529223713845425, 5.034278114363028, 2.0647120903178457, 1.6070950230587664, 0.949471022096771, 0.0, 13.178265806801516, 10.44418124306448, 8.035475115293831, 6.1941362709535355, 10.068556228726056, 4.940913199383595, 4.199725767263427, 3.3235551411188533, 4.916196028937718, 3.7595184804072863, 2.1369861416227303, 0.8970570056448843, 0.0), (12.900016144379297, 9.816861050144, 10.66169656767643, 11.248101047631351, 9.81300068360812, 4.644022835422014, 4.181117110085521, 3.5207133855075567, 5.025882451129837, 2.0572774589411664, 1.6015856537938657, 0.9466789685935577, 0.0, 13.150613802730636, 10.413468654529133, 8.007928268969328, 6.171832376823498, 10.051764902259674, 4.92899873971058, 4.181117110085521, 3.317159168158581, 4.90650034180406, 3.7493670158771177, 2.132339313535286, 0.8924419136494547, 0.0), (12.858365683722639, 9.766749433667803, 10.638539153790012, 11.217780643872292, 9.793307052983273, 4.635226620220214, 4.162765570705529, 3.512580440726085, 5.017674628187687, 2.0499591308911307, 1.5961686266765933, 0.9439128493225009, 0.0, 13.122651740421906, 10.383041342547507, 7.980843133382966, 6.149877392673391, 10.035349256375374, 4.91761261701652, 4.162765570705529, 3.310876157300153, 4.896653526491637, 3.7392602146240983, 2.1277078307580024, 0.8878863121516185, 0.0), (12.816358925895228, 9.717214721191104, 10.61541248657489, 11.187538596808764, 9.773283050494598, 4.626566008829889, 4.144639319093177, 3.5047977893829505, 5.009631638450861, 2.0427424557315677, 1.5908326255482306, 0.9411673010755515, 0.0, 13.094337208851638, 10.352840311831065, 7.954163127741153, 6.128227367194702, 10.019263276901722, 4.906716905136131, 4.144639319093177, 3.3046900063070637, 4.886641525247299, 3.729179532269589, 2.1230824973149782, 0.8833831564719186, 0.0), (12.773944958808976, 9.668179421239865, 10.592270586151553, 11.157319273304857, 9.75290056063579, 4.618018458119934, 4.126706525218187, 3.4973383413600962, 5.001730474833633, 2.035612783026304, 1.5855663342500608, 0.9384369606446594, 0.0, 13.065627796996127, 10.322806567091252, 7.927831671250303, 6.106838349078911, 10.003460949667266, 4.8962736779041345, 4.126706525218187, 3.29858461294281, 4.876450280317895, 3.719106424434953, 2.118454117230311, 0.878925401930897, 0.0), (12.731072870375797, 9.61956604234005, 10.569067472640498, 11.127067040224649, 9.732131467900551, 4.609561424959241, 4.108935359050283, 3.490175006539462, 4.993948130250281, 2.0285554623391677, 1.5803584366233656, 0.9357164648217753, 0.0, 13.036481093831679, 10.292881113039527, 7.901792183116827, 6.085666387017502, 9.987896260500563, 4.886245009155247, 4.108935359050283, 3.2925438749708866, 4.8660657339502755, 3.7090223467415506, 2.1138134945280997, 0.8745060038490956, 0.0), (12.687691748507607, 9.571297093017627, 10.54575716616221, 11.09672626443223, 9.71094765678258, 4.601172366216706, 4.091293990559188, 3.4832806948029904, 4.986261597615085, 2.021555843233986, 1.5751976165094272, 0.9330004503988493, 0.0, 13.0068546883346, 10.263004954387341, 7.875988082547136, 6.064667529701957, 9.97252319523017, 4.876592972724187, 4.091293990559188, 3.28655169015479, 4.85547382839129, 3.698908754810744, 2.109151433232442, 0.8701179175470571, 0.0), (12.643750681116316, 9.523295081798558, 10.522293686837184, 11.066241312791686, 9.689321011775569, 4.592828738761221, 4.073750589714624, 3.476628316032624, 4.97864786984232, 2.014599275274587, 1.5700725577495283, 0.9302835541678323, 0.0, 12.976706169481197, 10.233119095846153, 7.85036278874764, 6.04379782582376, 9.95729573968464, 4.8672796424456735, 4.073750589714624, 3.280591956258015, 4.844660505887784, 3.6887471042638964, 2.104458737367437, 0.8657540983453236, 0.0), (12.599198756113843, 9.475482517208812, 10.498631054785912, 11.0355565521671, 9.667223417373222, 4.584507999461682, 4.056273326486318, 3.4701907801103036, 4.971083939846263, 2.0076711080247973, 1.5649719441849508, 0.927560412920674, 0.0, 12.94599312624776, 10.203164542127412, 7.824859720924753, 6.023013324074391, 9.942167879692526, 4.858267092154425, 4.056273326486318, 3.2746485710440583, 4.833611708686611, 3.678518850722367, 2.0997262109571824, 0.8614075015644376, 0.0), (12.553985061412101, 9.427781907774351, 10.474723290128884, 11.004616349422557, 9.644626758069233, 4.5761876051869805, 4.038830370843989, 3.463940996917971, 4.963546800541195, 2.0007566910484456, 1.5598844596569765, 0.9248256634493257, 0.0, 12.91467314761061, 10.173082297942582, 7.799422298284883, 6.002270073145335, 9.92709360108239, 4.849517395685159, 4.038830370843989, 3.268705432276415, 4.822313379034616, 3.66820544980752, 2.094944658025777, 0.8570710825249411, 0.0), (12.508058684923006, 9.380115762021138, 10.450524412986589, 10.973365071422144, 9.621502918357304, 4.567845012806012, 4.021389892757366, 3.4578518763375685, 4.95601344484139, 1.993841373909359, 1.5547987880068885, 0.9220739425457369, 0.0, 12.88270382254604, 10.142813368003106, 7.773993940034442, 5.981524121728076, 9.91202688968278, 4.8409926268725965, 4.021389892757366, 3.26274643771858, 4.810751459178652, 3.6577883571407157, 2.090104882597318, 0.8527377965473764, 0.0), (12.461368714558466, 9.332406588475143, 10.425988443479525, 10.941747085029949, 9.597823782731137, 4.5594576791876715, 4.003920062196168, 3.451896328251037, 4.948460865661126, 1.986910506171365, 1.5497036130759692, 0.9192998870018588, 0.0, 12.850042740030352, 10.112298757020445, 7.748518065379845, 5.960731518514094, 9.896921731322252, 4.832654859551452, 4.003920062196168, 3.2567554851340508, 4.798911891365568, 3.6472490283433174, 2.085197688695905, 0.8484005989522859, 0.0), (12.413864238230394, 9.284576895662326, 10.401069401728181, 10.909706757110053, 9.573561235684425, 4.551003061200851, 3.9863890491301195, 3.446047262540319, 4.9408660559146815, 1.9799494373982915, 1.5445876187055003, 0.916498133609641, 0.0, 12.816647489039854, 10.08147946970605, 7.7229380935275005, 5.939848312194873, 9.881732111829363, 4.824466167556446, 3.9863890491301195, 3.250716472286322, 4.786780617842212, 3.636568919036685, 2.0802138803456365, 0.8440524450602116, 0.0), (12.365494343850713, 9.236549192108656, 10.375721307853043, 10.877188454526541, 9.548687161710866, 4.542458615714445, 3.968765023528944, 3.440277589087355, 4.933206008516334, 1.9729435171539655, 1.539439488736764, 0.9136633191610346, 0.0, 12.78247565855085, 10.050296510771378, 7.697197443683819, 5.9188305514618955, 9.866412017032667, 4.816388624722297, 3.968765023528944, 3.244613296938889, 4.774343580855433, 3.6257294848421813, 2.075144261570609, 0.8396862901916962, 0.0), (12.316208119331334, 9.188245986340096, 10.349898181974611, 10.8441365441435, 9.523173445304161, 4.533801799597346, 3.9510161553623666, 3.4345602177740875, 4.92545771638036, 1.9658780950022154, 1.5342479070110426, 0.9107900804479897, 0.0, 12.747484837539638, 10.018690884927885, 7.671239535055213, 5.897634285006645, 9.85091543276072, 4.808384304883723, 3.9510161553623666, 3.238429856855247, 4.761586722652081, 3.614712181381168, 2.0699796363949226, 0.8352950896672816, 0.0), (12.265954652584163, 9.139589786882611, 10.32355404421337, 10.810495392825016, 9.49699197095801, 4.525010069718451, 3.9331106146001082, 3.4288680584824593, 4.917598172421039, 1.9587385205068681, 1.5290015573696185, 0.9078730542624567, 0.0, 12.711632614982527, 9.986603596887022, 7.645007786848092, 5.876215561520603, 9.835196344842078, 4.800415281875443, 3.9331106146001082, 3.2321500497988938, 4.748495985479005, 3.6034984642750065, 2.0647108088426744, 0.8308717988075103, 0.0), (12.21468303152113, 9.090503102262165, 10.296642914689816, 10.776209367435175, 9.470114623166108, 4.516060882946651, 3.915016571211893, 3.4231740210944106, 4.909604369552646, 1.9515101432317519, 1.5236891236537742, 0.904906877396386, 0.0, 12.674876579855821, 9.953975651360244, 7.618445618268871, 5.854530429695254, 9.819208739105292, 4.792443629532175, 3.915016571211893, 3.2257577735333225, 4.735057311583054, 3.5920697891450595, 2.059328582937963, 0.8264093729329243, 0.0), (12.162342344054133, 9.040908441004726, 10.26911881352444, 10.741222834838059, 9.442513286422153, 4.5069316961508425, 3.896702195167445, 3.4174510154918845, 4.90145330068946, 1.9441783127406937, 1.518299289704792, 0.9018861866417278, 0.0, 12.637174321135817, 9.920748053059004, 7.5914964485239596, 5.83253493822208, 9.80290660137892, 4.784431421688638, 3.896702195167445, 3.21923692582203, 4.721256643211077, 3.5804076116126873, 2.053823762704888, 0.8219007673640661, 0.0), (12.108881678095097, 8.990728311636257, 10.24093576083773, 10.705480161897759, 9.414159845219846, 4.4975999661999175, 3.8781356564364877, 3.4116719515568206, 4.893121958745757, 1.9367283785975222, 1.5128207393639534, 0.898805618790433, 0.0, 12.59848342779883, 9.88686180669476, 7.5641036968197675, 5.810185135792565, 9.786243917491515, 4.776340732179549, 3.8781356564364877, 3.212571404428512, 4.707079922609923, 3.5684933872992537, 2.048187152167546, 0.817338937421478, 0.0), (12.05425012155593, 8.93988522268272, 10.212047776750177, 10.668925715478352, 9.385026184052883, 4.488043149962771, 3.8592851249887445, 3.4058097391711617, 4.884587336635816, 1.9291456903660635, 1.5072421564725416, 0.8956598106344515, 0.0, 12.558761488821151, 9.852257916978965, 7.536210782362707, 5.787437071098189, 9.769174673271632, 4.768133634839627, 3.8592851249887445, 3.205745107116265, 4.6925130920264415, 3.556308571826118, 2.042409555350036, 0.812716838425702, 0.0), (11.998396762348548, 8.888301682670086, 10.18240888138228, 10.631503862443932, 9.355084187414965, 4.478238704308296, 3.8401187707939393, 3.399837288216851, 4.875826427273916, 1.9214155976101461, 1.5015522248718383, 0.8924433989657341, 0.0, 12.517966093179089, 9.816877388623073, 7.507761124359191, 5.764246792830437, 9.751652854547832, 4.759772203503592, 3.8401187707939393, 3.1987419316487826, 4.6775420937074825, 3.543834620814645, 2.036481776276456, 0.8080274256972807, 0.0), (11.941270688384867, 8.835900200124316, 10.15197309485452, 10.593158969658578, 9.32430573979979, 4.4681640861053875, 3.8206047638217933, 3.393727508575828, 4.8668162235743315, 1.913523449893597, 1.4957396284031257, 0.889151020576231, 0.0, 12.476054829848946, 9.78066122633854, 7.478698142015627, 5.740570349680789, 9.733632447148663, 4.751218512006159, 3.8206047638217933, 3.1915457757895624, 4.662152869899895, 3.5310529898861933, 2.0303946189709046, 0.8032636545567561, 0.0), (11.882820987576796, 8.782603283571376, 10.120694437287398, 10.553835403986378, 9.292662725701055, 4.457796752222938, 3.800711274042032, 3.3874533101300353, 4.85753371845134, 1.9054545967802445, 1.4897930509076862, 0.8857773122578926, 0.0, 12.432985287807028, 9.743550434836816, 7.448965254538431, 5.716363790340733, 9.71506743690268, 4.742434634182049, 3.800711274042032, 3.184140537302099, 4.646331362850527, 3.517945134662127, 2.0241388874574797, 0.7984184803246707, 0.0), (11.822996747836257, 8.72833344153723, 10.088526928801404, 10.513477532291418, 9.26012702961246, 4.447114159529844, 3.780406471424378, 3.3809876027614147, 4.847955904819222, 1.8971943878339157, 1.4837011762268022, 0.8823169108026693, 0.0, 12.38871505602964, 9.70548601882936, 7.41850588113401, 5.691583163501746, 9.695911809638444, 4.733382643865981, 3.780406471424378, 3.176510113949888, 4.63006351480623, 3.5044925107638067, 2.017705385760281, 0.7934848583215663, 0.0), (11.761747057075162, 8.673013182547843, 10.055424589517022, 10.472029721437782, 9.226670536027703, 4.436093764894997, 3.7596585259385567, 3.374303296351908, 4.838059775592251, 1.8887281726184386, 1.477452688201756, 0.8787644530025115, 0.0, 12.34320172349308, 9.666408983027624, 7.38726344100878, 5.6661845178553145, 9.676119551184502, 4.724024614892672, 3.7596585259385567, 3.168638403496426, 4.613335268013851, 3.490676573812595, 2.0110849179034047, 0.7884557438679859, 0.0), (11.69902100320542, 8.616565015129181, 10.02134143955475, 10.429436338289557, 9.192265129440482, 4.424713025187291, 3.7384356075542886, 3.367373300783457, 4.827822323684707, 1.8800413006976404, 1.4710362706738296, 0.8751145756493696, 0.0, 12.296402879173653, 9.626260332143064, 7.355181353369148, 5.64012390209292, 9.655644647369414, 4.71432262109684, 3.7384356075542886, 3.160509303705208, 4.596132564720241, 3.4764787794298533, 2.0042682879109504, 0.7833240922844712, 0.0), (11.634767674138946, 8.558911447807208, 9.986231499035082, 10.385641749710825, 9.156882694344494, 4.412949397275621, 3.7167058862412983, 3.360170525938002, 4.817220542010869, 1.871119121635349, 1.4644406074843055, 0.8713619155351939, 0.0, 12.248276112047666, 9.584981070887132, 7.322203037421526, 5.6133573649060455, 9.634441084021738, 4.704238736313203, 3.7167058862412983, 3.1521067123397293, 4.578441347172247, 3.4618805832369426, 1.9972462998070164, 0.7780828588915646, 0.0), (11.56893615778766, 8.499974989107892, 9.950048788078501, 10.340590322565676, 9.12049511523344, 4.400780338028881, 3.6944375319693092, 3.3526678816974873, 4.806231423485011, 1.8619469849953916, 1.4576543824744654, 0.867501109451935, 0.0, 12.198779011091421, 9.542512203971285, 7.288271912372326, 5.585840954986173, 9.612462846970022, 4.693735034376482, 3.6944375319693092, 3.1434145271634857, 4.56024755761672, 3.446863440855226, 1.9900097576157, 0.7727249990098085, 0.0), (11.501475542063469, 8.439678147557194, 9.912747326805505, 10.294226423718191, 9.083074276601018, 4.388183304315964, 3.6715987147080456, 3.344838277943853, 4.794831961021412, 1.8525102403415963, 1.4506662794855925, 0.8635267941915434, 0.0, 12.14786916528122, 9.498794736106976, 7.253331397427962, 5.557530721024787, 9.589663922042824, 4.682773589121394, 3.6715987147080456, 3.1344166459399743, 4.541537138300509, 3.4314088079060645, 1.9825494653611013, 0.7672434679597451, 0.0), (11.432334914878291, 8.377943431681082, 9.874281135336586, 10.246494420032459, 9.044592062940927, 4.375135753005765, 3.6481576044272312, 3.336654624559041, 4.782999147534349, 1.8427942372377903, 1.4434649823589683, 0.8594336065459691, 0.0, 12.095504163593366, 9.453769672005658, 7.21732491179484, 5.52838271171337, 9.565998295068699, 4.671316474382658, 3.6481576044272312, 3.125096966432689, 4.522296031470463, 3.41549814001082, 1.9748562270673173, 0.7616312210619166, 0.0), (11.361463364144042, 8.314693350005518, 9.83460423379223, 10.19733867837256, 9.005020358746862, 4.361615140967176, 3.6240823710965873, 3.3280898314249927, 4.770709975938102, 1.8327843252478015, 1.4360391749358754, 0.855216183307163, 0.0, 12.041641595004167, 9.407378016378791, 7.180195874679377, 5.498352975743403, 9.541419951876204, 4.65932576399499, 3.6240823710965873, 3.1154393864051255, 4.502510179373431, 3.3991128927908543, 1.966920846758446, 0.7558812136368653, 0.0), (11.288809977772631, 8.24985041105647, 9.793670642292932, 10.146703565602587, 8.964331048512523, 4.347598925069094, 3.599341184685839, 3.3191168084236504, 4.757941439146947, 1.822465853935457, 1.428377541057596, 0.8508691612670749, 0.0, 11.986239048489919, 9.359560773937822, 7.141887705287981, 5.4673975618063695, 9.515882878293894, 4.646763531793111, 3.599341184685839, 3.105427803620781, 4.482165524256262, 3.38223452186753, 1.9587341284585866, 0.7499864010051337, 0.0), (11.214323843675977, 8.1833371233599, 9.751434380959186, 10.094533448586619, 8.922496016731612, 4.33306456218041, 3.573902215164709, 3.3097084654369557, 4.744670530075158, 1.8118241728645852, 1.4204687645654126, 0.8463871772176558, 0.0, 11.929254113026934, 9.310258949394212, 7.102343822827062, 5.4354725185937545, 9.489341060150316, 4.6335918516117385, 3.573902215164709, 3.09504611584315, 4.461248008365806, 3.3648444828622073, 1.950286876191837, 0.7439397384872637, 0.0), (11.137954049765991, 8.115075995441773, 9.707849469911476, 10.040772694188746, 8.879487147897825, 4.317989509170021, 3.5477336325029207, 3.29983771234685, 4.730874241637018, 1.8008446315990123, 1.412301529300607, 0.8417648679508558, 0.0, 11.870644377591507, 9.259413547459413, 7.061507646503035, 5.402533894797036, 9.461748483274036, 4.61977279728559, 3.5477336325029207, 3.084278220835729, 4.439743573948912, 3.3469242313962493, 1.9415698939822956, 0.7377341814037977, 0.0), (11.059649683954586, 8.044989535828057, 9.6628699292703, 9.985365669273047, 8.835276326504857, 4.302351222906816, 3.5208036066701984, 3.2894774590352758, 4.716529566746802, 1.789512579702568, 1.4038645191044614, 0.8369968702586252, 0.0, 11.810367431159946, 9.206965572844876, 7.019322595522306, 5.368537739107703, 9.433059133493604, 4.605268442649386, 3.5208036066701984, 3.0731080163620117, 4.417638163252429, 3.3284552230910167, 1.9325739858540603, 0.731362685075278, 0.0), (10.979359834153682, 7.973000253044715, 9.616449779156152, 9.928256740703617, 8.789835437046412, 4.286127160259694, 3.4930803076362653, 3.2786006153841747, 4.701613498318786, 1.7778133667390779, 1.3951464178182584, 0.8320778209329146, 0.0, 11.748380862708558, 9.15285603026206, 6.975732089091292, 5.333440100217232, 9.403226996637573, 4.590040861537845, 3.4930803076362653, 3.061519400185496, 4.394917718523206, 3.309418913567873, 1.9232899558312306, 0.7248182048222469, 0.0), (10.897033588275185, 7.899030655617714, 9.568543039689514, 9.86939027534453, 8.743136364016186, 4.269294778097547, 3.4645319053708437, 3.2671800912754865, 4.686103029267251, 1.7657323422723707, 1.3861359092832806, 0.8270023567656742, 0.0, 11.68464226121364, 9.097025924422415, 6.930679546416402, 5.297197026817111, 9.372206058534502, 4.574052127785681, 3.4645319053708437, 3.049496270069676, 4.371568182008093, 3.2897967584481775, 1.9137086079379029, 0.7180936959652467, 0.0), (10.81262003423102, 7.823003252073014, 9.519103730990887, 9.80871064005988, 8.695150991907875, 4.251831533289268, 3.43512656984366, 3.2551887965911552, 4.6699751525064706, 1.7532548558662742, 1.3768216773408095, 0.8217651145488547, 0.0, 11.6191092156515, 9.0394162600374, 6.884108386704048, 5.259764567598821, 9.339950305012941, 4.557264315227617, 3.43512656984366, 3.037022523778049, 4.347575495953937, 3.2695702133532945, 1.9038207461981775, 0.7111821138248196, 0.0), (10.72606825993309, 7.744840550936584, 9.468085873180756, 9.746162201713748, 8.645851205215184, 4.233714882703753, 3.404832471024433, 3.2425996412131215, 4.653206860950727, 1.7403662570846146, 1.3671924058321279, 0.8163607310744064, 0.0, 11.551739314998438, 8.97996804181847, 6.8359620291606396, 5.221098771253843, 9.306413721901453, 4.53963949769837, 3.404832471024433, 3.0240820590741087, 4.322925602607592, 3.2487207339045834, 1.8936171746361512, 0.7040764137215078, 0.0), (10.637327353293314, 7.664465060734389, 9.415443486379615, 9.68168932717022, 8.595208888431804, 4.214922283209894, 3.37361777888289, 3.2293855350233276, 4.635775147514292, 1.727051895491221, 1.357236778598518, 0.8107838431342794, 0.0, 11.48249014823076, 8.918622274477073, 6.7861838929925895, 5.181155686473662, 9.271550295028584, 4.521139749032659, 3.37361777888289, 3.0106587737213526, 4.297604444215902, 3.2272297757234076, 1.8830886972759233, 0.6967695509758537, 0.0), (10.546346402223609, 7.581799289992394, 9.361130590707957, 9.615236383293386, 8.543195926051439, 4.195431191676585, 3.3414506633887537, 3.215519387903715, 4.6176570051114485, 1.7132971206499201, 1.3469434794812618, 0.8050290875204243, 0.0, 11.411319304324769, 8.855319962724668, 6.734717397406309, 5.1398913619497595, 9.235314010222897, 4.501727143065201, 3.3414506633887537, 2.996736565483275, 4.2715979630257195, 3.205078794431129, 1.8722261181415913, 0.6892544809083996, 0.0), (10.450553324967336, 7.495248171657732, 9.302523946219415, 9.544258060733807, 8.48743569881293, 4.174003322325641, 3.3075747046495003, 3.200048222203801, 4.597442309412912, 1.698678070701901, 1.335972342259087, 0.7988866158226731, 0.0, 11.335080203181485, 8.787752774049402, 6.679861711295434, 5.096034212105701, 9.194884618825824, 4.480067511085322, 3.3075747046495003, 2.9814309445183147, 4.243717849406465, 3.1814193535779363, 1.8605047892438833, 0.6813861974234302, 0.0), (10.335201473769764, 7.395933826819331, 9.224527454803487, 9.454176016727876, 8.414178555796186, 4.143513212539135, 3.2677489343700015, 3.17754122744589, 4.566999388570334, 1.6807983479345614, 1.3223972849777657, 0.7911589610963629, 0.0, 11.235598705688274, 8.70274857205999, 6.611986424888827, 5.042395043803683, 9.133998777140668, 4.448557718424246, 3.2677489343700015, 2.9596522946708106, 4.207089277898093, 3.1513920055759597, 1.8449054909606977, 0.6723576206199392, 0.0), (10.198820932866035, 7.28304080162725, 9.125574450948537, 9.343506385929302, 8.321992122590341, 4.103212058438943, 3.221570623868649, 3.147432860557619, 4.525465106040038, 1.6594219781520132, 1.3060272186755595, 0.7817252273702489, 0.0, 11.110988852451014, 8.598977501072737, 6.530136093377798, 4.978265934456038, 9.050930212080075, 4.406406004780667, 3.221570623868649, 2.9308657560278157, 4.160996061295171, 3.114502128643102, 1.8251148901897079, 0.6620946183297501, 0.0), (10.042510876420344, 7.1573051140366015, 9.006721467228694, 9.213301128944565, 8.211833582663305, 4.053588080615757, 3.1693770122048135, 3.1101003109807053, 4.473387224599541, 1.6347303676098288, 1.2870063860732652, 0.77067287137255, 0.0, 10.962523662746737, 8.477401585098049, 6.435031930366326, 4.904191102829485, 8.946774449199083, 4.354140435372988, 3.1693770122048135, 2.8954200575826836, 4.105916791331652, 3.071100376314856, 1.801344293445739, 0.6506641012760548, 0.0), (9.8673704785969, 7.01946278200249, 8.86902503621808, 9.064612206380144, 8.08466011948299, 3.9951294996602726, 3.1115053384378664, 3.0659207681568685, 4.411313507026364, 1.6069049225635816, 1.2654790298916783, 0.7580893498314843, 0.0, 10.791476155852466, 8.338982848146326, 6.3273951494583915, 4.820714767690744, 8.822627014052728, 4.292289075419616, 3.1115053384378664, 2.8536639283287664, 4.042330059741495, 3.0215374021267154, 1.773805007243616, 0.6381329801820447, 0.0), (9.674498913559898, 6.870249823480022, 8.71354169049082, 8.898491578842531, 7.941428916517308, 3.928324536163185, 3.048292841627181, 3.015271421527823, 4.339791716098023, 1.5761270492688444, 1.2415893928515955, 0.7440621194752707, 0.0, 10.599119351045232, 8.184683314227977, 6.207946964257977, 4.728381147806532, 8.679583432196045, 4.221379990138953, 3.048292841627181, 2.8059460972594175, 3.970714458258654, 2.9661638596141775, 1.742708338098164, 0.6245681657709112, 0.0), (9.464995355473539, 6.710402256424303, 8.54132796262104, 8.71599120693821, 7.783097157234176, 3.853661410715189, 2.9800767608321266, 2.9585294605352903, 4.259369614592037, 1.5425781539811894, 1.2154817176738126, 0.7286786370321272, 0.0, 10.386726267602059, 8.015465007353399, 6.077408588369063, 4.627734461943566, 8.518739229184074, 4.141941244749407, 2.9800767608321266, 2.752615293367992, 3.891548578617088, 2.905330402312737, 1.7082655925242083, 0.6100365687658459, 0.0), (9.239958978502024, 6.5406560987904445, 8.353440385182864, 8.518163051273666, 7.610622025101502, 3.771628343906979, 2.9071943351120755, 2.8960720746209856, 4.1705949652859235, 1.5064396429561904, 1.1873002470791263, 0.7120263592302724, 0.0, 10.155569924799979, 7.832289951532995, 5.936501235395631, 4.51931892886857, 8.341189930571847, 4.05450090446938, 2.9071943351120755, 2.694020245647842, 3.805311012550751, 2.839387683757889, 1.670688077036573, 0.5946050998900405, 0.0), (9.000488956809557, 6.361747368533551, 8.150935490750417, 8.306059072455376, 7.4249607035872005, 3.682713556329251, 2.8299828035264003, 2.8282764532266285, 4.074015530957201, 1.4678929224494195, 1.157189223788332, 0.6941927427979253, 0.0, 9.906923341916015, 7.636120170777177, 5.78594611894166, 4.403678767348258, 8.148031061914402, 3.95958703451728, 2.8299828035264003, 2.630509683092322, 3.7124803517936003, 2.768686357485126, 1.6301870981500834, 0.5783406698666865, 0.0), (8.747684464560333, 6.174412083608727, 7.934869811897824, 8.080731231089835, 7.2270703761591815, 3.5874052685726983, 2.7487794051344725, 2.7555197857939366, 3.9701790743833865, 1.4271193987164503, 1.1252928905222266, 0.6752652444633036, 0.0, 9.642059538227196, 7.427917689096338, 5.626464452611132, 4.28135819614935, 7.940358148766773, 3.8577277001115116, 2.7487794051344725, 2.562432334694784, 3.6135351880795907, 2.693577077029946, 1.5869739623795647, 0.5613101894189753, 0.0), (8.482644675918554, 5.979386261971081, 7.706299881199207, 7.843231487783524, 7.017908226285359, 3.4861917012280164, 2.663921378995663, 2.6781792617646265, 3.8596333583419993, 1.3843004780128556, 1.0917554900016058, 0.6553313209546264, 0.0, 9.362251533010546, 7.20864453050089, 5.458777450008029, 4.152901434038566, 7.7192667166839986, 3.7494509664704774, 2.663921378995663, 2.490136929448583, 3.5089541131426794, 2.614410495927842, 1.5412599762398416, 0.5435805692700985, 0.0), (8.206468765048422, 5.777405921575724, 7.466282231228694, 7.594611803142927, 6.798431437433646, 3.3795610748859013, 2.5757459641693443, 2.5966320705804184, 3.7429261456105576, 1.339617566594208, 1.0567212649472661, 0.6344784290001119, 0.0, 9.0687723455431, 6.9792627190012295, 5.28360632473633, 4.018852699782624, 7.485852291221115, 3.635284898812586, 2.5757459641693443, 2.413972196347072, 3.399215718716823, 2.5315372677143095, 1.493256446245739, 0.5252187201432478, 0.0), (7.9202559061141375, 5.569207080377758, 7.215873394560408, 7.335924137774526, 6.569597193071951, 3.268001610137046, 2.4845903997148873, 2.5112554016830275, 3.620605198966578, 1.2932520707160806, 1.020334458080004, 0.6127940253279787, 0.0, 8.762894995101878, 6.740734278607764, 5.101672290400019, 3.879756212148241, 7.241210397933156, 3.5157575623562387, 2.4845903997148873, 2.3342868643836043, 3.2847985965359756, 2.4453080459248424, 1.4431746789120816, 0.5062915527616144, 0.0), (7.6251052732799005, 5.355525756332291, 6.956129903768475, 7.068220452284813, 6.3323626766681915, 3.152001527572146, 2.390791924691664, 2.4224264445141737, 3.4932182811875796, 1.2453853966340462, 0.9827393121206148, 0.5903655666664452, 0.0, 8.445892500963913, 6.494021233330896, 4.913696560603074, 3.736156189902138, 6.986436562375159, 3.3913970223198433, 2.390791924691664, 2.2514296625515327, 3.1661813383340958, 2.356073484094938, 1.391225980753695, 0.4868659778483902, 0.0), (7.322116040709912, 5.137097967394431, 6.688108291427019, 6.792552707280267, 6.087685071690277, 3.0320490477818964, 2.2946877781590462, 2.3305223885155746, 3.3613131550510804, 1.1961989506036783, 0.9440800697898953, 0.56728050974373, 0.0, 8.119037882406225, 6.24008560718103, 4.720400348949476, 3.588596851811034, 6.722626310102161, 3.2627313439218044, 2.2946877781590462, 2.165749319844212, 3.0438425358451386, 2.2641842357600894, 1.337621658285404, 0.4670089061267665, 0.0), (7.012387382568372, 4.914659731519285, 6.412865090110164, 6.509972863367375, 5.836521561606121, 2.9086323913569916, 2.196615199176405, 2.235920423128947, 3.225437583334597, 1.145874138880549, 0.9045009738086416, 0.5436263112880514, 0.0, 7.783604158705848, 5.979889424168563, 4.522504869043208, 3.437622416641646, 6.450875166669194, 3.130288592380526, 2.196615199176405, 2.077594565254994, 2.9182607808030605, 2.169990954455792, 1.282573018022033, 0.446787248319935, 0.0), (6.697018473019482, 4.6889470666619575, 6.131456832392036, 6.221532881152618, 5.579829329883635, 2.7822397788881266, 2.096911426803113, 2.1389977377960108, 3.08613932881565, 1.0945923677202316, 0.8641462668976501, 0.519490428027628, 0.0, 7.440864349139807, 5.7143947083039075, 4.32073133448825, 3.283777103160694, 6.1722786576313, 2.994596832914415, 2.096911426803113, 1.9873141277772333, 2.7899146649418176, 2.07384429371754, 1.2262913664784072, 0.42626791515108714, 0.0), (6.377108486227438, 4.460695990777558, 5.84494005084676, 5.928284721242486, 5.318565559990731, 2.653359430965997, 1.9959137000985407, 2.040131521958481, 2.943966154271756, 1.0425350433782987, 0.8231601917777163, 0.49496031669067847, 0.0, 7.092091472985131, 5.444563483597462, 4.115800958888581, 3.1276051301348957, 5.887932308543512, 2.8561841307418736, 1.9959137000985407, 1.8952567364042836, 2.6592827799953653, 1.9760949070808291, 1.1689880101693522, 0.40551781734341447, 0.0), (6.053756596356447, 4.230642521821194, 5.554371278048459, 5.631280344243462, 5.053687435395322, 2.5224795681812964, 1.8939592581220606, 1.9396989650580787, 2.7994658224804327, 0.9898835721103237, 0.781686991169637, 0.470123434005421, 0.0, 6.738558549518844, 5.17135777405963, 3.9084349558481852, 2.9696507163309707, 5.5989316449608655, 2.71557855108131, 1.8939592581220606, 1.8017711201294973, 2.526843717697661, 1.8770934480811543, 1.1108742556096918, 0.38460386562010856, 0.0), (5.7280619775707065, 3.9995226777479713, 5.260807046571258, 5.331571710762027, 4.786152139565322, 2.3900884111247205, 1.791385339933044, 1.8380772565365193, 2.6531860962191995, 0.9368193601718788, 0.7398709077942084, 0.4450672367000743, 0.0, 6.381538598017975, 4.895739603700816, 3.699354538971042, 2.8104580805156356, 5.306372192438399, 2.5733081591511273, 1.791385339933044, 1.707206007946229, 2.393076069782661, 1.7771905702540096, 1.0521614093142517, 0.3635929707043611, 0.0), (5.401123804034416, 3.7680724765129963, 4.9653038889892835, 5.030210781404673, 4.516916855968639, 2.2566741803869648, 1.6885291845908623, 1.7356435858355217, 2.505674738265573, 0.8835238138185378, 0.6978561843722264, 0.41987918150285664, 0.0, 6.022304637759553, 4.618670996531422, 3.489280921861132, 2.6505714414556127, 5.011349476531146, 2.4299010201697304, 1.6885291845908623, 1.611910128847832, 2.2584584279843196, 1.6767369271348913, 0.9930607777978567, 0.34255204331936334, 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, 15) |
# --------------------------------------------------------------------------
# Basic generation of the Fibonacci number sequence written in Python
# link: https://www.mycompiler.io/view/6S2zX4i
# author: milk
# --------------------------------------------------------------------------
# python fibonacci.py # to run this script
#
count=100 #set how many numbers into the sequence to show
#
# initial vars
a=0 # first number
b=0 # second number
c=1 # third number
i=0 # iterator
#
# loop for count
while (i<=count):
print(c) # display current number
a=b # first step
b=c # second step
c=a+b # third step
i+=1 # increment loop count
#
#
#
| count = 100
a = 0
b = 0
c = 1
i = 0
while i <= count:
print(c)
a = b
b = c
c = a + b
i += 1 |
#!/usr/bin/python
def outlierCleaner(predictions, ages, net_worths):
"""
Clean away the 10% of points that have the largest
residual errors (difference between the prediction
and the actual net worth).
Return a list of tuples named cleaned_data where
each tuple is of the form (age, net_worth, error).
"""
errors = list(map(lambda x: x[0]-x[1], zip(predictions, net_worths)))
data = sorted(zip(ages, net_worths, errors), key = lambda x: x[2])
cleaned_data = data[:int(len(data)*0.9)]
print(f"len data = {len(predictions)}, len cleaned data = {len(cleaned_data)}")
return cleaned_data
| def outlier_cleaner(predictions, ages, net_worths):
"""
Clean away the 10% of points that have the largest
residual errors (difference between the prediction
and the actual net worth).
Return a list of tuples named cleaned_data where
each tuple is of the form (age, net_worth, error).
"""
errors = list(map(lambda x: x[0] - x[1], zip(predictions, net_worths)))
data = sorted(zip(ages, net_worths, errors), key=lambda x: x[2])
cleaned_data = data[:int(len(data) * 0.9)]
print(f'len data = {len(predictions)}, len cleaned data = {len(cleaned_data)}')
return cleaned_data |
MATCHING_TICKETS_KEYS = ['id', 'category', 'status', 'date', 'price_id', 'quantity',
'section', 'row', 'remarks', 'user_id', 'username', 'updated_at']
MATCHING_TICKETS = '''
SELECT src.id, src.category, src.status, src.`date`, src.price_id, src.quantity, src.section, src.row, src.remarks, src.user_id, src.username, src.updated_at FROM
(SELECT id, category, status, `date`, price_id, quantity, section, row, remarks, updated_at, user_id, username, wish_dates, wish_price_ids, wish_quantities FROM tickets
WHERE status = 1 and category = 2 and is_banned = 0 and user_id != {user_id} ) as src,
(SELECT id, `date`, price_id, quantity, wish_dates, wish_price_ids, wish_quantities FROM tickets
WHERE user_id = {user_id} and status = 1 and category = 2 ) wish
WHERE find_in_set(src.date, wish.wish_dates)
and find_in_set(src.price_id, wish.wish_price_ids)
and find_in_set(src.quantity, wish.wish_quantities)
and find_in_set(wish.date, src.wish_dates)
and find_in_set(wish.price_id, src.wish_price_ids)
and find_in_set(wish.quantity, src.wish_quantities)
ORDER BY updated_at ASC
'''
SEARCH_BY_CONDITIONS_KEYS = ['id', 'category', 'status', 'date', 'price_id',
'quantity', 'section', 'row', 'wish_dates', 'wish_price_ids',
'wish_quantities', 'remarks', 'source_id', 'user_id', 'username', 'updated_at']
SEARCH_BY_CONDITIONS = '''SELECT id, category, status, `date`, price_id, quantity, section, `row`, wish_dates, wish_price_ids, wish_quantities, remarks, source_id, user_id, username, updated_at
FROM tickets WHERE is_banned = 0 AND {} ORDER BY id ASC;
'''
INSERT_TICKET = '''INSERT tickets (category, date, price_id, quantity, section, row, wish_dates, wish_price_ids, wish_quantities, user_id, username, updated_at)
VALUES ({category},{date},{price_id},{quantity},\'{section}\',\'{row}\', \'{wish_dates}\', \'{wish_price_ids}\', \'{wish_quantities}\', {user_id},\'{username}\', {updated_at});
'''
UPDATE_TICKET = '''UPDATE tickets SET {} WHERE id = {};'''
TICKET_DISTRIBUTION_KEYS = ['category', 'date', 'price_id', 'amount']
TICKET_DISTRIBUTION = '''SELECT category, `date`, price_id, count(1) as amount FROM tickets
WHERE status = 1 GROUP BY category, `date`, price_id ORDER BY category, `date`, price_id ASC;
'''
STATUS_DISRIBUTION_KEYS = ['status', 'amount']
STATUS_DISRIBUTION = 'SELECT status, count(1) as amount from tickets GROUP BY status ORDER BY status ASC;'
| matching_tickets_keys = ['id', 'category', 'status', 'date', 'price_id', 'quantity', 'section', 'row', 'remarks', 'user_id', 'username', 'updated_at']
matching_tickets = '\nSELECT src.id, src.category, src.status, src.`date`, src.price_id, src.quantity, src.section, src.row, src.remarks, src.user_id, src.username, src.updated_at FROM \n(SELECT id, category, status, `date`, price_id, quantity, section, row, remarks, updated_at, user_id, username, wish_dates, wish_price_ids, wish_quantities FROM tickets \n WHERE status = 1 and category = 2 and is_banned = 0 and user_id != {user_id} ) as src,\n(SELECT id, `date`, price_id, quantity, wish_dates, wish_price_ids, wish_quantities FROM tickets \n WHERE user_id = {user_id} and status = 1 and category = 2 ) wish \n WHERE find_in_set(src.date, wish.wish_dates) \n and find_in_set(src.price_id, wish.wish_price_ids)\n and find_in_set(src.quantity, wish.wish_quantities)\n and find_in_set(wish.date, src.wish_dates) \n and find_in_set(wish.price_id, src.wish_price_ids)\n and find_in_set(wish.quantity, src.wish_quantities)\n ORDER BY updated_at ASC\n'
search_by_conditions_keys = ['id', 'category', 'status', 'date', 'price_id', 'quantity', 'section', 'row', 'wish_dates', 'wish_price_ids', 'wish_quantities', 'remarks', 'source_id', 'user_id', 'username', 'updated_at']
search_by_conditions = 'SELECT id, category, status, `date`, price_id, quantity, section, `row`, wish_dates, wish_price_ids, wish_quantities, remarks, source_id, user_id, username, updated_at\nFROM tickets WHERE is_banned = 0 AND {} ORDER BY id ASC;\n'
insert_ticket = "INSERT tickets (category, date, price_id, quantity, section, row, wish_dates, wish_price_ids, wish_quantities, user_id, username, updated_at)\nVALUES ({category},{date},{price_id},{quantity},'{section}','{row}', '{wish_dates}', '{wish_price_ids}', '{wish_quantities}', {user_id},'{username}', {updated_at}); \n"
update_ticket = 'UPDATE tickets SET {} WHERE id = {};'
ticket_distribution_keys = ['category', 'date', 'price_id', 'amount']
ticket_distribution = 'SELECT category, `date`, price_id, count(1) as amount FROM tickets\nWHERE status = 1 GROUP BY category, `date`, price_id ORDER BY category, `date`, price_id ASC;\n'
status_disribution_keys = ['status', 'amount']
status_disribution = 'SELECT status, count(1) as amount from tickets GROUP BY status ORDER BY status ASC;' |
description = 'Beam limiter at position 1'
group = 'lowlevel'
display_order = 25
pvprefix = 'SQ:ICON:board1:'
devices = dict(
bl1left = device('nicos_ess.devices.epics.motor.HomingProtectedEpicsMotor',
epicstimeout = 3.0,
description = 'Beam limiter 1 -X',
motorpv = pvprefix + 'B1nX',
errormsgpv = pvprefix + 'B1nX-MsgTxt',
precision = 0.01,
lowlevel = True,
),
bl1right = device('nicos_ess.devices.epics.motor.HomingProtectedEpicsMotor',
epicstimeout = 3.0,
description = 'Beam limiter 1 +X',
motorpv = pvprefix + 'B1pX',
errormsgpv = pvprefix + 'B1pX-MsgTxt',
precision = 0.01,
lowlevel = True,
),
bl1bottom = device('nicos_ess.devices.epics.motor.HomingProtectedEpicsMotor',
epicstimeout = 3.0,
description = 'Beam limiter 1 -Y',
motorpv = pvprefix + 'B1nY',
errormsgpv = pvprefix + 'B1nY-MsgTxt',
precision = 0.01,
lowlevel = True,
),
bl1top = device('nicos_ess.devices.epics.motor.HomingProtectedEpicsMotor',
epicstimeout = 3.0,
description = 'Beam limiter 1 +Y',
motorpv = pvprefix + 'B1pY',
errormsgpv = pvprefix + 'B1pY-MsgTxt',
precision = 0.01,
lowlevel = True,
),
bl1 = device('nicos.devices.generic.slit.Slit',
description = 'Beam limiter 1',
opmode = 'offcentered',
left = 'bl1left',
right = 'bl1right',
top = 'bl1top',
bottom = 'bl1bottom',
),
bl1_width = device('nicos.devices.generic.slit.WidthSlitAxis',
description = 'Beam limiter 1 opening width',
slit = 'bl1',
unit = 'mm'
),
bl1_height = device('nicos.devices.generic.slit.HeightSlitAxis',
description = 'Beam limiter 1 opening width',
slit = 'bl1',
unit = 'mm'
),
bl1_center_h = device('nicos.devices.generic.slit.CenterXSlitAxis',
description = 'Beam limiter 1 horizontal center',
slit = 'bl1',
unit = 'mm'
),
bl1_center_v = device('nicos.devices.generic.slit.CenterYSlitAxis',
description = 'Beam limiter 1 vertical center',
slit = 'bl1',
unit = 'mm'
),
)
| description = 'Beam limiter at position 1'
group = 'lowlevel'
display_order = 25
pvprefix = 'SQ:ICON:board1:'
devices = dict(bl1left=device('nicos_ess.devices.epics.motor.HomingProtectedEpicsMotor', epicstimeout=3.0, description='Beam limiter 1 -X', motorpv=pvprefix + 'B1nX', errormsgpv=pvprefix + 'B1nX-MsgTxt', precision=0.01, lowlevel=True), bl1right=device('nicos_ess.devices.epics.motor.HomingProtectedEpicsMotor', epicstimeout=3.0, description='Beam limiter 1 +X', motorpv=pvprefix + 'B1pX', errormsgpv=pvprefix + 'B1pX-MsgTxt', precision=0.01, lowlevel=True), bl1bottom=device('nicos_ess.devices.epics.motor.HomingProtectedEpicsMotor', epicstimeout=3.0, description='Beam limiter 1 -Y', motorpv=pvprefix + 'B1nY', errormsgpv=pvprefix + 'B1nY-MsgTxt', precision=0.01, lowlevel=True), bl1top=device('nicos_ess.devices.epics.motor.HomingProtectedEpicsMotor', epicstimeout=3.0, description='Beam limiter 1 +Y', motorpv=pvprefix + 'B1pY', errormsgpv=pvprefix + 'B1pY-MsgTxt', precision=0.01, lowlevel=True), bl1=device('nicos.devices.generic.slit.Slit', description='Beam limiter 1', opmode='offcentered', left='bl1left', right='bl1right', top='bl1top', bottom='bl1bottom'), bl1_width=device('nicos.devices.generic.slit.WidthSlitAxis', description='Beam limiter 1 opening width', slit='bl1', unit='mm'), bl1_height=device('nicos.devices.generic.slit.HeightSlitAxis', description='Beam limiter 1 opening width', slit='bl1', unit='mm'), bl1_center_h=device('nicos.devices.generic.slit.CenterXSlitAxis', description='Beam limiter 1 horizontal center', slit='bl1', unit='mm'), bl1_center_v=device('nicos.devices.generic.slit.CenterYSlitAxis', description='Beam limiter 1 vertical center', slit='bl1', unit='mm')) |
class Counter:
def __init__(self,low,high):
self.current = low
self.last = high
def __iter__(self):
return self #instead of: return iter("...") - this way 'self' here is set up with 'next' below
def __next__(self): # here we define __next__ because the 'self' returned from the __iter__ above is not an iterator yet and we'd get an error
if self.current < self.last:
num = self.current
self.current += 1
return num
raise StopIteration
for x in Counter(0,10): # for will call the __iter__ on this instance of Counter (Counter(0,10)), __iter__ returns self and this self is here set up with the __next__ method, so it can call next over and over and over, until next returns StopIteration
print(x)
for x in Counter(25,40):
print(x) | class Counter:
def __init__(self, low, high):
self.current = low
self.last = high
def __iter__(self):
return self
def __next__(self):
if self.current < self.last:
num = self.current
self.current += 1
return num
raise StopIteration
for x in counter(0, 10):
print(x)
for x in counter(25, 40):
print(x) |
""" Asked by: Flipkart [Medium].
Snakes and Ladders is a game played on a 10 x 10 board, the goal of which is get from square 1 to square 100.
On each turn players will roll a six-sided die and move forward a number of spaces equal to the result.
If they land on a square that represents a snake or ladder, they will be transported ahead or behind, respectively, to a new square.
""" | """ Asked by: Flipkart [Medium].
Snakes and Ladders is a game played on a 10 x 10 board, the goal of which is get from square 1 to square 100.
On each turn players will roll a six-sided die and move forward a number of spaces equal to the result.
If they land on a square that represents a snake or ladder, they will be transported ahead or behind, respectively, to a new square.
""" |
test = { 'name': 'q3c',
'points': 2,
'suites': [ { 'cases': [ {'code': '>>> independents_with_ratings.num_rows == 91\nTrue', 'hidden': False, 'locked': False},
{ 'code': ">>> independents_with_ratings.labels == ('Rank', 'Restaurant', 'Sales', 'Average Check', 'City', 'State', 'Meals Served', 'Rating')\nTrue",
'hidden': False,
'locked': False},
{'code': ">>> np.all(independents_with_ratings.column('Rating').take(np.arange(5)) == np.array([4, 4, 2.5, 3.5, 4]))\nTrue", 'hidden': False, 'locked': False},
{ 'code': '>>> np.all(independents_with_ratings.column(\'Restaurant\').take(np.arange(5)) == np.array(["Carmine\'s (Times Square)", \'The Boathouse Orlando\',\n'
"... 'LAVO Italian Restaurant & Nightclub', 'Bryant Park Grill & Cafe',\n"
"... 'Gibsons Bar & Steakhouse']))\n"
'True',
'hidden': False,
'locked': False}],
'scored': True,
'setup': '',
'teardown': '',
'type': 'doctest'}]}
| test = {'name': 'q3c', 'points': 2, 'suites': [{'cases': [{'code': '>>> independents_with_ratings.num_rows == 91\nTrue', 'hidden': False, 'locked': False}, {'code': ">>> independents_with_ratings.labels == ('Rank', 'Restaurant', 'Sales', 'Average Check', 'City', 'State', 'Meals Served', 'Rating')\nTrue", 'hidden': False, 'locked': False}, {'code': ">>> np.all(independents_with_ratings.column('Rating').take(np.arange(5)) == np.array([4, 4, 2.5, 3.5, 4]))\nTrue", 'hidden': False, 'locked': False}, {'code': '>>> np.all(independents_with_ratings.column(\'Restaurant\').take(np.arange(5)) == np.array(["Carmine\'s (Times Square)", \'The Boathouse Orlando\',\n... \'LAVO Italian Restaurant & Nightclub\', \'Bryant Park Grill & Cafe\',\n... \'Gibsons Bar & Steakhouse\']))\nTrue', 'hidden': False, 'locked': False}], 'scored': True, 'setup': '', 'teardown': '', 'type': 'doctest'}]} |
# 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.
"""Utilities for testing Apple rules."""
def apple_multi_shell_test(name,
src,
configurations={},
**kwargs):
"""Creates test targets for an Apple shell integration test script.
This macro allows for the easy creation of multiple test targets that each
run the given test script, but with different configuration arguments passed
into the test's `bazel` invocations. For example:
apple_multi_shell_test(
name = "my_test",
src = "my_test.sh",
configurations = {
"simulator": ["--ios_multi_cpus=x86_64"],
"device": ["--ios_multi_cpus=arm64,armv7"],
},
)
The above snippet would create three targets, named based on the
configurations:
* my_test.simulator: applies "--ios_multi_cpus=x86_64" to all builds.
* my_test.device: applies "--ios_multi_cpus=arm64,armv7" to all builds.
* my_test: A test suite containing the above tests.
Args:
name: The name of the test suite and prefix to use for each of the
individual configuration tests.
src: The shell script to run.
configurations: A dictionary with the configurations for which the test
should be run.
**kwargs: Additional attribute values to apply to each test target.
"""
if not configurations:
fail("You must specify at least one configuration in the " +
"'configurations' attribute.")
for (config_name, config_options) in configurations.items():
apple_shell_test(
name = "%s.%s" % (name, config_name),
src = src,
args = config_options,
**kwargs
)
native.test_suite(
name = name,
tests = [":%s.%s" % (name, config_name)
for config_name in configurations.keys()],
)
def apple_shell_test(name,
src,
args=[],
data=None,
deps=None,
tags=None,
**kwargs):
"""Creates a test target for an Apple shell integration test script.
This macro creates an sh_test target that uses bazel to run integration tests.
Args:
name: Name for the test target.
src: The shell script to run.
args: Additional args to pass to the test target.
data: Additional data dependencies to pass to the test target.
deps: Additional dependencies to pass to the test target.
tags: Additional tags to set on the test target. "requires-darwin" is
automatically added.
**kwargs: Additional attribute values to apply to the test target.
"""
# Depending on the memory on a machine, the sharding of these integration
# tests can take out a machine, so make it opt in via a define:
# '--define bazel_rules_apple.apple_shell_test.enable_sharding=1'
# '--define bazel_rules_apple.apple_shell_test.enable_sharding=0'
requested_shard_count = kwargs.pop("shard_count", 0)
shard_count = select({
"//test:apple_shell_test_disable_sharding": 0,
"//test:apple_shell_test_enable_sharding": requested_shard_count,
"//conditions:default": 0,
})
native.sh_test(
name = name,
srcs = ["bazel_testrunner.sh"],
args = [
src,
] + args,
data = [
src,
"//:for_bazel_tests",
"//test:apple_shell_testutils.sh",
"//test/testdata/provisioning:BUILD",
"//test/testdata/provisioning:integration_testing_profiles",
"//test:unittest.bash",
] + (data or []),
deps = deps or [],
shard_count = shard_count,
tags = ["requires-darwin"] + (tags or []),
**kwargs
)
| """Utilities for testing Apple rules."""
def apple_multi_shell_test(name, src, configurations={}, **kwargs):
"""Creates test targets for an Apple shell integration test script.
This macro allows for the easy creation of multiple test targets that each
run the given test script, but with different configuration arguments passed
into the test's `bazel` invocations. For example:
apple_multi_shell_test(
name = "my_test",
src = "my_test.sh",
configurations = {
"simulator": ["--ios_multi_cpus=x86_64"],
"device": ["--ios_multi_cpus=arm64,armv7"],
},
)
The above snippet would create three targets, named based on the
configurations:
* my_test.simulator: applies "--ios_multi_cpus=x86_64" to all builds.
* my_test.device: applies "--ios_multi_cpus=arm64,armv7" to all builds.
* my_test: A test suite containing the above tests.
Args:
name: The name of the test suite and prefix to use for each of the
individual configuration tests.
src: The shell script to run.
configurations: A dictionary with the configurations for which the test
should be run.
**kwargs: Additional attribute values to apply to each test target.
"""
if not configurations:
fail('You must specify at least one configuration in the ' + "'configurations' attribute.")
for (config_name, config_options) in configurations.items():
apple_shell_test(name='%s.%s' % (name, config_name), src=src, args=config_options, **kwargs)
native.test_suite(name=name, tests=[':%s.%s' % (name, config_name) for config_name in configurations.keys()])
def apple_shell_test(name, src, args=[], data=None, deps=None, tags=None, **kwargs):
"""Creates a test target for an Apple shell integration test script.
This macro creates an sh_test target that uses bazel to run integration tests.
Args:
name: Name for the test target.
src: The shell script to run.
args: Additional args to pass to the test target.
data: Additional data dependencies to pass to the test target.
deps: Additional dependencies to pass to the test target.
tags: Additional tags to set on the test target. "requires-darwin" is
automatically added.
**kwargs: Additional attribute values to apply to the test target.
"""
requested_shard_count = kwargs.pop('shard_count', 0)
shard_count = select({'//test:apple_shell_test_disable_sharding': 0, '//test:apple_shell_test_enable_sharding': requested_shard_count, '//conditions:default': 0})
native.sh_test(name=name, srcs=['bazel_testrunner.sh'], args=[src] + args, data=[src, '//:for_bazel_tests', '//test:apple_shell_testutils.sh', '//test/testdata/provisioning:BUILD', '//test/testdata/provisioning:integration_testing_profiles', '//test:unittest.bash'] + (data or []), deps=deps or [], shard_count=shard_count, tags=['requires-darwin'] + (tags or []), **kwargs) |
def test_assert_false():
assert False, 'The assert should fail' # xfail
def test_assert_passed():
assert True, 'The assert should pass'
| def test_assert_false():
assert False, 'The assert should fail'
def test_assert_passed():
assert True, 'The assert should pass' |
#Dictionary:
Dict={1:'Hi','name': 'Hello',3:'how are you?'}
#accessing a element using key
print(f'Accessing a element using a key: {Dict["name"]}')
#accessing a element using key
print(f'Accessing an element using a key: {Dict[1]}')
#accessing a element using get()
print(f'Accessing an element using get(): {Dict.get(3)}')
# Nested Dictionary
Dict={'Dict1': {1:'Hey'},
'Dict2': {1: 'What\'s up?',2:'Yo, let\'s party'}
}
print(f'Nested Dictionary: {Dict}')
#accessing a element using key
print(f'Accesing an element in the Nested Dictionary: {Dict["Dict1"]}')
print(f'Accesing an element in the Nested Dictionary: {Dict["Dict2"][1]} ')
print(f'Accesing an element in the Nested Dictionary: {Dict["Dict2"][2]} ') | dict = {1: 'Hi', 'name': 'Hello', 3: 'how are you?'}
print(f"Accessing a element using a key: {Dict['name']}")
print(f'Accessing an element using a key: {Dict[1]}')
print(f'Accessing an element using get(): {Dict.get(3)}')
dict = {'Dict1': {1: 'Hey'}, 'Dict2': {1: "What's up?", 2: "Yo, let's party"}}
print(f'Nested Dictionary: {Dict}')
print(f"Accesing an element in the Nested Dictionary: {Dict['Dict1']}")
print(f"Accesing an element in the Nested Dictionary: {Dict['Dict2'][1]} ")
print(f"Accesing an element in the Nested Dictionary: {Dict['Dict2'][2]} ") |
class AumbryError(Exception):
def __init__(self, message):
self.message = message
super(AumbryError, self).__init__(message)
class LoadError(AumbryError):
pass
class SaveError(AumbryError):
pass
class ParsingError(AumbryError):
pass
class DependencyError(AumbryError):
def __init__(self, extras_name):
msg = (
'Dependencies unavailable: run "pip install aumbry[{}]" to '
'acquire to appropriate dependencies.'
).format(
extras_name
)
super(DependencyError, self).__init__(msg)
class UnknownSourceError(AumbryError):
def __init__(self, name):
super(UnknownSourceError, self).__init__(
'Couldn\'t find a source with the name: {}'.format(name)
)
| class Aumbryerror(Exception):
def __init__(self, message):
self.message = message
super(AumbryError, self).__init__(message)
class Loaderror(AumbryError):
pass
class Saveerror(AumbryError):
pass
class Parsingerror(AumbryError):
pass
class Dependencyerror(AumbryError):
def __init__(self, extras_name):
msg = 'Dependencies unavailable: run "pip install aumbry[{}]" to acquire to appropriate dependencies.'.format(extras_name)
super(DependencyError, self).__init__(msg)
class Unknownsourceerror(AumbryError):
def __init__(self, name):
super(UnknownSourceError, self).__init__("Couldn't find a source with the name: {}".format(name)) |
# Creamos un objeto como si fuese JSON
{
# targets son los objetivos donde va a tener que hacer la complilacion, como son mas de uno los ponemos en un array por ahroa un elemento!
"targets": [
{
# le ponemos el nombr que deseemos a nuestro modulo
"target_name" : "addon",
# de donde toma el codigo
"sources" : [ "hola.cc" ]
}
]
}
# NOTA : luego deberemos decir node que configure este modulo con node GYP! ejecutandolo desde terminal en la carpeta correcta! | {'targets': [{'target_name': 'addon', 'sources': ['hola.cc']}]} |
"""Custom exceptions classes"""
class CoatiException(Exception):
pass
class CLIException(CoatiException):
pass
| """Custom exceptions classes"""
class Coatiexception(Exception):
pass
class Cliexception(CoatiException):
pass |
class Solution(object):
def search(self, nums, target):
"""
:type nums: List[int]
:type target: int
:rtype: int
"""
try:
return nums.index(target)
except:
return -1
| class Solution(object):
def search(self, nums, target):
"""
:type nums: List[int]
:type target: int
:rtype: int
"""
try:
return nums.index(target)
except:
return -1 |
@kernel
def sample(device, data, samples, wait):
for i in range(samples):
try:
device.sample_mu(data[i])
delay(wait)
except RTIOUnderflow:
continue
@kernel(flags={"fast-math"})
def ramp(board, channels, starts, stops, steps, duration, now):
at_mu(now)
dt = duration / steps
dV = [(stops[i]-starts[i])/steps for i in range(len(channels))]
V = starts
for _ in range(steps):
delay(dt)
for i in range(len(channels)):
V[i] += dV[i]
board.set_dac(V, channels)
@kernel(flags={"fast-math"})
def ramp_DDS(dds, start, stop, steps, duration, now):
at_mu(now)
dt = duration / steps
df = (stop - start) / steps
f = start
for _ in range(steps):
delay(dt)
f += df
dds.set(f*MHz) | @kernel
def sample(device, data, samples, wait):
for i in range(samples):
try:
device.sample_mu(data[i])
delay(wait)
except RTIOUnderflow:
continue
@kernel(flags={'fast-math'})
def ramp(board, channels, starts, stops, steps, duration, now):
at_mu(now)
dt = duration / steps
d_v = [(stops[i] - starts[i]) / steps for i in range(len(channels))]
v = starts
for _ in range(steps):
delay(dt)
for i in range(len(channels)):
V[i] += dV[i]
board.set_dac(V, channels)
@kernel(flags={'fast-math'})
def ramp_dds(dds, start, stop, steps, duration, now):
at_mu(now)
dt = duration / steps
df = (stop - start) / steps
f = start
for _ in range(steps):
delay(dt)
f += df
dds.set(f * MHz) |
# Version is set for releases by our build system.
# Be extremely careful when modifying.
version = 'SNAPSHOT'
"""DC/OS version"""
| version = 'SNAPSHOT'
'DC/OS version' |
# Copyright (c) 2018-Present Advanced Micro Devices, Inc. See LICENSE.TXT for terms.
#!/usr/bin/evn python3
# tvals = [8, 16, 32, 64, 128, 256]
# nw_args = {f'-s {s} -t {t}':[] for s in [16384, 32768] for t in tvals}
# lud_args = {f'-s {s} -t {t}':[] for s in [16384, 8192] for t in tvals}
gEnvVars = {
'ATMI_DEVICE_GPU_WORKERS' :{'full' : [1, 4, 8, 16, 24, 32],
'default': [1],
},
'ATMI_DEPENDENCY_SYNC_TYPE':{'full' : [ 'ATMI_SYNC_CALLBACK',
'ATMI_SYNC_BARRIER_PKT'],
'default' : ['ATMI_SYNC_CALLBACK'],
},
'ATMI_MAX_HSA_SIGNALS' :{'full': [ 32, 64, 128, 256, 512, 1024, 2048, 4096 ],
'default': [1024],
}
}
benchmarks = {
'NW' : {
'wd': 'nw',
'exe' : {'nw_atmi_task':{'tag':['ATMI', 'task'],
'wd' : ''},
'nw_hip_task':{'tag':['HIP', 'task'],
'wd' : ''},
'nw_atmi_bsp_cg':{'tag':['ATMI', 'bsp'],
'wd' : ''},
'nw_hip_bsp':{'tag':['HIP', 'BSP'],
'wd' : ''},
},
'arg' : { '-s 16384 -t 32': {'tag':['large']},
'-s 1024 -t 32' : {'tag':['small', 'default']},
'-s 8192 -t 32' : {'tag':['medium']},
},
'project' : 'TaskingBenchmarks',
},
'LUD' : {
'wd': 'lud',
'exe' : {'lud_atmi_task' :{'tag': ['ATMI', 'task'] ,
'wd' : ''},
'lud_atmi_bsp_cg' :{'tag': ['ATMI', 'bsp'] ,
'wd' : ''},
'lud_hip_agg_task' :{'tag': ['HIP', 'task'],
'wd' : ''},
'lud_hip_bsp' :{'tag': ['HIP', 'bsp'],
'wd' : ''},
},
'arg' : { '-s 1024 -t 32' : {'tag':['small']},
'-s 8192 -t 128': {'tag':['medium', 'default']},
'-s 16384 -t 512': {'tag':['large']},
},
'project' : 'TaskingBenchmarks',
},
'HIP_CHOL': {
'wd': 'cholesky',
'exe': {'bspCholeskyGPU' :{'tag': ['HIP', 'bsp'],
'wd' : 'hipCholesky'},
'taskCholeskyGPU':{'tag': ['HIP', 'task'],
'wd' : 'hipCholesky'},
'choleskyCPU':{'tag': ['CPU'],
'wd' : 'hipCholesky'},
},
'arg': {'-s 4096 -a CholOpt::RIGHT': {'tag':['medium', 'default']},
},
'project' : 'TaskingBenchmarks',
},
'LINEAR_DAG' : {
'wd': 'microbenchmarks',
'exe' : { 'atmi-linearDAG': {'tag':['ATMI'],
'wd' : 'ATMI/linear-dag'},
'hc-linearDAG':{'tag': ['HSA', 'HC'],
'wd': 'HSA/linear-dag/host-callback'},
'bp-linearDAG':{'tag': ['HSA', 'BP'],
'wd': 'HSA/linear-dag/barrier-pkt'},
},
'arg' : { '100 0' :{'tag':['no-work']},
'500 0' :{'tag':['no-work']},
'1000 0':{'tag':['default', 'no-work']},
'2000 0':{'tag':['no-work']},
'3000 0':{'tag':['no-work']},
'4000 0':{'tag':['no-work']},
'5000 0':{'tag':['no-work']} },
'project' : 'TaskingBenchmarks',
},
'MULTI_CHILD_DAG' : {
'wd': 'microbenchmarks',
'exe' : { 'atmi-multi-child': {'tag':['ATMI'],
'wd' : 'ATMI/multi-child'},
'single-bp':{'tag': ['HSA', 'BP', 'Single'],
'wd': 'HSA/multi-child/barrier-pkt'},
'multi-bp':{'tag': ['HSA', 'BP', 'Multi'],
'wd': 'HSA/multi-child/barrier-pkt'},
},
'arg' : { '100 0' :{'tag':['no-work']},
'500 0' :{'tag':['no-work']},
'1000 0':{'tag':['default', 'no-work']},
'2000 0':{'tag':['no-work']},
'3000 0':{'tag':['no-work']},
'4000 0':{'tag':['no-work']},
'5000 0':{'tag':['no-work']} },
'project' : 'TaskingBenchmarks',
},
}
| g_env_vars = {'ATMI_DEVICE_GPU_WORKERS': {'full': [1, 4, 8, 16, 24, 32], 'default': [1]}, 'ATMI_DEPENDENCY_SYNC_TYPE': {'full': ['ATMI_SYNC_CALLBACK', 'ATMI_SYNC_BARRIER_PKT'], 'default': ['ATMI_SYNC_CALLBACK']}, 'ATMI_MAX_HSA_SIGNALS': {'full': [32, 64, 128, 256, 512, 1024, 2048, 4096], 'default': [1024]}}
benchmarks = {'NW': {'wd': 'nw', 'exe': {'nw_atmi_task': {'tag': ['ATMI', 'task'], 'wd': ''}, 'nw_hip_task': {'tag': ['HIP', 'task'], 'wd': ''}, 'nw_atmi_bsp_cg': {'tag': ['ATMI', 'bsp'], 'wd': ''}, 'nw_hip_bsp': {'tag': ['HIP', 'BSP'], 'wd': ''}}, 'arg': {'-s 16384 -t 32': {'tag': ['large']}, '-s 1024 -t 32': {'tag': ['small', 'default']}, '-s 8192 -t 32': {'tag': ['medium']}}, 'project': 'TaskingBenchmarks'}, 'LUD': {'wd': 'lud', 'exe': {'lud_atmi_task': {'tag': ['ATMI', 'task'], 'wd': ''}, 'lud_atmi_bsp_cg': {'tag': ['ATMI', 'bsp'], 'wd': ''}, 'lud_hip_agg_task': {'tag': ['HIP', 'task'], 'wd': ''}, 'lud_hip_bsp': {'tag': ['HIP', 'bsp'], 'wd': ''}}, 'arg': {'-s 1024 -t 32': {'tag': ['small']}, '-s 8192 -t 128': {'tag': ['medium', 'default']}, '-s 16384 -t 512': {'tag': ['large']}}, 'project': 'TaskingBenchmarks'}, 'HIP_CHOL': {'wd': 'cholesky', 'exe': {'bspCholeskyGPU': {'tag': ['HIP', 'bsp'], 'wd': 'hipCholesky'}, 'taskCholeskyGPU': {'tag': ['HIP', 'task'], 'wd': 'hipCholesky'}, 'choleskyCPU': {'tag': ['CPU'], 'wd': 'hipCholesky'}}, 'arg': {'-s 4096 -a CholOpt::RIGHT': {'tag': ['medium', 'default']}}, 'project': 'TaskingBenchmarks'}, 'LINEAR_DAG': {'wd': 'microbenchmarks', 'exe': {'atmi-linearDAG': {'tag': ['ATMI'], 'wd': 'ATMI/linear-dag'}, 'hc-linearDAG': {'tag': ['HSA', 'HC'], 'wd': 'HSA/linear-dag/host-callback'}, 'bp-linearDAG': {'tag': ['HSA', 'BP'], 'wd': 'HSA/linear-dag/barrier-pkt'}}, 'arg': {'100 0': {'tag': ['no-work']}, '500 0': {'tag': ['no-work']}, '1000 0': {'tag': ['default', 'no-work']}, '2000 0': {'tag': ['no-work']}, '3000 0': {'tag': ['no-work']}, '4000 0': {'tag': ['no-work']}, '5000 0': {'tag': ['no-work']}}, 'project': 'TaskingBenchmarks'}, 'MULTI_CHILD_DAG': {'wd': 'microbenchmarks', 'exe': {'atmi-multi-child': {'tag': ['ATMI'], 'wd': 'ATMI/multi-child'}, 'single-bp': {'tag': ['HSA', 'BP', 'Single'], 'wd': 'HSA/multi-child/barrier-pkt'}, 'multi-bp': {'tag': ['HSA', 'BP', 'Multi'], 'wd': 'HSA/multi-child/barrier-pkt'}}, 'arg': {'100 0': {'tag': ['no-work']}, '500 0': {'tag': ['no-work']}, '1000 0': {'tag': ['default', 'no-work']}, '2000 0': {'tag': ['no-work']}, '3000 0': {'tag': ['no-work']}, '4000 0': {'tag': ['no-work']}, '5000 0': {'tag': ['no-work']}}, 'project': 'TaskingBenchmarks'}} |
#!/usr/bin/env python3
def fibonacci(n):
fib = [1, 1]
if n <= 2:
return fib
for num in range(2, n):
x = fib[num-1] + fib[num-2]
fib.append(x)
return fib
if __name__ == "__main__":
print(fibonacci(10))
| def fibonacci(n):
fib = [1, 1]
if n <= 2:
return fib
for num in range(2, n):
x = fib[num - 1] + fib[num - 2]
fib.append(x)
return fib
if __name__ == '__main__':
print(fibonacci(10)) |
number = float(input())
intervalos = ["[0,25]", "(25,50]", "(50,75]", "(75,100]"]
if(number < 0 or number > 100):
print("Fora de intervalo")
else:
if(number <= 25):
print("Intervalo", intervalos[0])
else:
if(number <= 50):
print("Intervalo", intervalos[1])
else:
if(number <= 75):
print("Intervalo", intervalos[2])
else:
if(number <= 100):
print("Intervalo", intervalos[3])
| number = float(input())
intervalos = ['[0,25]', '(25,50]', '(50,75]', '(75,100]']
if number < 0 or number > 100:
print('Fora de intervalo')
elif number <= 25:
print('Intervalo', intervalos[0])
elif number <= 50:
print('Intervalo', intervalos[1])
elif number <= 75:
print('Intervalo', intervalos[2])
elif number <= 100:
print('Intervalo', intervalos[3]) |
input = """
a v b.
:- b.
a v x v y :- x.
x v y :- y.
:- not x, not y.
"""
output = """
"""
| input = '\na v b.\n:- b.\n\na v x v y :- x.\nx v y :- y.\n\n:- not x, not y.\n'
output = '\n' |
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
"""
@author: b.lin@mfm.tu-darmstadt.de
"""
def WriteMesh(num_f,name):
inp=open("SaveSurfaceMesh.geo",'w+')
val = str("SaveSurfaceMesh")
for i in range(int(num_f)):
inp.write(" Merge \"%s_%i.stl\"; \n" %(val,i+1))
for i in range(int(num_f)):
inp.write("Surface Loop" + "("+ str(i+1) + ")" + "={" + str(i+1) +"};\n" )
inp.write("Volume" + "("+ str(i+1) + ")" + "={" + str(i+1) +"};\n")
inp.write("Physical Volume" + "("+ str(i+1) + ")" + "={" + str(i+1) +"};\n")
inp.write("Mesh 3;\n")
inp.write("Coherence Mesh;\n")
inp.write("Mesh.Format = 1;\n")
inp.write("Save \"%s.msh\";" %name)
inp.close()
| """
@author: b.lin@mfm.tu-darmstadt.de
"""
def write_mesh(num_f, name):
inp = open('SaveSurfaceMesh.geo', 'w+')
val = str('SaveSurfaceMesh')
for i in range(int(num_f)):
inp.write(' Merge "%s_%i.stl"; \n' % (val, i + 1))
for i in range(int(num_f)):
inp.write('Surface Loop' + '(' + str(i + 1) + ')' + '={' + str(i + 1) + '};\n')
inp.write('Volume' + '(' + str(i + 1) + ')' + '={' + str(i + 1) + '};\n')
inp.write('Physical Volume' + '(' + str(i + 1) + ')' + '={' + str(i + 1) + '};\n')
inp.write('Mesh 3;\n')
inp.write('Coherence Mesh;\n')
inp.write('Mesh.Format = 1;\n')
inp.write('Save "%s.msh";' % name)
inp.close() |
"""Solution to 1.6: String Compression."""
def compress(string):
"""Creates a compressed string using repeat characters.
Args:
string_one: any string to be compressed.
Returns:
A compressed version of the input based on repeat occurences
Raises:
ValueError: string input is empty.
"""
if string:
current = ''
count = 0
temp = list()
for character in string:
if count == 0:
current = character
count += 1
elif character == current:
count += 1
elif character != current:
temp.append(current + str(count))
current = character
count = 1
temp.append(current + str(count))
return ''.join(temp)
raise ValueError('empty string input given') | """Solution to 1.6: String Compression."""
def compress(string):
"""Creates a compressed string using repeat characters.
Args:
string_one: any string to be compressed.
Returns:
A compressed version of the input based on repeat occurences
Raises:
ValueError: string input is empty.
"""
if string:
current = ''
count = 0
temp = list()
for character in string:
if count == 0:
current = character
count += 1
elif character == current:
count += 1
elif character != current:
temp.append(current + str(count))
current = character
count = 1
temp.append(current + str(count))
return ''.join(temp)
raise value_error('empty string input given') |
{
"targets": [
{
"target_name": "iow_sht7x",
"cflags!": [ "-fno-exceptions" ],
"cflags_cc!": [ "-fno-exceptions" ],
"sources": [ "./src/iow_sht7x.cpp", "./src/sht7x.cpp" ],
"include_dirs": [
"<!@(node -p \"require('node-addon-api').include\")",
"./src/",
"/usr/include"
],
'defines': [ 'NAPI_DISABLE_CPP_EXCEPTIONS' ],
'link_settings': {'libraries': ['-liowkit']}
}
]
}
| {'targets': [{'target_name': 'iow_sht7x', 'cflags!': ['-fno-exceptions'], 'cflags_cc!': ['-fno-exceptions'], 'sources': ['./src/iow_sht7x.cpp', './src/sht7x.cpp'], 'include_dirs': ['<!@(node -p "require(\'node-addon-api\').include")', './src/', '/usr/include'], 'defines': ['NAPI_DISABLE_CPP_EXCEPTIONS'], 'link_settings': {'libraries': ['-liowkit']}}]} |
# Default config_dict
default_config_dict = {"MAIN": {}, "GUI": {}, "PLOT": {}}
default_config_dict["MAIN"]["MACHINE_DIR"] = ""
default_config_dict["MAIN"]["MATLIB_DIR"] = ""
default_config_dict["GUI"]["UNIT_M"] = 1 # length unit: 0 for m, 1 for mm
default_config_dict["GUI"]["UNIT_M2"] = 1 # Surface unit: 0 for m^2, 1 for mm^2
# Name of the color set to use
default_config_dict["PLOT"]["COLOR_DICT_NAME"] = "pyleecan_color.json"
default_config_dict["PLOT"]["color_dict"] = {}
| default_config_dict = {'MAIN': {}, 'GUI': {}, 'PLOT': {}}
default_config_dict['MAIN']['MACHINE_DIR'] = ''
default_config_dict['MAIN']['MATLIB_DIR'] = ''
default_config_dict['GUI']['UNIT_M'] = 1
default_config_dict['GUI']['UNIT_M2'] = 1
default_config_dict['PLOT']['COLOR_DICT_NAME'] = 'pyleecan_color.json'
default_config_dict['PLOT']['color_dict'] = {} |
"""
File: hailstone.py
-----------------------
This program should implement a console program that simulates
the execution of the Hailstone sequence, as defined by Douglas
Hofstadter. Output format should match what is shown in the sample
run in the Assignment 2 Handout.
"""
def main():
"""
Calculate the number of steps to make n reach 1 and show a process of calculation.
"""
print('This program computes Hailstone sequences.')
print(' ')
n=int(input('Enter a number: '))
x=0
#x stands for the number of steps to make n reach 1.
if n==1:
print('It took 0 step to reach 1.')
else:
while True:
if n==1:
break
elif n%2==1:
#n is odd.
x+=1
n=int(3*n+1)
a=int((n-1)/3)
print(str(a) + ' is odd, so I make 3n+1: ' + str(n))
else:
#n is even.
x+=1
n=int(n/2)
b=2*n
print(str(b) + ' is even, so I take half: ' + str(n))
print('It took '+str(x)+' steps to reach 1.')
###### DO NOT EDIT CODE BELOW THIS LINE ######
if __name__ == "__main__":
main()
| """
File: hailstone.py
-----------------------
This program should implement a console program that simulates
the execution of the Hailstone sequence, as defined by Douglas
Hofstadter. Output format should match what is shown in the sample
run in the Assignment 2 Handout.
"""
def main():
"""
Calculate the number of steps to make n reach 1 and show a process of calculation.
"""
print('This program computes Hailstone sequences.')
print(' ')
n = int(input('Enter a number: '))
x = 0
if n == 1:
print('It took 0 step to reach 1.')
else:
while True:
if n == 1:
break
elif n % 2 == 1:
x += 1
n = int(3 * n + 1)
a = int((n - 1) / 3)
print(str(a) + ' is odd, so I make 3n+1: ' + str(n))
else:
x += 1
n = int(n / 2)
b = 2 * n
print(str(b) + ' is even, so I take half: ' + str(n))
print('It took ' + str(x) + ' steps to reach 1.')
if __name__ == '__main__':
main() |
# 1. --------------------------------------
# 1. 1.1 * radiance = 1.1
# 2. 1.1 - 0.5 = 0.6
# 3. min(randiance, 0.6) = 0.6
# 4. 2.0 + 0.6 = 2.6
# 5. max(2.1, 2.6) = 2.6
# 2. --------------------------------------
radiance = 1.0
radiance = max(2.1, 2.0 + min(radiance, 1.1 * radiance - 0.5))
print(radiance) | radiance = 1.0
radiance = max(2.1, 2.0 + min(radiance, 1.1 * radiance - 0.5))
print(radiance) |
class Solution:
def bubble_sort(self, arr):
bub_flag = 1 # bubbling will occur until finished i.e. until flag not set
while bub_flag == 1:
bub_flag = 0 # reset flag on each pass
for i in range(0, len(arr)-1): # iterate over all elements
j = i+1
if arr[j] < arr[i]: # IF not in ascending order
arr[i], arr[j] = arr[j], arr[i] # swap pair
bub_flag = 1 # set bubble flag
return arr
obj = Solution()
x = [2,1,6,8,4,5,9]
print("Unsorted Array {}" .format(x))
obj.bubble_sort(x)
print("Sorted Array {}" .format(obj.bubble_sort(x)))
| class Solution:
def bubble_sort(self, arr):
bub_flag = 1
while bub_flag == 1:
bub_flag = 0
for i in range(0, len(arr) - 1):
j = i + 1
if arr[j] < arr[i]:
(arr[i], arr[j]) = (arr[j], arr[i])
bub_flag = 1
return arr
obj = solution()
x = [2, 1, 6, 8, 4, 5, 9]
print('Unsorted Array {}'.format(x))
obj.bubble_sort(x)
print('Sorted Array {}'.format(obj.bubble_sort(x))) |
class Singleton( type ) :
_instances = {}
def __call__( aClass , * aArgs , **kwargs ) :
if aClass not in aClass._instances:
aClass._instances[aClass] = super(Singleton , aClass).__call__(*aArgs , **kwargs)
return aClass._instances[aClass] | class Singleton(type):
_instances = {}
def __call__(aClass, *aArgs, **kwargs):
if aClass not in aClass._instances:
aClass._instances[aClass] = super(Singleton, aClass).__call__(*aArgs, **kwargs)
return aClass._instances[aClass] |
# Krishan Patel
# Bank Account Class
"""Chaper 14: Objects
From Hello World! Computer Programming for Kids and Beginners
Copyright Warren and Carter Sande, 2009-2013
"""
# Chapter 14 - Try it out
class BankAccount:
"""Creates a bank account"""
def __init__(self, name, account_number):
self.name = name
self.account_number = account_number
self.balance = 0.0
def __str__(self):
return self.name + "\nAccount Number: %s \nBalance: %s" % \
(self.account_number, round(self.balance, 2))
def display_balance(self):
"""Displays the balance of the bank account"""
print("Balance:", self.balance)
def deposit(self, money_deposit):
"""Makes a deposit into bank account (adds more money to balance)"""
self.balance += money_deposit
def withdraw(self, money_withdraw):
"""Withdraws money from bank account (reduces balance)"""
self.balance -= money_withdraw
class InterestAccount(BankAccount):
"""Type of bank account that earns interest"""
def add_interest(self, rate):
"""Adds interest to bank account"""
interest = self.balance*rate
self.deposit(interest)
# Testing out BankAccount class
print("----------Testing BankAccount----------")
bankAccount = BankAccount("Krishan Patel", 123456)
print(bankAccount)
print()
bankAccount.display_balance()
print()
bankAccount.deposit(34.52)
print(bankAccount)
print()
bankAccount.withdraw(12.25)
print(bankAccount)
print()
bankAccount.withdraw(30.18)
print(bankAccount)
print()
# Testing out InterestAccount class
print("----------Testing InterestAccount----------")
interestAccount = InterestAccount("Krishan Patel", 234567)
print(interestAccount)
print()
interestAccount.display_balance()
print()
interestAccount.deposit(34.52)
print(interestAccount)
print()
interestAccount.add_interest(0.11)
print(interestAccount)
| """Chaper 14: Objects
From Hello World! Computer Programming for Kids and Beginners
Copyright Warren and Carter Sande, 2009-2013
"""
class Bankaccount:
"""Creates a bank account"""
def __init__(self, name, account_number):
self.name = name
self.account_number = account_number
self.balance = 0.0
def __str__(self):
return self.name + '\nAccount Number: %s \nBalance: %s' % (self.account_number, round(self.balance, 2))
def display_balance(self):
"""Displays the balance of the bank account"""
print('Balance:', self.balance)
def deposit(self, money_deposit):
"""Makes a deposit into bank account (adds more money to balance)"""
self.balance += money_deposit
def withdraw(self, money_withdraw):
"""Withdraws money from bank account (reduces balance)"""
self.balance -= money_withdraw
class Interestaccount(BankAccount):
"""Type of bank account that earns interest"""
def add_interest(self, rate):
"""Adds interest to bank account"""
interest = self.balance * rate
self.deposit(interest)
print('----------Testing BankAccount----------')
bank_account = bank_account('Krishan Patel', 123456)
print(bankAccount)
print()
bankAccount.display_balance()
print()
bankAccount.deposit(34.52)
print(bankAccount)
print()
bankAccount.withdraw(12.25)
print(bankAccount)
print()
bankAccount.withdraw(30.18)
print(bankAccount)
print()
print('----------Testing InterestAccount----------')
interest_account = interest_account('Krishan Patel', 234567)
print(interestAccount)
print()
interestAccount.display_balance()
print()
interestAccount.deposit(34.52)
print(interestAccount)
print()
interestAccount.add_interest(0.11)
print(interestAccount) |
mark = float(input("Inserire voto: "))
if mark < .35:
print("F")
elif mark < .85:
print("D-")
elif mark < 1.15:
print("D")
elif mark < 1.50:
print("D+")
elif mark < 1.85:
print("C-")
elif mark < 2.15:
print("C")
elif mark < 2.50:
print("C+")
elif mark < 2.85:
print("B-")
elif mark < 3.15:
print("B")
elif mark < 3.50:
print("B+")
elif mark < 3.85:
print("A-")
elif mark < 4.15:
print("A")
else:
print("A+")
| mark = float(input('Inserire voto: '))
if mark < 0.35:
print('F')
elif mark < 0.85:
print('D-')
elif mark < 1.15:
print('D')
elif mark < 1.5:
print('D+')
elif mark < 1.85:
print('C-')
elif mark < 2.15:
print('C')
elif mark < 2.5:
print('C+')
elif mark < 2.85:
print('B-')
elif mark < 3.15:
print('B')
elif mark < 3.5:
print('B+')
elif mark < 3.85:
print('A-')
elif mark < 4.15:
print('A')
else:
print('A+') |
class Solution:
def reverseStr(self, s: str, k: int) -> str:
s = list(s)
head = 0
jump = 2*k
while head < len(s):
start, end = head, min(head + k-1, len(s)-1)
while start < end:
s[start], s[end] = s[end], s[start]
start += 1
end -= 1
head += jump
return ''.join(s)
| class Solution:
def reverse_str(self, s: str, k: int) -> str:
s = list(s)
head = 0
jump = 2 * k
while head < len(s):
(start, end) = (head, min(head + k - 1, len(s) - 1))
while start < end:
(s[start], s[end]) = (s[end], s[start])
start += 1
end -= 1
head += jump
return ''.join(s) |
class Solution:
def multiply(self, num1: str, num2: str) -> str:
n1 = len(num1)
n2 = len(num2)
if not n1 or not n2:
return ""
if n1 == 1 and num1[0] == '0':
return "0"
if n2 == 1 and num2[0] == '0':
return "0"
# arr_num1 = list(reversed(num1))
arr_num1 = list(map(lambda x: ord(x) - ord('0'), num1))
arr_num1 = list(reversed(arr_num1))
# arr_num2 = list(reversed(num2))
arr_num2 = list(map(lambda x: ord(x) - ord('0'), num2))
arr_num2 = list(reversed(arr_num2))
arr_res = [0] * (n1 + n2)
i = 0
j = 0
c = 0
res = ""
PRIME = 10
for j in range(n2):
for i in range(n1):
sum = arr_num1[i] * arr_num2[j] + arr_res[i + j]
c = sum // PRIME
arr_res[i + j] = sum % PRIME
if c != 0:
arr_res[i + j + 1] += c
res1 = map(lambda x: str(x), reversed(arr_res))
flag = 0
res_str = ""
for ch in res1:
if flag == 0:
if ch != "0":
flag = 1
res_str = ch
else:
res_str = res_str + ch
return res_str
sl = Solution()
num1 = "2"
num2 = "3"
res1 = sl.multiply(num1, num2)
print(res1)
num1 = "123"
num2 = "456"
res2 = sl.multiply(num1, num2)
print(res2) | class Solution:
def multiply(self, num1: str, num2: str) -> str:
n1 = len(num1)
n2 = len(num2)
if not n1 or not n2:
return ''
if n1 == 1 and num1[0] == '0':
return '0'
if n2 == 1 and num2[0] == '0':
return '0'
arr_num1 = list(map(lambda x: ord(x) - ord('0'), num1))
arr_num1 = list(reversed(arr_num1))
arr_num2 = list(map(lambda x: ord(x) - ord('0'), num2))
arr_num2 = list(reversed(arr_num2))
arr_res = [0] * (n1 + n2)
i = 0
j = 0
c = 0
res = ''
prime = 10
for j in range(n2):
for i in range(n1):
sum = arr_num1[i] * arr_num2[j] + arr_res[i + j]
c = sum // PRIME
arr_res[i + j] = sum % PRIME
if c != 0:
arr_res[i + j + 1] += c
res1 = map(lambda x: str(x), reversed(arr_res))
flag = 0
res_str = ''
for ch in res1:
if flag == 0:
if ch != '0':
flag = 1
res_str = ch
else:
res_str = res_str + ch
return res_str
sl = solution()
num1 = '2'
num2 = '3'
res1 = sl.multiply(num1, num2)
print(res1)
num1 = '123'
num2 = '456'
res2 = sl.multiply(num1, num2)
print(res2) |
c=1
menor = 9999
while True:
numero =int(input())
#condicion para obtener el menor
if numero < menor and numero != 0:
menor = numero
#condicion para detener el bucle
if numero ==0:
break
c=c+1
print("Menor:",menor) | c = 1
menor = 9999
while True:
numero = int(input())
if numero < menor and numero != 0:
menor = numero
if numero == 0:
break
c = c + 1
print('Menor:', menor) |
#!/usr/bin/python3
"""
Say my name module
"""
def say_my_name(first_name, last_name=""):
""" Prints name """
if not isinstance(first_name, str):
raise TypeError("first_name must be a string")
if not isinstance(last_name, str):
raise TypeError("last_name must be a string")
try:
print("My name is {:s} {:s}".format(first_name, last_name))
except Exception as e:
print(e)
| """
Say my name module
"""
def say_my_name(first_name, last_name=''):
""" Prints name """
if not isinstance(first_name, str):
raise type_error('first_name must be a string')
if not isinstance(last_name, str):
raise type_error('last_name must be a string')
try:
print('My name is {:s} {:s}'.format(first_name, last_name))
except Exception as e:
print(e) |
class Solution:
def rob(self, nums: List[int]) -> int:
if not nums:
raise Exception("Empty Array")
if len(nums) == 1:
return nums[0]
if len(nums) == 2:
return max(nums[0], nums[1])
# loop arr[0:N - 1]
dp_0 = [0] * len(nums)
dp_0[0] = nums[0]
dp_0[1] = max(nums[0], nums[1])
for i in range(2, len(nums) - 1):
dp_0[i] = max(dp_0[i - 1], dp_0[i - 2] + nums[i])
# loop arr[1:N]
dp_1 = [0] * len(nums)
dp_1[1] = nums[1]
dp_1[2] = max(nums[1], nums[2])
for i in range(3, len(nums)):
dp_1[i] = max(dp_1[i - 1], dp_1[i - 2] + nums[i])
return max(max(dp_0), max(dp_1))
| class Solution:
def rob(self, nums: List[int]) -> int:
if not nums:
raise exception('Empty Array')
if len(nums) == 1:
return nums[0]
if len(nums) == 2:
return max(nums[0], nums[1])
dp_0 = [0] * len(nums)
dp_0[0] = nums[0]
dp_0[1] = max(nums[0], nums[1])
for i in range(2, len(nums) - 1):
dp_0[i] = max(dp_0[i - 1], dp_0[i - 2] + nums[i])
dp_1 = [0] * len(nums)
dp_1[1] = nums[1]
dp_1[2] = max(nums[1], nums[2])
for i in range(3, len(nums)):
dp_1[i] = max(dp_1[i - 1], dp_1[i - 2] + nums[i])
return max(max(dp_0), max(dp_1)) |
# Definition for singly-linked list.
# class ListNode:
# def __init__(self, x):
# self.val = x
# self.next = None
class FreeObject(object):
pass
class Solution:
# @param {ListNode} l1
# @param {ListNode} l2
# @return {ListNode}
def addTwoNumbers(self, l1, l2):
bk = l3 = FreeObject()
rest = 0
while l1 or l2 or rest:
su = (l1.val if l1 else 0) + (l2.val if l2 else 0) + rest
l3.next = ListNode(su % 10)
rest = (0, 1)[su >= 10]
l3 = l3.next
l1 = l1.next if l1 else None
l2 = l2.next if l2 else None
return bk.next
| class Freeobject(object):
pass
class Solution:
def add_two_numbers(self, l1, l2):
bk = l3 = free_object()
rest = 0
while l1 or l2 or rest:
su = (l1.val if l1 else 0) + (l2.val if l2 else 0) + rest
l3.next = list_node(su % 10)
rest = (0, 1)[su >= 10]
l3 = l3.next
l1 = l1.next if l1 else None
l2 = l2.next if l2 else None
return bk.next |
# from adventofcode._2020.day11.challenge import main
def test_input():
pass
| def test_input():
pass |
def largest_prime_factor(number):
factor = 2
while number != 1:
if number % factor == 0:
number /= factor
else:
factor += 1
return factor
| def largest_prime_factor(number):
factor = 2
while number != 1:
if number % factor == 0:
number /= factor
else:
factor += 1
return factor |
class TempAndHumidityData:
""" Captures temperature and humidity data """
def __init__(self, temperature, humidity):
self.temperature = temperature
self.humidity = humidity
def __str__(self):
return 'temperature={}, humidity={}'.format(self.temperature, self.humidity)
| class Tempandhumiditydata:
""" Captures temperature and humidity data """
def __init__(self, temperature, humidity):
self.temperature = temperature
self.humidity = humidity
def __str__(self):
return 'temperature={}, humidity={}'.format(self.temperature, self.humidity) |
class Solution:
def coinChange(self, coins, amount):
if amount == 0:
return 0
dp = [2 << 63] * (amount + 1)
for coin in coins:
if coin <= amount:
dp[coin] = 1
for i in range(1, amount + 1):
for j in range(len(coins)):
if i >= coins[j] and dp[i - coins[j]] != 2 << 63:
dp[i] = min(dp[i], dp[i - coins[j]] + 1)
if dp[amount] != 2 << 63:
return dp[amount]
return -1
| class Solution:
def coin_change(self, coins, amount):
if amount == 0:
return 0
dp = [2 << 63] * (amount + 1)
for coin in coins:
if coin <= amount:
dp[coin] = 1
for i in range(1, amount + 1):
for j in range(len(coins)):
if i >= coins[j] and dp[i - coins[j]] != 2 << 63:
dp[i] = min(dp[i], dp[i - coins[j]] + 1)
if dp[amount] != 2 << 63:
return dp[amount]
return -1 |
val = input()
matsubi = val[-1:]
if matsubi == "s":
val2 = val + "es"
else:
val2 = val + "s"
print(val2)
| val = input()
matsubi = val[-1:]
if matsubi == 's':
val2 = val + 'es'
else:
val2 = val + 's'
print(val2) |
"""
Write a Python program to get a string made of the first 2 and the last 2 chars from a given a string. If the string length is less than 2, return instead of the empty string.
Sample String : 'General12'
Expected Result : 'Ge12'
Sample String : 'Ka'
Expected Result : 'KaKa'
Sample String : 'K'
Expected Result : Empty String
"""
str = input("Enter a string: ")
if len(str) >= 2:
expected_str = str[0:3] + str[-3:]
else:
expected_str = "Empty String"
print(expected_str) | """
Write a Python program to get a string made of the first 2 and the last 2 chars from a given a string. If the string length is less than 2, return instead of the empty string.
Sample String : 'General12'
Expected Result : 'Ge12'
Sample String : 'Ka'
Expected Result : 'KaKa'
Sample String : 'K'
Expected Result : Empty String
"""
str = input('Enter a string: ')
if len(str) >= 2:
expected_str = str[0:3] + str[-3:]
else:
expected_str = 'Empty String'
print(expected_str) |
begin_unit
comment|'# Copyright 2010 United States Government as represented by the'
nl|'\n'
comment|'# Administrator of the National Aeronautics and Space Administration.'
nl|'\n'
comment|'# All Rights Reserved.'
nl|'\n'
comment|'#'
nl|'\n'
comment|'# Licensed under the Apache License, Version 2.0 (the "License"); you may'
nl|'\n'
comment|'# not use this file except in compliance with the License. You may obtain'
nl|'\n'
comment|'# a copy of the License at'
nl|'\n'
comment|'#'
nl|'\n'
comment|'# http://www.apache.org/licenses/LICENSE-2.0'
nl|'\n'
comment|'#'
nl|'\n'
comment|'# Unless required by applicable law or agreed to in writing, software'
nl|'\n'
comment|'# distributed under the License is distributed on an "AS IS" BASIS, WITHOUT'
nl|'\n'
comment|'# WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the'
nl|'\n'
comment|'# License for the specific language governing permissions and limitations'
nl|'\n'
comment|'# under the License.'
nl|'\n'
nl|'\n'
name|'from'
name|'oslo_log'
name|'import'
name|'log'
name|'as'
name|'logging'
newline|'\n'
name|'from'
name|'oslo_utils'
name|'import'
name|'importutils'
newline|'\n'
nl|'\n'
name|'import'
name|'nova'
op|'.'
name|'conf'
newline|'\n'
name|'from'
name|'nova'
op|'.'
name|'i18n'
name|'import'
name|'_LW'
newline|'\n'
nl|'\n'
DECL|variable|LOG
name|'LOG'
op|'='
name|'logging'
op|'.'
name|'getLogger'
op|'('
name|'__name__'
op|')'
newline|'\n'
nl|'\n'
DECL|variable|NOVA_NET_API
name|'NOVA_NET_API'
op|'='
string|"'nova.network.api.API'"
newline|'\n'
DECL|variable|NEUTRON_NET_API
name|'NEUTRON_NET_API'
op|'='
string|"'nova.network.neutronv2.api.API'"
newline|'\n'
nl|'\n'
nl|'\n'
DECL|variable|CONF
name|'CONF'
op|'='
name|'nova'
op|'.'
name|'conf'
op|'.'
name|'CONF'
newline|'\n'
nl|'\n'
nl|'\n'
DECL|function|is_neutron
name|'def'
name|'is_neutron'
op|'('
op|')'
op|':'
newline|'\n'
indent|' '
string|'"""Does this configuration mean we\'re neutron.\n\n This logic exists as a separate config option\n """'
newline|'\n'
name|'legacy_class'
op|'='
name|'CONF'
op|'.'
name|'network_api_class'
newline|'\n'
name|'use_neutron'
op|'='
name|'CONF'
op|'.'
name|'use_neutron'
newline|'\n'
nl|'\n'
name|'if'
name|'legacy_class'
name|'not'
name|'in'
op|'('
name|'NEUTRON_NET_API'
op|','
name|'NOVA_NET_API'
op|')'
op|':'
newline|'\n'
comment|'# Someone actually used this option, this gets a pass for now,'
nl|'\n'
comment|'# but will just go away once deleted.'
nl|'\n'
indent|' '
name|'return'
name|'None'
newline|'\n'
dedent|''
name|'elif'
name|'legacy_class'
op|'=='
name|'NEUTRON_NET_API'
name|'and'
name|'not'
name|'use_neutron'
op|':'
newline|'\n'
comment|'# If they specified neutron via class, we should respect that'
nl|'\n'
indent|' '
name|'LOG'
op|'.'
name|'warn'
op|'('
name|'_LW'
op|'('
string|'"Config mismatch. The network_api_class specifies %s, "'
nl|'\n'
string|'"however use_neutron is not set to True. Using Neutron "'
nl|'\n'
string|'"networking for now, however please set use_neutron to "'
nl|'\n'
string|'"True in your configuration as network_api_class is "'
nl|'\n'
string|'"deprecated and will be removed."'
op|')'
op|','
name|'legacy_class'
op|')'
newline|'\n'
name|'return'
name|'True'
newline|'\n'
dedent|''
name|'elif'
name|'use_neutron'
op|':'
newline|'\n'
indent|' '
name|'return'
name|'True'
newline|'\n'
dedent|''
name|'else'
op|':'
newline|'\n'
indent|' '
name|'return'
name|'False'
newline|'\n'
nl|'\n'
nl|'\n'
DECL|function|API
dedent|''
dedent|''
name|'def'
name|'API'
op|'('
name|'skip_policy_check'
op|'='
name|'False'
op|')'
op|':'
newline|'\n'
indent|' '
name|'if'
name|'is_neutron'
op|'('
op|')'
name|'is'
name|'None'
op|':'
newline|'\n'
indent|' '
name|'network_api_class'
op|'='
name|'CONF'
op|'.'
name|'network_api_class'
newline|'\n'
dedent|''
name|'elif'
name|'is_neutron'
op|'('
op|')'
op|':'
newline|'\n'
indent|' '
name|'network_api_class'
op|'='
name|'NEUTRON_NET_API'
newline|'\n'
dedent|''
name|'else'
op|':'
newline|'\n'
indent|' '
name|'network_api_class'
op|'='
name|'NOVA_NET_API'
newline|'\n'
nl|'\n'
dedent|''
name|'cls'
op|'='
name|'importutils'
op|'.'
name|'import_class'
op|'('
name|'network_api_class'
op|')'
newline|'\n'
name|'return'
name|'cls'
op|'('
name|'skip_policy_check'
op|'='
name|'skip_policy_check'
op|')'
newline|'\n'
dedent|''
endmarker|''
end_unit
| begin_unit
comment | '# Copyright 2010 United States Government as represented by the'
nl | '\n'
comment | '# Administrator of the National Aeronautics and Space Administration.'
nl | '\n'
comment | '# All Rights Reserved.'
nl | '\n'
comment | '#'
nl | '\n'
comment | '# Licensed under the Apache License, Version 2.0 (the "License"); you may'
nl | '\n'
comment | '# not use this file except in compliance with the License. You may obtain'
nl | '\n'
comment | '# a copy of the License at'
nl | '\n'
comment | '#'
nl | '\n'
comment | '# http://www.apache.org/licenses/LICENSE-2.0'
nl | '\n'
comment | '#'
nl | '\n'
comment | '# Unless required by applicable law or agreed to in writing, software'
nl | '\n'
comment | '# distributed under the License is distributed on an "AS IS" BASIS, WITHOUT'
nl | '\n'
comment | '# WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the'
nl | '\n'
comment | '# License for the specific language governing permissions and limitations'
nl | '\n'
comment | '# under the License.'
nl | '\n'
nl | '\n'
name | 'from'
name | 'oslo_log'
name | 'import'
name | 'log'
name | 'as'
name | 'logging'
newline | '\n'
name | 'from'
name | 'oslo_utils'
name | 'import'
name | 'importutils'
newline | '\n'
nl | '\n'
name | 'import'
name | 'nova'
op | '.'
name | 'conf'
newline | '\n'
name | 'from'
name | 'nova'
op | '.'
name | 'i18n'
name | 'import'
name | '_LW'
newline | '\n'
nl | '\n'
DECL | variable | LOG
name | 'LOG'
op | '='
name | 'logging'
op | '.'
name | 'getLogger'
op | '('
name | '__name__'
op | ')'
newline | '\n'
nl | '\n'
DECL | variable | NOVA_NET_API
name | 'NOVA_NET_API'
op | '='
string | "'nova.network.api.API'"
newline | '\n'
DECL | variable | NEUTRON_NET_API
name | 'NEUTRON_NET_API'
op | '='
string | "'nova.network.neutronv2.api.API'"
newline | '\n'
nl | '\n'
nl | '\n'
DECL | variable | CONF
name | 'CONF'
op | '='
name | 'nova'
op | '.'
name | 'conf'
op | '.'
name | 'CONF'
newline | '\n'
nl | '\n'
nl | '\n'
DECL | function | is_neutron
name | 'def'
name | 'is_neutron'
op | '('
op | ')'
op | ':'
newline | '\n'
indent | ' '
string | '"""Does this configuration mean we\'re neutron.\n\n This logic exists as a separate config option\n """'
newline | '\n'
name | 'legacy_class'
op | '='
name | 'CONF'
op | '.'
name | 'network_api_class'
newline | '\n'
name | 'use_neutron'
op | '='
name | 'CONF'
op | '.'
name | 'use_neutron'
newline | '\n'
nl | '\n'
name | 'if'
name | 'legacy_class'
name | 'not'
name | 'in'
op | '('
name | 'NEUTRON_NET_API'
op | ','
name | 'NOVA_NET_API'
op | ')'
op | ':'
newline | '\n'
comment | '# Someone actually used this option, this gets a pass for now,'
nl | '\n'
comment | '# but will just go away once deleted.'
nl | '\n'
indent | ' '
name | 'return'
name | 'None'
newline | '\n'
dedent | ''
name | 'elif'
name | 'legacy_class'
op | '=='
name | 'NEUTRON_NET_API'
name | 'and'
name | 'not'
name | 'use_neutron'
op | ':'
newline | '\n'
comment | '# If they specified neutron via class, we should respect that'
nl | '\n'
indent | ' '
name | 'LOG'
op | '.'
name | 'warn'
op | '('
name | '_LW'
op | '('
string | '"Config mismatch. The network_api_class specifies %s, "'
nl | '\n'
string | '"however use_neutron is not set to True. Using Neutron "'
nl | '\n'
string | '"networking for now, however please set use_neutron to "'
nl | '\n'
string | '"True in your configuration as network_api_class is "'
nl | '\n'
string | '"deprecated and will be removed."'
op | ')'
op | ','
name | 'legacy_class'
op | ')'
newline | '\n'
name | 'return'
name | 'True'
newline | '\n'
dedent | ''
name | 'elif'
name | 'use_neutron'
op | ':'
newline | '\n'
indent | ' '
name | 'return'
name | 'True'
newline | '\n'
dedent | ''
name | 'else'
op | ':'
newline | '\n'
indent | ' '
name | 'return'
name | 'False'
newline | '\n'
nl | '\n'
nl | '\n'
DECL | function | API
dedent | ''
dedent | ''
name | 'def'
name | 'API'
op | '('
name | 'skip_policy_check'
op | '='
name | 'False'
op | ')'
op | ':'
newline | '\n'
indent | ' '
name | 'if'
name | 'is_neutron'
op | '('
op | ')'
name | 'is'
name | 'None'
op | ':'
newline | '\n'
indent | ' '
name | 'network_api_class'
op | '='
name | 'CONF'
op | '.'
name | 'network_api_class'
newline | '\n'
dedent | ''
name | 'elif'
name | 'is_neutron'
op | '('
op | ')'
op | ':'
newline | '\n'
indent | ' '
name | 'network_api_class'
op | '='
name | 'NEUTRON_NET_API'
newline | '\n'
dedent | ''
name | 'else'
op | ':'
newline | '\n'
indent | ' '
name | 'network_api_class'
op | '='
name | 'NOVA_NET_API'
newline | '\n'
nl | '\n'
dedent | ''
name | 'cls'
op | '='
name | 'importutils'
op | '.'
name | 'import_class'
op | '('
name | 'network_api_class'
op | ')'
newline | '\n'
name | 'return'
name | 'cls'
op | '('
name | 'skip_policy_check'
op | '='
name | 'skip_policy_check'
op | ')'
newline | '\n'
dedent | ''
endmarker | ''
end_unit |
# -*- coding: utf-8 -*-
# @Time : 2020/8/26-19:48
# @Author : TuringEmmy
# @Email : yonglonggeng@163.com
# @WeChat : csy_lgy
# @File : height_weight.py
# @Project : Happy-Algorithm
def first():
times = int(input())
height = input().split()
weight = input().split()
heights = [int(i) for i in height]
weights = [int(i) for i in weight]
# data_dict = {}
# for i in range(times):
# data_dict[i] = [heights[i], weights[i]]
# sorted(data_dict[:][0])
# sorted(data_dict[:][1])
#
# print(data_dict)
# for key,value in data_dict.items():
# print(value)
data_list = [[i + 1, heights[i], weights[i]] for i in range(times)]
# print(data_list)
sor = lambda x: x[0]
sor(data_list)
print(data_list)
def second():
length = int(input())
nums = input()
nums = [int(i) for i in nums.split()]
while len(nums) > 1 and len(nums) == length:
max_num = max(nums)
min_num = min(nums)
nums.remove(max_num)
nums.remove(min_num)
temp = abs(max_num - min_num)
nums.append(temp)
if len(nums) == 1:
return nums[0]
else:
return 0
def threed():
pass
if __name__ == '__main__':
# first()
# second()
threed()
| def first():
times = int(input())
height = input().split()
weight = input().split()
heights = [int(i) for i in height]
weights = [int(i) for i in weight]
data_list = [[i + 1, heights[i], weights[i]] for i in range(times)]
sor = lambda x: x[0]
sor(data_list)
print(data_list)
def second():
length = int(input())
nums = input()
nums = [int(i) for i in nums.split()]
while len(nums) > 1 and len(nums) == length:
max_num = max(nums)
min_num = min(nums)
nums.remove(max_num)
nums.remove(min_num)
temp = abs(max_num - min_num)
nums.append(temp)
if len(nums) == 1:
return nums[0]
else:
return 0
def threed():
pass
if __name__ == '__main__':
threed() |
# Turtle topic name and type key constant
KEY_TOPIC_MSG_TYPE = 'msg_type'
KEY_TOPIC_NAME = 'name'
# Logging frequency in seconds
LOG_FREQUENCY = 10
# Publisher/Subscriber Queue size
QUEUE_SIZE = 10
# Set angle and distance thresholds
ANGULAR_DIST_THRESHOLD = 0.05
LINEAR_DIST_THRESHOLD = 0.05
| key_topic_msg_type = 'msg_type'
key_topic_name = 'name'
log_frequency = 10
queue_size = 10
angular_dist_threshold = 0.05
linear_dist_threshold = 0.05 |
config = {
"interfaces": {
"google.cloud.websecurityscanner.v1alpha.WebSecurityScanner": {
"retry_codes": {
"idempotent": ["DEADLINE_EXCEEDED", "UNAVAILABLE"],
"non_idempotent": [],
},
"retry_params": {
"default": {
"initial_retry_delay_millis": 100,
"retry_delay_multiplier": 1.3,
"max_retry_delay_millis": 60000,
"initial_rpc_timeout_millis": 20000,
"rpc_timeout_multiplier": 1.0,
"max_rpc_timeout_millis": 20000,
"total_timeout_millis": 600000,
}
},
"methods": {
"CreateScanConfig": {
"timeout_millis": 60000,
"retry_codes_name": "non_idempotent",
"retry_params_name": "default",
},
"DeleteScanConfig": {
"timeout_millis": 60000,
"retry_codes_name": "idempotent",
"retry_params_name": "default",
},
"GetScanConfig": {
"timeout_millis": 60000,
"retry_codes_name": "idempotent",
"retry_params_name": "default",
},
"ListScanConfigs": {
"timeout_millis": 60000,
"retry_codes_name": "idempotent",
"retry_params_name": "default",
},
"UpdateScanConfig": {
"timeout_millis": 60000,
"retry_codes_name": "non_idempotent",
"retry_params_name": "default",
},
"StartScanRun": {
"timeout_millis": 60000,
"retry_codes_name": "non_idempotent",
"retry_params_name": "default",
},
"GetScanRun": {
"timeout_millis": 60000,
"retry_codes_name": "idempotent",
"retry_params_name": "default",
},
"ListScanRuns": {
"timeout_millis": 60000,
"retry_codes_name": "idempotent",
"retry_params_name": "default",
},
"StopScanRun": {
"timeout_millis": 60000,
"retry_codes_name": "non_idempotent",
"retry_params_name": "default",
},
"ListCrawledUrls": {
"timeout_millis": 60000,
"retry_codes_name": "idempotent",
"retry_params_name": "default",
},
"GetFinding": {
"timeout_millis": 60000,
"retry_codes_name": "idempotent",
"retry_params_name": "default",
},
"ListFindings": {
"timeout_millis": 60000,
"retry_codes_name": "idempotent",
"retry_params_name": "default",
},
"ListFindingTypeStats": {
"timeout_millis": 60000,
"retry_codes_name": "idempotent",
"retry_params_name": "default",
},
},
}
}
}
| config = {'interfaces': {'google.cloud.websecurityscanner.v1alpha.WebSecurityScanner': {'retry_codes': {'idempotent': ['DEADLINE_EXCEEDED', 'UNAVAILABLE'], 'non_idempotent': []}, 'retry_params': {'default': {'initial_retry_delay_millis': 100, 'retry_delay_multiplier': 1.3, 'max_retry_delay_millis': 60000, 'initial_rpc_timeout_millis': 20000, 'rpc_timeout_multiplier': 1.0, 'max_rpc_timeout_millis': 20000, 'total_timeout_millis': 600000}}, 'methods': {'CreateScanConfig': {'timeout_millis': 60000, 'retry_codes_name': 'non_idempotent', 'retry_params_name': 'default'}, 'DeleteScanConfig': {'timeout_millis': 60000, 'retry_codes_name': 'idempotent', 'retry_params_name': 'default'}, 'GetScanConfig': {'timeout_millis': 60000, 'retry_codes_name': 'idempotent', 'retry_params_name': 'default'}, 'ListScanConfigs': {'timeout_millis': 60000, 'retry_codes_name': 'idempotent', 'retry_params_name': 'default'}, 'UpdateScanConfig': {'timeout_millis': 60000, 'retry_codes_name': 'non_idempotent', 'retry_params_name': 'default'}, 'StartScanRun': {'timeout_millis': 60000, 'retry_codes_name': 'non_idempotent', 'retry_params_name': 'default'}, 'GetScanRun': {'timeout_millis': 60000, 'retry_codes_name': 'idempotent', 'retry_params_name': 'default'}, 'ListScanRuns': {'timeout_millis': 60000, 'retry_codes_name': 'idempotent', 'retry_params_name': 'default'}, 'StopScanRun': {'timeout_millis': 60000, 'retry_codes_name': 'non_idempotent', 'retry_params_name': 'default'}, 'ListCrawledUrls': {'timeout_millis': 60000, 'retry_codes_name': 'idempotent', 'retry_params_name': 'default'}, 'GetFinding': {'timeout_millis': 60000, 'retry_codes_name': 'idempotent', 'retry_params_name': 'default'}, 'ListFindings': {'timeout_millis': 60000, 'retry_codes_name': 'idempotent', 'retry_params_name': 'default'}, 'ListFindingTypeStats': {'timeout_millis': 60000, 'retry_codes_name': 'idempotent', 'retry_params_name': 'default'}}}}} |
infile=open('baublesin.txt','r').readline()
ro,bo,s,rp,bp=map(int,infile.split())
answer=0
r=ro-rp
b=bo-bp
if s==0:
if r<0 or b<0:
answer=0
elif r>=b:
if bo==0 or bp==0:
answer+=r+1
else:
answer+=b+1
elif b>r:
if ro==0 or rp==0:
answer+=b+1
else:
answer+=r+1
elif bo==bp==0:
if s+ro<rp:
answer=0
elif s+ro==rp:
answer=1
else:
answer=(ro+s)-rp+1
elif ro==rp==0:
if s+bo<bp:
answer=0
elif s+bo==bp:
answer=1
else:
answer=(bo+s)-bp+1
else:
min1=min(r,b)
max1=max(r,b)
if min1<0:
if r<0:
s+=r
ro=rp
if b<0:
s+=b
bo=bp
answer=s+1
if r>=0 and b>=0:
if r>b:
answer=b+s+1
else:
answer=r+s+1
if answer<0:
answer=0
elif min1==0:
answer=s+1
else:
if rp==0:
answer=(bo+s)-bp+1
elif bp==0:
answer=(ro+s)-rp+1
else:
min1+=s+1
answer=min1
outfile=open('baublesout.txt','w')
outfile.write(str(answer))
outfile.close()
| infile = open('baublesin.txt', 'r').readline()
(ro, bo, s, rp, bp) = map(int, infile.split())
answer = 0
r = ro - rp
b = bo - bp
if s == 0:
if r < 0 or b < 0:
answer = 0
elif r >= b:
if bo == 0 or bp == 0:
answer += r + 1
else:
answer += b + 1
elif b > r:
if ro == 0 or rp == 0:
answer += b + 1
else:
answer += r + 1
elif bo == bp == 0:
if s + ro < rp:
answer = 0
elif s + ro == rp:
answer = 1
else:
answer = ro + s - rp + 1
elif ro == rp == 0:
if s + bo < bp:
answer = 0
elif s + bo == bp:
answer = 1
else:
answer = bo + s - bp + 1
else:
min1 = min(r, b)
max1 = max(r, b)
if min1 < 0:
if r < 0:
s += r
ro = rp
if b < 0:
s += b
bo = bp
answer = s + 1
if r >= 0 and b >= 0:
if r > b:
answer = b + s + 1
else:
answer = r + s + 1
if answer < 0:
answer = 0
elif min1 == 0:
answer = s + 1
elif rp == 0:
answer = bo + s - bp + 1
elif bp == 0:
answer = ro + s - rp + 1
else:
min1 += s + 1
answer = min1
outfile = open('baublesout.txt', 'w')
outfile.write(str(answer))
outfile.close() |
# Symbol of circle required to show Celsius degree on display.
circle = [
[0, 0, 0, 0, 1, 1, 0, 0],
[0, 0, 0, 1, 0, 0, 1, 0],
[0, 0, 0, 1, 0, 0, 1, 0],
[0, 0, 0, 0, 1, 1, 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],
] | circle = [[0, 0, 0, 0, 1, 1, 0, 0], [0, 0, 0, 1, 0, 0, 1, 0], [0, 0, 0, 1, 0, 0, 1, 0], [0, 0, 0, 0, 1, 1, 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]] |
#
# PySNMP MIB module SONUS-NODE-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/SONUS-NODE-MIB
# Produced by pysmi-0.3.4 at Wed May 1 15:09:55 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, ObjectIdentifier, Integer = mibBuilder.importSymbols("ASN1", "OctetString", "ObjectIdentifier", "Integer")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ConstraintsIntersection, ConstraintsUnion, SingleValueConstraint, ValueRangeConstraint, ValueSizeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsIntersection", "ConstraintsUnion", "SingleValueConstraint", "ValueRangeConstraint", "ValueSizeConstraint")
ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup")
NotificationType, Counter64, MibIdentifier, Bits, ObjectIdentity, Unsigned32, iso, Integer32, Gauge32, ModuleIdentity, IpAddress, Counter32, MibScalar, MibTable, MibTableRow, MibTableColumn, TimeTicks = mibBuilder.importSymbols("SNMPv2-SMI", "NotificationType", "Counter64", "MibIdentifier", "Bits", "ObjectIdentity", "Unsigned32", "iso", "Integer32", "Gauge32", "ModuleIdentity", "IpAddress", "Counter32", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "TimeTicks")
TextualConvention, DateAndTime, DisplayString, RowStatus = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DateAndTime", "DisplayString", "RowStatus")
sonusSlotIndex, sonusEventLevel, sonusEventDescription, sonusPortIndex, sonusShelfIndex, sonusEventClass = mibBuilder.importSymbols("SONUS-COMMON-MIB", "sonusSlotIndex", "sonusEventLevel", "sonusEventDescription", "sonusPortIndex", "sonusShelfIndex", "sonusEventClass")
sonusSystemMIBs, = mibBuilder.importSymbols("SONUS-SMI", "sonusSystemMIBs")
SonusServiceState, SonusAdminAction, SonusSoftwareVersion, SonusName, AdapterTypeID, ServerFunctionType, ServerTypeID, SonusAdminState, SonusAccessLevel, HwTypeID = mibBuilder.importSymbols("SONUS-TC", "SonusServiceState", "SonusAdminAction", "SonusSoftwareVersion", "SonusName", "AdapterTypeID", "ServerFunctionType", "ServerTypeID", "SonusAdminState", "SonusAccessLevel", "HwTypeID")
sonusNodeMIB = ModuleIdentity((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1))
if mibBuilder.loadTexts: sonusNodeMIB.setLastUpdated('200107310000Z')
if mibBuilder.loadTexts: sonusNodeMIB.setOrganization('Sonus Networks, Inc.')
if mibBuilder.loadTexts: sonusNodeMIB.setContactInfo(' Customer Support Sonus Networks, Inc, 5 carlisle Road Westford, MA 01886 USA Tel: 978-692-8999 Fax: 978-392-9118 E-mail: cs.snmp@sonusnet.com')
if mibBuilder.loadTexts: sonusNodeMIB.setDescription('The MIB Module for Node Management.')
sonusNodeMIBObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1))
sonusNode = MibIdentifier((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1))
sonusNodeAdmnObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 1))
sonusNodeAdmnShelves = MibScalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 6))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeAdmnShelves.setStatus('current')
if mibBuilder.loadTexts: sonusNodeAdmnShelves.setDescription('The number of shelves configured to be present in this node.')
sonusNodeAdmnTelnetLogin = MibScalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 1, 2), SonusAdminState()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusNodeAdmnTelnetLogin.setStatus('current')
if mibBuilder.loadTexts: sonusNodeAdmnTelnetLogin.setDescription('')
sonusNodeStatusObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 2))
sonusNodeStatShelvesPresent = MibScalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 2, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 6))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeStatShelvesPresent.setStatus('current')
if mibBuilder.loadTexts: sonusNodeStatShelvesPresent.setDescription('The number of shelves currently present in this node.')
sonusNodeStatNextIfIndex = MibScalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 2, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeStatNextIfIndex.setStatus('current')
if mibBuilder.loadTexts: sonusNodeStatNextIfIndex.setDescription('This MIB object identifies the next ifIndex to use in the creation of an interface. This MIB object directly corresponds to the ifIndex MIB object in the ifTable. A value of 0 means that no next ifIndex is currently available.')
sonusNodeStatMgmtStatus = MibScalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 2, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("manageable", 1), ("softwareUpgradeInProgress", 2), ("softwareUpgradeFailed", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeStatMgmtStatus.setStatus('current')
if mibBuilder.loadTexts: sonusNodeStatMgmtStatus.setDescription("Identifies if this node can be effectively managed by a network management system. A value of 'manageable' indicates that it can be; the other values indicate that a significant operation is in progress and that a network management system should minimize any requests of this node.")
sonusNodeShelfAdmnTable = MibTable((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 3), )
if mibBuilder.loadTexts: sonusNodeShelfAdmnTable.setStatus('current')
if mibBuilder.loadTexts: sonusNodeShelfAdmnTable.setDescription("This table contains information about each shelf which is configured to be a member of the node. This table describes the configured characteristics of each shelf, including the shelve's identity (sonusNodeShelfAdmnIpaddr1 and sonusNodeShelfAdmnIpaddr2). A row must be created by the manager for every slave shelf that is to join the master shelf as part of the node. Slave shelves which do not have correct entries in this table, can not join the node. A management entity may create rows for shelves that are anticipated to join the node in the future.")
sonusNodeShelfAdmnEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 3, 1), ).setIndexNames((0, "SONUS-NODE-MIB", "sonusNodeShelfAdmnIndex"))
if mibBuilder.loadTexts: sonusNodeShelfAdmnEntry.setStatus('current')
if mibBuilder.loadTexts: sonusNodeShelfAdmnEntry.setDescription('This table describes the shelves that are configured as members of the GSX9000 Switch node.')
sonusNodeShelfAdmnIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 6))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeShelfAdmnIndex.setStatus('current')
if mibBuilder.loadTexts: sonusNodeShelfAdmnIndex.setDescription('Identifies the target shelf in the node. Each node may be compprised of one or more shelves. The maximum number of shelves allowed in a node is six.')
sonusNodeShelfAdmnState = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 3, 1, 2), SonusAdminState()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sonusNodeShelfAdmnState.setStatus('current')
if mibBuilder.loadTexts: sonusNodeShelfAdmnState.setDescription('The configured state of the target shelf in the node.')
sonusNodeShelfAdmnIpaddr1 = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 3, 1, 3), IpAddress()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sonusNodeShelfAdmnIpaddr1.setStatus('current')
if mibBuilder.loadTexts: sonusNodeShelfAdmnIpaddr1.setDescription("The IP Address of the shelf. This value identifies the shelf that may join the node. Each shelf has two IP addresses that it may be reached by. This is the first of those two addresses. Note that it is not possible to change this object on the master shelf. That would be tantamount to changing that shelf's IP address.")
sonusNodeShelfAdmnIpaddr2 = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 3, 1, 4), IpAddress()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sonusNodeShelfAdmnIpaddr2.setStatus('current')
if mibBuilder.loadTexts: sonusNodeShelfAdmnIpaddr2.setDescription("The IP Address of the shelf. This value identifies the shelf that may join the node. Each shelf has two IP addresses that it may be reached by. This is the second of those two addresses. Note that it is not possible to change this object on the master shelf. That would be tantamount to changing the shelf's IP address.")
sonusNodeShelfAdmn48VdcAState = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 3, 1, 5), SonusAdminState()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sonusNodeShelfAdmn48VdcAState.setStatus('current')
if mibBuilder.loadTexts: sonusNodeShelfAdmn48VdcAState.setDescription("The configured state of the shelf's 48 VDC A-power supply. Indicates whether the A supply SHOULD be present. This object is not capable of disabling a connected supply.")
sonusNodeShelfAdmn48VdcBState = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 3, 1, 6), SonusAdminState()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sonusNodeShelfAdmn48VdcBState.setStatus('current')
if mibBuilder.loadTexts: sonusNodeShelfAdmn48VdcBState.setDescription("The configured state of the shelf's 48 VDC B-power supply. Indicates whether the B supply SHOULD be present. This object is not capable of disabling a connected supply.")
sonusNodeShelfAdmnStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 3, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("absent", 1), ("detected", 2), ("accepted", 3), ("shuttingDown", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeShelfAdmnStatus.setStatus('current')
if mibBuilder.loadTexts: sonusNodeShelfAdmnStatus.setDescription('The status of the indexed shelf in the GSX9000 node. If the value of this object is not accepted(3) or shuttingDown(4), then the objects in Sonus Shelf Status table are unavailable. The value of this object does not reach accepted(3) until after the slave shelf has contacted the master shelf, and has successfully joined the node. A value of shuttingDown(4) indicates the shelf will be unavailable shortly.')
sonusNodeShelfAdmnRestart = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 3, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("unknown", 1), ("restart", 2), ("shutdown", 3)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sonusNodeShelfAdmnRestart.setStatus('current')
if mibBuilder.loadTexts: sonusNodeShelfAdmnRestart.setDescription('This object is used to reset a shelf in the node. The object causes the management servers on the indexed shelf to perform the indicated operation. The restart(2) operation causes the management servers to reboot. The shutdown(3) operation causes the management servers to disable power to all cards on the indexed shelf, including themselves. The shutdown(3) operation requires physical intervention to re-power the shelf. This object always reads as unknown(1).')
sonusNodeShelfAdmnRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 3, 1, 9), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sonusNodeShelfAdmnRowStatus.setStatus('current')
if mibBuilder.loadTexts: sonusNodeShelfAdmnRowStatus.setDescription('This object indicates the row status for this table.')
sonusNodeShelfStatTable = MibTable((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 4), )
if mibBuilder.loadTexts: sonusNodeShelfStatTable.setStatus('current')
if mibBuilder.loadTexts: sonusNodeShelfStatTable.setDescription("This table contains status information about each shelf in the GSX9000 Switch node. Shelves within the node can can be configured before they are physically attached to the node. Shelves that are attached may not be powered or correctly configured as a slave. Therefore, it is possible that a slave shelf can not be detected, and is absent. The value of sonusNodeShelfAdmnStatus indicates the availability of this shelf. If the sonusNodeShelfAdmnStatus value for the index shelf does not indicate a status value of 'accepted', then this status table is not available.")
sonusNodeShelfStatEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 4, 1), ).setIndexNames((0, "SONUS-NODE-MIB", "sonusNodeShelfStatIndex"))
if mibBuilder.loadTexts: sonusNodeShelfStatEntry.setStatus('current')
if mibBuilder.loadTexts: sonusNodeShelfStatEntry.setDescription('This table describes the shelves that are configured as members of the GSX9000 Switch node.')
sonusNodeShelfStatIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 4, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeShelfStatIndex.setStatus('current')
if mibBuilder.loadTexts: sonusNodeShelfStatIndex.setDescription('Identifies the target shelf within the node. Returns the same value as sonusNodeShelfStatIndex, the index into this instance.')
sonusNodeShelfStatSlots = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 4, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 16))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeShelfStatSlots.setStatus('current')
if mibBuilder.loadTexts: sonusNodeShelfStatSlots.setDescription('The number of physical slots present in this shelf.')
sonusNodeShelfStatSerialNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 4, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 10))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeShelfStatSerialNumber.setStatus('current')
if mibBuilder.loadTexts: sonusNodeShelfStatSerialNumber.setDescription('Identifies the Sonus serial number for this shelf.')
sonusNodeShelfStatType = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 4, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("slave", 1), ("master", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeShelfStatType.setStatus('current')
if mibBuilder.loadTexts: sonusNodeShelfStatType.setDescription('Identifies the Sonus shelf type. A shelf may be either the master shelf for the node, or it may be one of several slave shelves in the node. Every node contains exactly one master shelf. The master shelf in the management focal point for the node.')
sonusNodeShelfStatFan = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 4, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("notPresent", 1), ("controllerFailure", 2), ("singleFailure", 3), ("multipleFailures", 4), ("powerFailure", 5), ("operational", 6)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeShelfStatFan.setStatus('current')
if mibBuilder.loadTexts: sonusNodeShelfStatFan.setDescription("Identifies the status of the shelf's fan tray. A controllerFailure(2) indicates that the fan status can not be obtained. In that case in can not be determined if the fans are operational, or experiencing other failures as well.")
sonusNodeShelfStat48VAStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 4, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("absent", 1), ("present", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeShelfStat48VAStatus.setStatus('current')
if mibBuilder.loadTexts: sonusNodeShelfStat48VAStatus.setDescription("The status of the shelf's 48 VDC A-power supply.")
sonusNodeShelfStat48VBStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 4, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("absent", 1), ("present", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeShelfStat48VBStatus.setStatus('current')
if mibBuilder.loadTexts: sonusNodeShelfStat48VBStatus.setDescription("The status of the shelf's 48 VDC B-power supply.")
sonusNodeShelfStatBackplane = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 4, 1, 8), HwTypeID()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeShelfStatBackplane.setStatus('current')
if mibBuilder.loadTexts: sonusNodeShelfStatBackplane.setDescription('The hardware type ID of the backplane in this shelf.')
sonusNodeShelfStatBootCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 4, 1, 9), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeShelfStatBootCount.setStatus('current')
if mibBuilder.loadTexts: sonusNodeShelfStatBootCount.setDescription('Specifies the number of times that this shelf has been booted. The boot count is specified from the perspective of the active management module running in the indexed shelf.')
sonusNodeShelfStatTemperature = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 4, 1, 10), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeShelfStatTemperature.setStatus('current')
if mibBuilder.loadTexts: sonusNodeShelfStatTemperature.setDescription("Indicates the temperature being sensed at this shelf's intake manifold. The temperature is indicated in Celcius.")
sonusNodeShelfStatFanSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 4, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("normal", 1), ("high", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeShelfStatFanSpeed.setStatus('current')
if mibBuilder.loadTexts: sonusNodeShelfStatFanSpeed.setDescription('Indicates the speed of the fan.')
sonusNodeSrvrAdmnTable = MibTable((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 5), )
if mibBuilder.loadTexts: sonusNodeSrvrAdmnTable.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrAdmnTable.setDescription("The server module ADMN table describes the configuration of each server module slot in an indexed shelf. A slot in a shelf, MUST be configured to accept a particular server module HWTYPE. If the wrong type of server module is detected in the slot, that server module will not be allowed to complete its boot process. All server modules are held in the RESET state until that server module's state is set to ENABLED. A server module must have its state set to DISABLED, before the row can be deleted. The row must be deleted, and re-created in order to change the HWTYPE of the row. The server module mode must be set to OUTOFSERVICE before the row's state can be set to DISABLED. Deleting a row in this table, clears the server module hardware type association for this slot. THIS IS A MAJOR CONFIGURATION CHANGE. All configured parameters associated with this slot are permanently lost when the server module is deleted. A server module can not be deleted, until it's state has been set to DISABLED. A row's default value for state is DISABLED. The server module located in the slot is immediately placed in reset when its state is set to disabled.")
sonusNodeSrvrAdmnEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 5, 1), ).setIndexNames((0, "SONUS-NODE-MIB", "sonusNodeSrvrAdmnShelfIndex"), (0, "SONUS-NODE-MIB", "sonusNodeSrvrAdmnSlotIndex"))
if mibBuilder.loadTexts: sonusNodeSrvrAdmnEntry.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrAdmnEntry.setDescription('')
sonusNodeSrvrAdmnShelfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 5, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 6))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeSrvrAdmnShelfIndex.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrAdmnShelfIndex.setDescription('Identifies the target shelf. Returns the same value as sonusNodeShelfStatIndex, which was used to index into this table.')
sonusNodeSrvrAdmnSlotIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 5, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 16))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeSrvrAdmnSlotIndex.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrAdmnSlotIndex.setDescription('Identifies the target slot within the shelf.')
sonusNodeSrvrAdmnHwType = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 5, 1, 3), ServerTypeID()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusNodeSrvrAdmnHwType.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrAdmnHwType.setDescription('Identifies the type of server module the indexed slot has been configured to accept. Server modules other than this type are rejected by the System Manager. This object is required to create a row instance.')
sonusNodeSrvrAdmnState = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 5, 1, 4), SonusAdminState().clone('disabled')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusNodeSrvrAdmnState.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrAdmnState.setDescription('A server module must be enabled before System Manager will fully recognize it. The server module must be disabled before the server module can be deleted.')
sonusNodeSrvrAdmnMode = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 5, 1, 5), SonusServiceState().clone('inService')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusNodeSrvrAdmnMode.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrAdmnMode.setDescription('A server module which is outOfService will not accept new calls. When taken out of service, its active calls may either be dried up or terminated, depending on the action specified. Server modules are created with a mode of inService. A server module must be outOfService in order to change its state to disabled.')
sonusNodeSrvrAdmnAction = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 5, 1, 6), SonusAdminAction().clone('force')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusNodeSrvrAdmnAction.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrAdmnAction.setDescription('The type of action to perform when a server module is taken out of service. The active calls on the server module can be dried up for a specified dryup limit, or they can be forced to be terminated.')
sonusNodeSrvrAdmnDryupLimit = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 5, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusNodeSrvrAdmnDryupLimit.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrAdmnDryupLimit.setDescription('Server module dryup limit, specified in minutes. If the server module has not dried up by the time this limit expires, the remaining active calls are abruptly terminated. A dryup limit of zero indicates that the system will wait forever for the dryup to complete.')
sonusNodeSrvrAdmnDumpState = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 5, 1, 8), SonusAdminState().clone('enabled')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusNodeSrvrAdmnDumpState.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrAdmnDumpState.setDescription('Indicates if a server module will create a crashblock file when a critical error which prevents the module from continuing, has occured.')
sonusNodeSrvrAdmnRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 5, 1, 9), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusNodeSrvrAdmnRowStatus.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrAdmnRowStatus.setDescription('Deleting a server module will place that slot in reset. All configuration parameters associated with the server module in this slot are destroyed.')
sonusNodeSrvrAdmnRedundancyRole = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 5, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("normal", 1), ("redundant", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusNodeSrvrAdmnRedundancyRole.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrAdmnRedundancyRole.setDescription('Specifies the redundancy role this server module will play. This object is required to create a row instance.')
sonusNodeSrvrAdmnAdapHwType = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 5, 1, 11), AdapterTypeID()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusNodeSrvrAdmnAdapHwType.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrAdmnAdapHwType.setDescription('Identifies the type of adapter module the indexed slot has been configured to accept. Adapter modules other than this type are rejected by the System Manager. This object is required to create a row instance.')
sonusNodeSrvrAdmnSpecialFunction = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 5, 1, 12), ServerFunctionType()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusNodeSrvrAdmnSpecialFunction.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrAdmnSpecialFunction.setDescription('Specifies the logical function for this server module. This object may be specified only at row creation time, but is not required. If not specified, an appropriate default value will be assigned based on the server and adapter hardware types. A value of default(1) is not accepted or used.')
sonusNodeSlotTable = MibTable((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 6), )
if mibBuilder.loadTexts: sonusNodeSlotTable.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSlotTable.setDescription('The node slot table describes')
sonusNodeSlotEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 6, 1), ).setIndexNames((0, "SONUS-NODE-MIB", "sonusNodeSlotShelfIndex"), (0, "SONUS-NODE-MIB", "sonusNodeSlotIndex"))
if mibBuilder.loadTexts: sonusNodeSlotEntry.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSlotEntry.setDescription('')
sonusNodeSlotShelfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 6, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 6))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeSlotShelfIndex.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSlotShelfIndex.setDescription('Identifies the indexed shelf. Returns the same value as sonusNodeShelfStatIndex, which is used to index into this table.')
sonusNodeSlotIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 6, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 16))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeSlotIndex.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSlotIndex.setDescription('Identifies the indexed slot within the shelf.')
sonusNodeSlotState = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 6, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15))).clone(namedValues=NamedValues(("unknown", 1), ("empty", 2), ("inserted", 3), ("reset", 4), ("boot", 5), ("sonicId", 6), ("coreDump", 7), ("holdOff", 8), ("loading", 9), ("activating", 10), ("activated", 11), ("running", 12), ("faulted", 13), ("powerOff", 14), ("powerFail", 15)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeSlotState.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSlotState.setDescription('Identifies the operational state of the indexed slot in the shelf.')
sonusNodeSlotHwType = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 6, 1, 4), HwTypeID()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeSlotHwType.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSlotHwType.setDescription('Identifies the hardware type of the server module which was detected in the slot. Valid only if the sonusNodeSlotState is greater than inserted(2).')
sonusNodeSlotHwTypeRev = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 6, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeSlotHwTypeRev.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSlotHwTypeRev.setDescription('Identifies the hardware type revision of the server module which was detected in the slot. Valid only if the sonusNodeSlotState is greater than inserted(2).')
sonusNodeSlotPower = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 6, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("unknown", 1), ("powerFault", 2), ("powerOK", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeSlotPower.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSlotPower.setDescription('Identifies the server modules power mode. If the slot state is empty, the power status is unknown(1).')
sonusNodeSlotAdapState = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 6, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("unknown", 1), ("empty", 2), ("present", 3), ("faulted", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeSlotAdapState.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSlotAdapState.setDescription('Identifies the adapter state of the indexed slot in the shelf.')
sonusNodeSlotAdapHwType = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 6, 1, 8), HwTypeID()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeSlotAdapHwType.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSlotAdapHwType.setDescription('Identifies the hardware type of the adapter module which was detected in the slot. Valid only if the sonusNodeSlotAdapState is present(3).')
sonusNodeSrvrStatTable = MibTable((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7), )
if mibBuilder.loadTexts: sonusNodeSrvrStatTable.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrStatTable.setDescription("The node server status table describes the status of the indexed server module in the node. This table is unavailable if the sonusNodeShelfStatStatus object indicates that this slot is empty. If the sonusNodeSrvrStatType object returns either 'absent' or 'unknown' the value of all other objects within this table are indeterministic.")
sonusNodeSrvrStatEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1), ).setIndexNames((0, "SONUS-NODE-MIB", "sonusNodeSrvrStatShelfIndex"), (0, "SONUS-NODE-MIB", "sonusNodeSrvrStatSlotIndex"))
if mibBuilder.loadTexts: sonusNodeSrvrStatEntry.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrStatEntry.setDescription('')
sonusNodeSrvrStatShelfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 6))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeSrvrStatShelfIndex.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrStatShelfIndex.setDescription('Identifies the target shelf. Returns the same value as sonusNodeShelfStatIndex, which was used to index into this table.')
sonusNodeSrvrStatSlotIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 16))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeSrvrStatSlotIndex.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrStatSlotIndex.setDescription('Identifies the target slot within the shelf.')
sonusNodeSrvrStatMiddVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeSrvrStatMiddVersion.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrStatMiddVersion.setDescription('Identifies the version of the MIDD EEPROM on this server module.')
sonusNodeSrvrStatHwType = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 4), HwTypeID()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeSrvrStatHwType.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrStatHwType.setDescription('Identifies the type of server module in the indexed slot.')
sonusNodeSrvrStatSerialNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 10))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeSrvrStatSerialNum.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrStatSerialNum.setDescription('Identifies the serial number of the server module. This is the serial number assigned to the server module at manufacture.')
sonusNodeSrvrStatPartNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 6), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 10))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeSrvrStatPartNum.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrStatPartNum.setDescription('Identifies the part number of the module. This is the part number assigned to the module at manufacture.')
sonusNodeSrvrStatPartNumRev = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 7), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeSrvrStatPartNumRev.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrStatPartNumRev.setDescription('Identifies the manufacture part number revision level of the server module.')
sonusNodeSrvrStatMfgDate = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 8), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 10))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeSrvrStatMfgDate.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrStatMfgDate.setDescription('The date this server module assembly was manufactured.')
sonusNodeSrvrStatFlashVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 9), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeSrvrStatFlashVersion.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrStatFlashVersion.setDescription('Identifies the version of the firmware within the non-volatile FLASH device on this server module.')
sonusNodeSrvrStatSwVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 10), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeSrvrStatSwVersion.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrStatSwVersion.setDescription('Identifies the version of the runtime software application this is currently executing on this server module.')
sonusNodeSrvrStatBuildNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 11), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeSrvrStatBuildNum.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrStatBuildNum.setDescription('Identifies the build number of this software version.')
sonusNodeSrvrStatMode = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("standby", 1), ("active", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeSrvrStatMode.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrStatMode.setDescription('Identifies the operational status of the module in the indexed slot.')
sonusNodeSrvrStatTemperature = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 13), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeSrvrStatTemperature.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrStatTemperature.setDescription('Indicates the current Celcius temperature being sensed by the server module in the indexed slot.')
sonusNodeSrvrStatMemUtilization = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 14), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeSrvrStatMemUtilization.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrStatMemUtilization.setDescription('The current memory utilization of this server module. The value returned is a number from 0 to 100, representing the percentage of memory utilization. Note that this number can be somewhat misleading as many data structures are pre-allocated to ensure that the server modules maximum load capacity can be acheived and maintained. This may result is relatively high memory utilizations under fairly low load.')
sonusNodeSrvrStatCpuUtilization = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 15), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeSrvrStatCpuUtilization.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrStatCpuUtilization.setDescription('The current CPU utilization of this server module. The value returned is a number from 0 to 100, representing the percentage of CPU utilization.')
sonusNodeSrvrStatHwTypeRev = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 16), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeSrvrStatHwTypeRev.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrStatHwTypeRev.setDescription('The hardware type revision number of this server module.')
sonusNodeSrvrStatSwVersionCode = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 17), SonusSoftwareVersion()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeSrvrStatSwVersionCode.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrStatSwVersionCode.setDescription('Octet string that identifies the version of the runtime software application that is currently executing on this server module: Byte(s) Code ------- ---- 0 major version 1 minor version 2 release version 3 type (1:alpha, 2:beta, 3:release, 4:special) 4-5 type number')
sonusNodeSrvrStatEpldRev = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 18), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeSrvrStatEpldRev.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrStatEpldRev.setDescription('The EPLD revision level of this server module. An overall number which represents the total level of the server module.')
sonusNodeSrvrStatHostName = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 19), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeSrvrStatHostName.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrStatHostName.setDescription('Identifies the host name that software load of this module had been built on.')
sonusNodeSrvrStatUserName = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 20), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeSrvrStatUserName.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrStatUserName.setDescription('Identifies the user who builds software load of this module.')
sonusNodeSrvrStatViewName = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 21), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeSrvrStatViewName.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrStatViewName.setDescription('Identifies the viewName used for software build.')
sonusNodeSrvrStatTotalMem = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 22), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeSrvrStatTotalMem.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrStatTotalMem.setDescription('Indicates the total memory size of the server module.')
sonusNodeSrvrStatFreeMem = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 23), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeSrvrStatFreeMem.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrStatFreeMem.setDescription('Indicates the total memory available on the server module.')
sonusNodeSrvrStatTotalSharedMem = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 24), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeSrvrStatTotalSharedMem.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrStatTotalSharedMem.setDescription('Indicates the total shared memory size of the server module.')
sonusNodeSrvrStatFreeSharedMem = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 25), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeSrvrStatFreeSharedMem.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSrvrStatFreeSharedMem.setDescription('Indicates the total shared memory available on the server module.')
sonusNodeAdapStatTable = MibTable((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 11), )
if mibBuilder.loadTexts: sonusNodeAdapStatTable.setStatus('current')
if mibBuilder.loadTexts: sonusNodeAdapStatTable.setDescription('The node adapter status table describes the status of the indexed adapter module in the node. This table is unavailable if the sonusNodeSlotAdapState object indicates that this slot is unknown, empty or faulted.')
sonusNodeAdapStatEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 11, 1), ).setIndexNames((0, "SONUS-NODE-MIB", "sonusNodeAdapStatShelfIndex"), (0, "SONUS-NODE-MIB", "sonusNodeAdapStatSlotIndex"))
if mibBuilder.loadTexts: sonusNodeAdapStatEntry.setStatus('current')
if mibBuilder.loadTexts: sonusNodeAdapStatEntry.setDescription('')
sonusNodeAdapStatShelfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 11, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 6))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeAdapStatShelfIndex.setStatus('current')
if mibBuilder.loadTexts: sonusNodeAdapStatShelfIndex.setDescription('Identifies the target shelf.')
sonusNodeAdapStatSlotIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 11, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 16))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeAdapStatSlotIndex.setStatus('current')
if mibBuilder.loadTexts: sonusNodeAdapStatSlotIndex.setDescription('Identifies the target slot within the shelf.')
sonusNodeAdapStatMiddVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 11, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeAdapStatMiddVersion.setStatus('current')
if mibBuilder.loadTexts: sonusNodeAdapStatMiddVersion.setDescription('Identifies the version of the MIDD EEPROM on this adapter module.')
sonusNodeAdapStatHwType = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 11, 1, 4), HwTypeID()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeAdapStatHwType.setStatus('current')
if mibBuilder.loadTexts: sonusNodeAdapStatHwType.setDescription('Identifies the type of adapter module in the indexed slot.')
sonusNodeAdapStatHwTypeRev = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 11, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeAdapStatHwTypeRev.setStatus('current')
if mibBuilder.loadTexts: sonusNodeAdapStatHwTypeRev.setDescription('Identifies the hardware type revision of the adapter module detected in the slot.')
sonusNodeAdapStatSerialNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 11, 1, 6), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 10))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeAdapStatSerialNum.setStatus('current')
if mibBuilder.loadTexts: sonusNodeAdapStatSerialNum.setDescription('Identifies the serial number of the adapter module. This is the serial number assigned to the card at manufacture.')
sonusNodeAdapStatPartNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 11, 1, 7), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 10))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeAdapStatPartNum.setStatus('current')
if mibBuilder.loadTexts: sonusNodeAdapStatPartNum.setDescription('Identifies the part number of the adapter module. This is the part number assigned to the card at manufacture.')
sonusNodeAdapStatPartNumRev = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 11, 1, 8), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeAdapStatPartNumRev.setStatus('current')
if mibBuilder.loadTexts: sonusNodeAdapStatPartNumRev.setDescription('Identifies the assembly revision level of the adapter module.')
sonusNodeAdapStatMfgDate = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 11, 1, 9), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 10))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeAdapStatMfgDate.setStatus('current')
if mibBuilder.loadTexts: sonusNodeAdapStatMfgDate.setDescription('The date this adapter module was manufactured.')
sonusNodeSlotAdmnTable = MibTable((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 12), )
if mibBuilder.loadTexts: sonusNodeSlotAdmnTable.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSlotAdmnTable.setDescription('The node slot admn table provides physical manipulation of a slot location in a shelf.')
sonusNodeSlotAdmnEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 12, 1), ).setIndexNames((0, "SONUS-NODE-MIB", "sonusNodeSlotAdmnShelfIndex"), (0, "SONUS-NODE-MIB", "sonusNodeSlotAdmnSlotIndex"))
if mibBuilder.loadTexts: sonusNodeSlotAdmnEntry.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSlotAdmnEntry.setDescription('')
sonusNodeSlotAdmnShelfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 12, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 6))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeSlotAdmnShelfIndex.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSlotAdmnShelfIndex.setDescription('Identifies the target shelf.')
sonusNodeSlotAdmnSlotIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 12, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 16))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNodeSlotAdmnSlotIndex.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSlotAdmnSlotIndex.setDescription('Identifies the target slot within the shelf.')
sonusNodeSlotAdmnReset = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 12, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("undefined", 1), ("reset", 2), ("coredump", 3)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusNodeSlotAdmnReset.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSlotAdmnReset.setDescription('Setting this object to reset(2) or coredump(3), will physically reset the server module installed in the indexed slot. This object always reads as undefined(1). This object bypasses all consistency and safety checks. This object is intended for evaluation testing.')
sonusNvsConfig = MibIdentifier((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2))
sonusNvsConfigTable = MibTable((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1), )
if mibBuilder.loadTexts: sonusNvsConfigTable.setStatus('current')
if mibBuilder.loadTexts: sonusNvsConfigTable.setDescription('This table specifies the Boot Parameters that apply only to the MNS present in the indexed shelf and slot. The Boot Parameters can only be accessed if the shelf is actively part of the node.')
sonusNvsConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1), ).setIndexNames((0, "SONUS-NODE-MIB", "sonusBparamShelfIndex"))
if mibBuilder.loadTexts: sonusNvsConfigEntry.setStatus('current')
if mibBuilder.loadTexts: sonusNvsConfigEntry.setDescription('')
sonusBparamShelfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 6))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusBparamShelfIndex.setStatus('current')
if mibBuilder.loadTexts: sonusBparamShelfIndex.setDescription('Identifies the target shelf. This object returns the value of sonusNodeShelfStatIndex which was used to index into this table.')
sonusBparamUnused = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 2), Integer32())
if mibBuilder.loadTexts: sonusBparamUnused.setStatus('current')
if mibBuilder.loadTexts: sonusBparamUnused.setDescription('Unused')
sonusBparamPasswd = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 23))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamPasswd.setStatus('current')
if mibBuilder.loadTexts: sonusBparamPasswd.setDescription('The secure password which is used to access the Boot PROM menu subsystem. This object is not available through SNMP.')
sonusBparamIpAddrSlot1Port0 = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 4), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamIpAddrSlot1Port0.setStatus('current')
if mibBuilder.loadTexts: sonusBparamIpAddrSlot1Port0.setDescription('The IP address assigned to the field service port. This port is not intended for customer use.')
sonusBparamIpMaskSlot1Port0 = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 5), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamIpMaskSlot1Port0.setStatus('current')
if mibBuilder.loadTexts: sonusBparamIpMaskSlot1Port0.setDescription('The IP Address Mask assigned to the field service port.')
sonusBparamIpGatewaySlot1Port0 = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 6), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamIpGatewaySlot1Port0.setStatus('current')
if mibBuilder.loadTexts: sonusBparamIpGatewaySlot1Port0.setDescription('The default IP Gateway address used by the field service port.')
sonusBparamIfSpeedTypeSlot1Port0 = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("autoNegotiate", 1), ("fullDuplex100", 2), ("halfDuplex100", 3), ("fullDuplex10", 4), ("halfDuplex10", 5)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamIfSpeedTypeSlot1Port0.setStatus('current')
if mibBuilder.loadTexts: sonusBparamIfSpeedTypeSlot1Port0.setDescription('The default link speed setting used by the field service port.')
sonusBparamIpAddrSlot1Port1 = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 8), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamIpAddrSlot1Port1.setStatus('current')
if mibBuilder.loadTexts: sonusBparamIpAddrSlot1Port1.setDescription('The IP address assigned to management port number one.')
sonusBparamIpMaskSlot1Port1 = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 9), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamIpMaskSlot1Port1.setStatus('current')
if mibBuilder.loadTexts: sonusBparamIpMaskSlot1Port1.setDescription('The IP address mask used by management port one.')
sonusBparamIpGatewaySlot1Port1 = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 10), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamIpGatewaySlot1Port1.setStatus('current')
if mibBuilder.loadTexts: sonusBparamIpGatewaySlot1Port1.setDescription('The default IP Gateway address used by management port one.')
sonusBparamIfSpeedTypeSlot1Port1 = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("autoNegotiate", 1), ("fullDuplex100", 2), ("halfDuplex100", 3), ("fullDuplex10", 4), ("halfDuplex10", 5)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamIfSpeedTypeSlot1Port1.setStatus('current')
if mibBuilder.loadTexts: sonusBparamIfSpeedTypeSlot1Port1.setDescription('The default link speed setting used by management port one.')
sonusBparamIpAddrSlot1Port2 = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 12), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamIpAddrSlot1Port2.setStatus('current')
if mibBuilder.loadTexts: sonusBparamIpAddrSlot1Port2.setDescription('The IP address assigned to management port number two.')
sonusBparamIpMaskSlot1Port2 = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 13), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamIpMaskSlot1Port2.setStatus('current')
if mibBuilder.loadTexts: sonusBparamIpMaskSlot1Port2.setDescription('The IP address mask used by management port two.')
sonusBparamIpGatewaySlot1Port2 = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 14), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamIpGatewaySlot1Port2.setStatus('current')
if mibBuilder.loadTexts: sonusBparamIpGatewaySlot1Port2.setDescription('The default gateway address used by management port two.')
sonusBparamIfSpeedTypeSlot1Port2 = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 15), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("autoNegotiate", 1), ("fullDuplex100", 2), ("halfDuplex100", 3), ("fullDuplex10", 4), ("halfDuplex10", 5)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamIfSpeedTypeSlot1Port2.setStatus('current')
if mibBuilder.loadTexts: sonusBparamIfSpeedTypeSlot1Port2.setDescription('The default link speed setting used by management port two.')
sonusBparamIpAddrSlot2Port0 = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 16), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamIpAddrSlot2Port0.setStatus('current')
if mibBuilder.loadTexts: sonusBparamIpAddrSlot2Port0.setDescription('The IP address assigned to the field service port. This port is not intended for customer use.')
sonusBparamIpMaskSlot2Port0 = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 17), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamIpMaskSlot2Port0.setStatus('current')
if mibBuilder.loadTexts: sonusBparamIpMaskSlot2Port0.setDescription('The IP Address Mask assigned to the field service port.')
sonusBparamIpGatewaySlot2Port0 = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 18), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamIpGatewaySlot2Port0.setStatus('current')
if mibBuilder.loadTexts: sonusBparamIpGatewaySlot2Port0.setDescription('The default IP Gateway address used by the field service port.')
sonusBparamIfSpeedTypeSlot2Port0 = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("autoNegotiate", 1), ("fullDuplex100", 2), ("halfDuplex100", 3), ("fullDuplex10", 4), ("halfDuplex10", 5)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamIfSpeedTypeSlot2Port0.setStatus('current')
if mibBuilder.loadTexts: sonusBparamIfSpeedTypeSlot2Port0.setDescription('The default link speed setting used by the field service port.')
sonusBparamIpAddrSlot2Port1 = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 20), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamIpAddrSlot2Port1.setStatus('current')
if mibBuilder.loadTexts: sonusBparamIpAddrSlot2Port1.setDescription('The IP address assigned to management port number one.')
sonusBparamIpMaskSlot2Port1 = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 21), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamIpMaskSlot2Port1.setStatus('current')
if mibBuilder.loadTexts: sonusBparamIpMaskSlot2Port1.setDescription('The IP address mask used by management port one.')
sonusBparamIpGatewaySlot2Port1 = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 22), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamIpGatewaySlot2Port1.setStatus('current')
if mibBuilder.loadTexts: sonusBparamIpGatewaySlot2Port1.setDescription('The default IP Gateway address used by management port one.')
sonusBparamIfSpeedTypeSlot2Port1 = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 23), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("autoNegotiate", 1), ("fullDuplex100", 2), ("halfDuplex100", 3), ("fullDuplex10", 4), ("halfDuplex10", 5)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamIfSpeedTypeSlot2Port1.setStatus('current')
if mibBuilder.loadTexts: sonusBparamIfSpeedTypeSlot2Port1.setDescription('The default link speed setting used by management port one.')
sonusBparamIpAddrSlot2Port2 = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 24), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamIpAddrSlot2Port2.setStatus('current')
if mibBuilder.loadTexts: sonusBparamIpAddrSlot2Port2.setDescription('The IP address assigned to management port number two.')
sonusBparamIpMaskSlot2Port2 = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 25), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamIpMaskSlot2Port2.setStatus('current')
if mibBuilder.loadTexts: sonusBparamIpMaskSlot2Port2.setDescription('The IP address mask used by management port two.')
sonusBparamIpGatewaySlot2Port2 = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 26), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamIpGatewaySlot2Port2.setStatus('current')
if mibBuilder.loadTexts: sonusBparamIpGatewaySlot2Port2.setDescription('The default gateway address used by management port two.')
sonusBparamIfSpeedTypeSlot2Port2 = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 27), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("autoNegotiate", 1), ("fullDuplex100", 2), ("halfDuplex100", 3), ("fullDuplex10", 4), ("halfDuplex10", 5)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamIfSpeedTypeSlot2Port2.setStatus('current')
if mibBuilder.loadTexts: sonusBparamIfSpeedTypeSlot2Port2.setDescription('The default link speed setting used by management port two.')
sonusBparamBootDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 28), Integer32().subtype(subtypeSpec=ValueRangeConstraint(5, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamBootDelay.setStatus('current')
if mibBuilder.loadTexts: sonusBparamBootDelay.setDescription('The amount of delay used to allow an administrator to gain access to the NVS configuration menus before the runtime software is loaded. The delay is specified in seconds. Increasing this delay, will increase the total system boot time by the same amount.')
sonusBparamCoreState = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 29), SonusAdminState()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamCoreState.setStatus('current')
if mibBuilder.loadTexts: sonusBparamCoreState.setDescription('Specifies whether core dumps are enabled. If core dumps are disabled, a fatal software fault will result in a reboot without the overhead of performing the core dump operation.')
sonusBparamCoreLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 30), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("normal", 1), ("sensitive", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamCoreLevel.setStatus('current')
if mibBuilder.loadTexts: sonusBparamCoreLevel.setDescription('Specifies the type of core dump behavior the shelf will display. Under normal(1) behavior, the server modules will execute a core dump only for fatal software errors. Under sensitive(2) behavior, the server modules will execute a core dump when the software recognizes a major, but non-fatal, software fault. Normal(1) is the strongly recommended setting.')
sonusBparamBaudRate = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 31), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamBaudRate.setStatus('current')
if mibBuilder.loadTexts: sonusBparamBaudRate.setDescription("The baud rate of a management port's physical interface.")
sonusBparamNfsPrimary = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 32), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamNfsPrimary.setStatus('current')
if mibBuilder.loadTexts: sonusBparamNfsPrimary.setDescription('The IP Address of the primary NFS Server for this switch.')
sonusBparamNfsSecondary = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 33), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamNfsSecondary.setStatus('current')
if mibBuilder.loadTexts: sonusBparamNfsSecondary.setDescription('The IP Address of the secondary NFS Server for this switch.')
sonusBparamNfsMountPri = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 34), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(2, 31))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamNfsMountPri.setStatus('current')
if mibBuilder.loadTexts: sonusBparamNfsMountPri.setDescription('The NFS mount point exported by the Primary NFS server.')
sonusBparamNfsMountSec = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 35), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(2, 31))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamNfsMountSec.setStatus('current')
if mibBuilder.loadTexts: sonusBparamNfsMountSec.setDescription('The NFS mount point exported by the Secondary NFS server.')
sonusBparamNfsPathUpgrade = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 36), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 15))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamNfsPathUpgrade.setStatus('current')
if mibBuilder.loadTexts: sonusBparamNfsPathUpgrade.setDescription('The name of the temporary load path override. This path is tried before the sonusBparamNfsPathLoad when specified. If the sonusBparamNfsPathUpgrade fails to completely boot the switch after three consecutive attempts, the path is automatically abandoned in favor of the sonusBparamNfsPathLoad.')
sonusBparamNfsPathLoad = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 37), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(2, 31))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamNfsPathLoad.setStatus('current')
if mibBuilder.loadTexts: sonusBparamNfsPathLoad.setDescription("The directory, beneath the exported NFS mount point, which contains the switch's operational directories.")
sonusBparamPrimName = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 38), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 15))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamPrimName.setStatus('current')
if mibBuilder.loadTexts: sonusBparamPrimName.setDescription('The primary load file name for this server module.')
sonusBparamSecName = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 39), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 15))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamSecName.setStatus('current')
if mibBuilder.loadTexts: sonusBparamSecName.setDescription('The secondary load file name for this server module. The secondary file is tried when the primary file can not be opened or read.')
sonusBparamMasterState = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 40), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("slave", 1), ("master", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamMasterState.setStatus('current')
if mibBuilder.loadTexts: sonusBparamMasterState.setDescription('Specifies whether this shelf will participate in the node as a master shelf, or as a slave shelf. Each node contains exactly one master shelf, and may contain multiple slave shelves.')
sonusBparamParamMode = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 41), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("disabled", 1), ("binaryFile", 2), ("defaults", 3)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamParamMode.setStatus('current')
if mibBuilder.loadTexts: sonusBparamParamMode.setDescription('Specifies the binary parameter file mode of the node. This mode specifies whether the node will attempt to load a binary parameter file. The paramMode can be set to disabled(1) which disables parameter file loading. The mode can be set to defaults(3), which temporarily disables binary parameter file loading, until after the next binary parameter file save cycle initiated by the runtime software. In both of these disabled cases, the node boots with default parameters and automatically loads and executes the CLI startup script. The paramMode may be set to binaryFile(2), which enables binary parameter file loading and disables the automatic CLI startup script loading. A binary parameter file must exist before the node can succesfully load a binary parameter file. The node will load default parameters when a valid parameter file can not be loaded. The node loads default parameters when either the parameter mode is set to disabled(1) or when the mode is set to defaults(3). When the mode is set to defaults(3), the mode is automatically updated to binaryFile(2) on the first parameter save cycle.')
sonusBparamCliScript = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 42), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 15))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamCliScript.setStatus('current')
if mibBuilder.loadTexts: sonusBparamCliScript.setDescription('The name of the CLI script which will be run automatically when the switch intentionally boots with default parameters. The switch will intentionally boot with default parameters when sonusBparamParamMode is set to either disabled(1) or defaults(3). This CLI script will never be run when the sonusBparamParamMode is set to binaryFile(2). If the script is not specified, or if it can not be located, it is not run. The switch expects to find the script file in the cli/sys directory, beneath the load path specified directory.')
sonusBparamUId = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 43), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamUId.setStatus('current')
if mibBuilder.loadTexts: sonusBparamUId.setDescription('The UNIX user ID used for all file accesses on both the primary and secondary NFS servers.')
sonusBparamGrpId = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 44), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamGrpId.setStatus('current')
if mibBuilder.loadTexts: sonusBparamGrpId.setDescription('The UNIX group ID used for all file accesses on both the primary and secondary NFS servers.')
sonusBparamCoreDumpLimit = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 45), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255)).clone(6)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamCoreDumpLimit.setStatus('current')
if mibBuilder.loadTexts: sonusBparamCoreDumpLimit.setDescription('Indicates the maximum number of core dump files which can be created on behalf of a Server which is requesting a core dump. Setting the value to zero indicates no limit. This object is intended to limit the number of core dumps (and the amount of disk space used) when a Server repeatedly crashes.')
sonusBparamNfsPathSoftware = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 46), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 15))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusBparamNfsPathSoftware.setStatus('current')
if mibBuilder.loadTexts: sonusBparamNfsPathSoftware.setDescription('The name of the software load path. This path is is appended to the Boot Path. This object may be NULL, in which case the software is loaded directly from the Boot Path. This object allows multiple revisions of software to be maintained below the Boot Path. This object can be overridden by the Upgrade Path object during a LSWU. During general operation the complete software load path is formed by concatenating this object to the Boot Path and any applicable file system mount point.')
sonusFlashConfigTable = MibTable((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 2), )
if mibBuilder.loadTexts: sonusFlashConfigTable.setStatus('current')
if mibBuilder.loadTexts: sonusFlashConfigTable.setDescription('This table specifies the FLASH Update parameters for the indexed server module. The Boot Firmware for each server module is contained in the FLASH device. It is essential that once the upgrade process is initiated, that it be allowed to complete without interruption. Power loss or manually reseting the server module during the upgrade process will result in a loss of Boot Firmware.')
sonusFlashConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 2, 1), ).setIndexNames((0, "SONUS-NODE-MIB", "sonusFlashAdmnShelfIndex"), (0, "SONUS-NODE-MIB", "sonusFlashAdmnSlotIndex"))
if mibBuilder.loadTexts: sonusFlashConfigEntry.setStatus('current')
if mibBuilder.loadTexts: sonusFlashConfigEntry.setDescription('')
sonusFlashAdmnShelfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 6))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusFlashAdmnShelfIndex.setStatus('current')
if mibBuilder.loadTexts: sonusFlashAdmnShelfIndex.setDescription('Identifies the target shelf within the node.')
sonusFlashAdmnSlotIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 2, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 16))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusFlashAdmnSlotIndex.setStatus('current')
if mibBuilder.loadTexts: sonusFlashAdmnSlotIndex.setDescription('Identifies the target slot within the shelf.')
sonusFlashAdmnUpdateButton = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("update", 1))).clone('update')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusFlashAdmnUpdateButton.setStatus('current')
if mibBuilder.loadTexts: sonusFlashAdmnUpdateButton.setDescription("Initiate the update of the specified server module's FLASH PROM now. This object always reads as the value update(1).")
sonusFlashStatusTable = MibTable((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 3), )
if mibBuilder.loadTexts: sonusFlashStatusTable.setStatus('current')
if mibBuilder.loadTexts: sonusFlashStatusTable.setDescription('This table specifies the status of the FLASH Update process.')
sonusFlashStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 3, 1), ).setIndexNames((0, "SONUS-NODE-MIB", "sonusFlashStatShelfIndex"), (0, "SONUS-NODE-MIB", "sonusFlashStatSlotIndex"))
if mibBuilder.loadTexts: sonusFlashStatusEntry.setStatus('current')
if mibBuilder.loadTexts: sonusFlashStatusEntry.setDescription('')
sonusFlashStatShelfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 6))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusFlashStatShelfIndex.setStatus('current')
if mibBuilder.loadTexts: sonusFlashStatShelfIndex.setDescription('Identifies the target shelf within the node.')
sonusFlashStatSlotIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 16))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusFlashStatSlotIndex.setStatus('current')
if mibBuilder.loadTexts: sonusFlashStatSlotIndex.setDescription('Identifies the target slot within the shelf.')
sonusFlashStatState = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 3, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("idle", 1), ("waitReply", 2), ("waitData", 3), ("imageComplete", 4), ("flashErase", 5), ("flashWrite", 6), ("done", 7)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusFlashStatState.setStatus('current')
if mibBuilder.loadTexts: sonusFlashStatState.setDescription('The current state of the FLASH update process on the target server module.')
sonusFlashStatLastStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 3, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17))).clone(namedValues=NamedValues(("success", 1), ("unknown", 2), ("inProgress", 3), ("badRequest", 4), ("noReply", 5), ("managerNack", 6), ("timerResources", 7), ("dataTimeout", 8), ("msgSequence", 9), ("memoryResources", 10), ("imageChecksum", 11), ("badBlkType", 12), ("flashErase", 13), ("flashWrite", 14), ("flashChecksum", 15), ("mgrNack", 16), ("badState", 17)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusFlashStatLastStatus.setStatus('current')
if mibBuilder.loadTexts: sonusFlashStatLastStatus.setDescription('The status of the last FLASH update that was executed.')
sonusUser = MibIdentifier((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3))
sonusUserList = MibIdentifier((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 1))
sonusUserListNextIndex = MibScalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusUserListNextIndex.setStatus('current')
if mibBuilder.loadTexts: sonusUserListNextIndex.setDescription('The next valid index to use when creating a new sonusUserListEntry')
sonusUserListTable = MibTable((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 1, 2), )
if mibBuilder.loadTexts: sonusUserListTable.setStatus('current')
if mibBuilder.loadTexts: sonusUserListTable.setDescription('This table specifies the user access list for the node.')
sonusUserListEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 1, 2, 1), ).setIndexNames((0, "SONUS-NODE-MIB", "sonusUserListIndex"))
if mibBuilder.loadTexts: sonusUserListEntry.setStatus('current')
if mibBuilder.loadTexts: sonusUserListEntry.setDescription('')
sonusUserListIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 1, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 6))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusUserListIndex.setStatus('current')
if mibBuilder.loadTexts: sonusUserListIndex.setDescription('Identifies the target user list entry.')
sonusUserListState = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 1, 2, 1, 2), SonusAdminState()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusUserListState.setStatus('current')
if mibBuilder.loadTexts: sonusUserListState.setDescription('The administrative state of this user entry.')
sonusUserListUserName = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 1, 2, 1, 3), SonusName()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusUserListUserName.setStatus('current')
if mibBuilder.loadTexts: sonusUserListUserName.setDescription('The user name of this user.')
sonusUserListProfileName = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 1, 2, 1, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 23))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusUserListProfileName.setStatus('current')
if mibBuilder.loadTexts: sonusUserListProfileName.setDescription('The name of the profile applied to this user entry.')
sonusUserListPasswd = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 1, 2, 1, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(4, 16))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusUserListPasswd.setStatus('current')
if mibBuilder.loadTexts: sonusUserListPasswd.setDescription('The password for this user.')
sonusUserListComment = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 1, 2, 1, 6), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 31))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusUserListComment.setStatus('current')
if mibBuilder.loadTexts: sonusUserListComment.setDescription('A comment that is associated with this user.')
sonusUserListAccess = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 1, 2, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("readOnly", 1), ("readWrite", 2), ("admin", 3))).clone('readOnly')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusUserListAccess.setStatus('current')
if mibBuilder.loadTexts: sonusUserListAccess.setDescription('The priviledge level of this user.')
sonusUserListRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 1, 2, 1, 8), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusUserListRowStatus.setStatus('current')
if mibBuilder.loadTexts: sonusUserListRowStatus.setDescription('Row status object for this table.')
sonusUserListStatusTable = MibTable((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 1, 3), )
if mibBuilder.loadTexts: sonusUserListStatusTable.setStatus('current')
if mibBuilder.loadTexts: sonusUserListStatusTable.setDescription('This table specifies status of the user access list for the node.')
sonusUserListStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 1, 3, 1), ).setIndexNames((0, "SONUS-NODE-MIB", "sonusUserListStatusIndex"))
if mibBuilder.loadTexts: sonusUserListStatusEntry.setStatus('current')
if mibBuilder.loadTexts: sonusUserListStatusEntry.setDescription('')
sonusUserListStatusIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 1, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 6)))
if mibBuilder.loadTexts: sonusUserListStatusIndex.setStatus('current')
if mibBuilder.loadTexts: sonusUserListStatusIndex.setDescription('Identifies the target user list status entry.')
sonusUserListStatusLastConfigChange = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 1, 3, 1, 2), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusUserListStatusLastConfigChange.setStatus('current')
if mibBuilder.loadTexts: sonusUserListStatusLastConfigChange.setDescription('Octet string that identifies the GMT timestamp of last successful SET PDU from this CLI user. field octects contents range ----- ------- -------- ----- 1 1-2 year 0..65536 2 3 month 1..12 3 4 day 1..31 4 5 hour 0..23 5 6 minutes 0..59 6 7 seconds 0..59 7 8 deci-sec 0..9 * Notes: - the value of year is in network-byte order')
sonusUserProfile = MibIdentifier((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 2))
sonusUserProfileNextIndex = MibScalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 2, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusUserProfileNextIndex.setStatus('current')
if mibBuilder.loadTexts: sonusUserProfileNextIndex.setDescription('The next valid index to use when creating an entry in the sonusUserProfileTable.')
sonusUserProfileTable = MibTable((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 2, 2), )
if mibBuilder.loadTexts: sonusUserProfileTable.setStatus('current')
if mibBuilder.loadTexts: sonusUserProfileTable.setDescription('This table specifies the user access list for the node.')
sonusUserProfileEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 2, 2, 1), ).setIndexNames((0, "SONUS-NODE-MIB", "sonusUserProfileIndex"))
if mibBuilder.loadTexts: sonusUserProfileEntry.setStatus('current')
if mibBuilder.loadTexts: sonusUserProfileEntry.setDescription('')
sonusUserProfileIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 2, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 6))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusUserProfileIndex.setStatus('current')
if mibBuilder.loadTexts: sonusUserProfileIndex.setDescription('Identifies the target profile entry.')
sonusUserProfileName = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 2, 2, 1, 2), SonusName()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusUserProfileName.setStatus('current')
if mibBuilder.loadTexts: sonusUserProfileName.setDescription('The name of this user profile. This object is required to create the table entry.')
sonusUserProfileUserState = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 2, 2, 1, 3), SonusAdminState()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusUserProfileUserState.setStatus('current')
if mibBuilder.loadTexts: sonusUserProfileUserState.setDescription('The administrative state of this profiled user entry.')
sonusUserProfileUserPasswd = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 2, 2, 1, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(4, 16))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusUserProfileUserPasswd.setStatus('current')
if mibBuilder.loadTexts: sonusUserProfileUserPasswd.setDescription('The password for the profiled user entry.')
sonusUserProfileUserComment = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 2, 2, 1, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 31))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusUserProfileUserComment.setStatus('current')
if mibBuilder.loadTexts: sonusUserProfileUserComment.setDescription('The comment that is associated with the profiled user entry.')
sonusUserProfileUserAccess = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 2, 2, 1, 6), SonusAccessLevel()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusUserProfileUserAccess.setStatus('current')
if mibBuilder.loadTexts: sonusUserProfileUserAccess.setDescription('The priviledge level of the profiled user entry.')
sonusUserProfileUserCommentState = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 2, 2, 1, 7), SonusAdminState()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusUserProfileUserCommentState.setStatus('current')
if mibBuilder.loadTexts: sonusUserProfileUserCommentState.setDescription('Indicates whether the sonusUserProfileUserComment object is present in this user profile.')
sonusUserProfileUserPasswdState = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 2, 2, 1, 8), SonusAdminState()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusUserProfileUserPasswdState.setStatus('current')
if mibBuilder.loadTexts: sonusUserProfileUserPasswdState.setDescription('Indicates whether the sonusUserProfileUserPasswd object is present in this user profile.')
sonusUserProfileUserAccessState = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 2, 2, 1, 9), SonusAdminState()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusUserProfileUserAccessState.setStatus('current')
if mibBuilder.loadTexts: sonusUserProfileUserAccessState.setDescription('Indicates whether the sonusUserProfileUserAccess object is present in this user profile.')
sonusUserProfileUserStateState = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 2, 2, 1, 10), SonusAdminState()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusUserProfileUserStateState.setStatus('current')
if mibBuilder.loadTexts: sonusUserProfileUserStateState.setDescription('Indicates whether the sonusUserProfileUserState object is present in this user profile.')
sonusUserProfileRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 2, 2, 1, 11), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusUserProfileRowStatus.setStatus('current')
if mibBuilder.loadTexts: sonusUserProfileRowStatus.setDescription('')
sonusSwLoad = MibIdentifier((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 4))
sonusSwLoadTable = MibTable((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 4, 1), )
if mibBuilder.loadTexts: sonusSwLoadTable.setStatus('current')
if mibBuilder.loadTexts: sonusSwLoadTable.setDescription('This table specifies the hardware type based software load table for the server modules in the node.')
sonusSwLoadEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 4, 1, 1), ).setIndexNames((0, "SONUS-NODE-MIB", "sonusSwLoadAdmnIndex"))
if mibBuilder.loadTexts: sonusSwLoadEntry.setStatus('current')
if mibBuilder.loadTexts: sonusSwLoadEntry.setDescription('')
sonusSwLoadAdmnIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 4, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusSwLoadAdmnIndex.setStatus('current')
if mibBuilder.loadTexts: sonusSwLoadAdmnIndex.setDescription('Identifies the target software load entry.')
sonusSwLoadAdmnImageName = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 4, 1, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 15))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusSwLoadAdmnImageName.setStatus('current')
if mibBuilder.loadTexts: sonusSwLoadAdmnImageName.setDescription('Identifies the name of the image to load for the hardware type identified by sonusSwLoadAdmnHwType.')
sonusSwLoadAdmnHwType = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 4, 1, 1, 3), ServerTypeID()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusSwLoadAdmnHwType.setStatus('current')
if mibBuilder.loadTexts: sonusSwLoadAdmnHwType.setDescription('Identifies the target hardware type for the load image. This object can only be written at row creation.')
sonusSwLoadAdmnRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 4, 1, 1, 4), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusSwLoadAdmnRowStatus.setStatus('current')
if mibBuilder.loadTexts: sonusSwLoadAdmnRowStatus.setDescription('The RowStatus object for this row.')
sonusSwLoadSpecTable = MibTable((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 4, 2), )
if mibBuilder.loadTexts: sonusSwLoadSpecTable.setStatus('current')
if mibBuilder.loadTexts: sonusSwLoadSpecTable.setDescription('This table specifies the hardware type based software load table for the server modules in the node.')
sonusSwLoadSpecEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 4, 2, 1), ).setIndexNames((0, "SONUS-NODE-MIB", "sonusSwLoadSpecAdmnShelfIndex"), (0, "SONUS-NODE-MIB", "sonusSwLoadSpecAdmnSlotIndex"))
if mibBuilder.loadTexts: sonusSwLoadSpecEntry.setStatus('current')
if mibBuilder.loadTexts: sonusSwLoadSpecEntry.setDescription('')
sonusSwLoadSpecAdmnShelfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 4, 2, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusSwLoadSpecAdmnShelfIndex.setStatus('current')
if mibBuilder.loadTexts: sonusSwLoadSpecAdmnShelfIndex.setDescription('Identifies the target shelf for this load entry entry.')
sonusSwLoadSpecAdmnSlotIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 4, 2, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusSwLoadSpecAdmnSlotIndex.setStatus('current')
if mibBuilder.loadTexts: sonusSwLoadSpecAdmnSlotIndex.setDescription('Identifies the target slot within the chassis for this load entry.')
sonusSwLoadSpecAdmnImageName = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 4, 2, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 15))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusSwLoadSpecAdmnImageName.setStatus('current')
if mibBuilder.loadTexts: sonusSwLoadSpecAdmnImageName.setDescription('Identifies the name of the image to load.')
sonusSwLoadSpecAdmnRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 4, 2, 1, 4), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusSwLoadSpecAdmnRowStatus.setStatus('current')
if mibBuilder.loadTexts: sonusSwLoadSpecAdmnRowStatus.setDescription('The RowStatus object for this row.')
sonusParam = MibIdentifier((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5))
sonusParamStatusObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1))
sonusParamSaveSeqNumber = MibScalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusParamSaveSeqNumber.setStatus('current')
if mibBuilder.loadTexts: sonusParamSaveSeqNumber.setDescription('The parameter save sequence number assigned to this parameter file.')
sonusParamSaveTimeStart = MibScalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusParamSaveTimeStart.setStatus('current')
if mibBuilder.loadTexts: sonusParamSaveTimeStart.setDescription('The system uptime, measured in milliseconds, when the last parameter save cycle started.')
sonusParamSaveTimeStop = MibScalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusParamSaveTimeStop.setStatus('current')
if mibBuilder.loadTexts: sonusParamSaveTimeStop.setDescription('The system uptime, measured in milliseconds, when the last parameter save cycle ended.')
sonusParamSaveDuration = MibScalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusParamSaveDuration.setStatus('current')
if mibBuilder.loadTexts: sonusParamSaveDuration.setDescription('The measured time in milliseconds to complete the last parameter save cycle.')
sonusParamSaveTotalBytes = MibScalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusParamSaveTotalBytes.setStatus('current')
if mibBuilder.loadTexts: sonusParamSaveTotalBytes.setDescription('The number of bytes contained in the last binary parameter file saved.')
sonusParamSaveTotalRecords = MibScalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusParamSaveTotalRecords.setStatus('current')
if mibBuilder.loadTexts: sonusParamSaveTotalRecords.setDescription('The number of individual parameter records contained in the last binary parameter file saved.')
sonusParamSaveFilename = MibScalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 7), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 31))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusParamSaveFilename.setStatus('current')
if mibBuilder.loadTexts: sonusParamSaveFilename.setDescription('Identifies the name of the image to load for the hardware type identified by sonusSwLoadAdmnHwType.')
sonusParamSaveState = MibScalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=NamedValues(("idle", 1), ("synchronize", 2), ("lock", 3), ("holdoff", 4), ("fopen", 5), ("collect", 6), ("fclose", 7), ("done", 8), ("retry", 9)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusParamSaveState.setStatus('current')
if mibBuilder.loadTexts: sonusParamSaveState.setDescription("The current state of the active Management Server's parameter saving process.")
sonusParamLoadServer = MibScalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 9), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusParamLoadServer.setStatus('current')
if mibBuilder.loadTexts: sonusParamLoadServer.setDescription('The IP Address of the NFS server from which parameters were loaded from.')
sonusParamLoadFileType = MibScalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("primary", 1), ("backup", 2), ("temporary", 3), ("none", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusParamLoadFileType.setStatus('current')
if mibBuilder.loadTexts: sonusParamLoadFileType.setDescription('The type of binary parameter which was loaded. Under normal circumstances, the primary(1) parameter file will always be loaded. When default parameters are used, no parameter file is loaded, and the value none(4) is used for the file type.')
sonusParamLoadStatus = MibScalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("defaults", 1), ("success", 2), ("paramError", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusParamLoadStatus.setStatus('current')
if mibBuilder.loadTexts: sonusParamLoadStatus.setDescription('Indicates the status of the last binary parameter file load. The value defaults(1) indicates that parameters were not loaded and that the node began with default parameters. The value success(2) indicates that a binary parameter file was successfully loaded when the node booted. The value paramError(3) indicates that the node attempted to load a binary parameter file and that there was an error in the processing of the file. The node may be running with a partial parameter file when this error is indicated.')
sonusParamLoadSeqNumber = MibScalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 12), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusParamLoadSeqNumber.setStatus('current')
if mibBuilder.loadTexts: sonusParamLoadSeqNumber.setDescription('')
sonusParamLoadTotalRecords = MibScalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 13), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusParamLoadTotalRecords.setStatus('current')
if mibBuilder.loadTexts: sonusParamLoadTotalRecords.setDescription('')
sonusParamLoadTotalBytes = MibScalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 14), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusParamLoadTotalBytes.setStatus('current')
if mibBuilder.loadTexts: sonusParamLoadTotalBytes.setDescription('')
sonusParamLoadDuration = MibScalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 15), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusParamLoadDuration.setStatus('current')
if mibBuilder.loadTexts: sonusParamLoadDuration.setDescription('')
sonusParamLoadSerialNum = MibScalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 16), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 31))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusParamLoadSerialNum.setStatus('current')
if mibBuilder.loadTexts: sonusParamLoadSerialNum.setDescription('Identifies the serial number of the node which created the parameter file loaded by this node.')
sonusParamSavePrimarySrvrState = MibScalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 17), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("unknown", 1), ("failed", 2), ("failing", 3), ("behind", 4), ("current", 5), ("ahead", 6)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusParamSavePrimarySrvrState.setStatus('current')
if mibBuilder.loadTexts: sonusParamSavePrimarySrvrState.setDescription('The current state of parameter saving to this NFS server.')
sonusParamSavePrimarySrvrReason = MibScalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("success", 1), ("create", 2), ("fopen", 3), ("header", 4), ("timer", 5), ("nfs", 6), ("flush", 7), ("write", 8), ("close", 9), ("move", 10), ("memory", 11), ("none", 12)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusParamSavePrimarySrvrReason.setStatus('current')
if mibBuilder.loadTexts: sonusParamSavePrimarySrvrReason.setDescription('The failure code associated with the last parameter save pass to this NFS server.')
sonusParamSaveSecondarySrvrState = MibScalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("unknown", 1), ("failed", 2), ("failing", 3), ("behind", 4), ("current", 5), ("ahead", 6)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusParamSaveSecondarySrvrState.setStatus('current')
if mibBuilder.loadTexts: sonusParamSaveSecondarySrvrState.setDescription('The current state of parameter saving to this NFS server.')
sonusParamSaveSecondarySrvrReason = MibScalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("success", 1), ("create", 2), ("fopen", 3), ("header", 4), ("timer", 5), ("nfs", 6), ("flush", 7), ("write", 8), ("close", 9), ("move", 10), ("memory", 11), ("none", 12)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusParamSaveSecondarySrvrReason.setStatus('current')
if mibBuilder.loadTexts: sonusParamSaveSecondarySrvrReason.setDescription('The failure code associated with the last parameter save pass to this NFS server.')
sonusParamLastSaveTime = MibScalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 21), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusParamLastSaveTime.setStatus('current')
if mibBuilder.loadTexts: sonusParamLastSaveTime.setDescription('Octet string that identifies the GMT timestamp of last successful PIF write. field octects contents range ----- ------- -------- ----- 1 1-2 year 0..65536 2 3 month 1..12 3 4 day 1..31 4 5 hour 0..23 5 6 minutes 0..59 6 7 seconds 0..59 7 8 deci-sec 0..9 * Notes: - the value of year is in network-byte order ')
sonusParamAdminObject = MibIdentifier((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 2))
sonusParamAdmnMaxIncrPifs = MibScalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 2, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 10))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusParamAdmnMaxIncrPifs.setStatus('current')
if mibBuilder.loadTexts: sonusParamAdmnMaxIncrPifs.setDescription('The maximum of Incremental PIF files saved per NFS server')
sonusNfs = MibIdentifier((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6))
sonusNfsAdmnTable = MibTable((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 1), )
if mibBuilder.loadTexts: sonusNfsAdmnTable.setStatus('current')
if mibBuilder.loadTexts: sonusNfsAdmnTable.setDescription('This table specifies the configurable NFS options for each MNS in each shelf.')
sonusNfsAdmnEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 1, 1), ).setIndexNames((0, "SONUS-NODE-MIB", "sonusNfsAdmnShelfIndex"), (0, "SONUS-NODE-MIB", "sonusNfsAdmnSlotIndex"))
if mibBuilder.loadTexts: sonusNfsAdmnEntry.setStatus('current')
if mibBuilder.loadTexts: sonusNfsAdmnEntry.setDescription('')
sonusNfsAdmnShelfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 6))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNfsAdmnShelfIndex.setStatus('current')
if mibBuilder.loadTexts: sonusNfsAdmnShelfIndex.setDescription('Identifies the target shelf. This object returns the value of sonusNodeShelfStatIndex which was used to index into this table.')
sonusNfsAdmnSlotIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 1, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNfsAdmnSlotIndex.setStatus('current')
if mibBuilder.loadTexts: sonusNfsAdmnSlotIndex.setDescription('Identifies the target MNS module slot within the shelf.')
sonusNfsAdmnMountServer = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("noop", 1), ("primary", 2), ("secondary", 3)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusNfsAdmnMountServer.setStatus('current')
if mibBuilder.loadTexts: sonusNfsAdmnMountServer.setDescription('Mounts the Primary or Secondary NFS server using mount parameters obtained from the NVS Boot parameters sonusBparamNfsPrimary or sonusBparamNfsSecondary, and sonusBparamNfsMountPri or sonusBparamNfsMountSec. Continuous retries will occur until the mount succeeds. This object is always read as noop(1).')
sonusNfsAdmnUnmountServer = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("noop", 1), ("standby", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusNfsAdmnUnmountServer.setStatus('current')
if mibBuilder.loadTexts: sonusNfsAdmnUnmountServer.setDescription('Unmounts the standby NFS server. Note: unmounting this server will disrupt any file I/O currently taking place on it. Continuous retries will occur until the unmount succeeds. This object is always read as noop(1).')
sonusNfsAdmnToggleActiveServer = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 1, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("noop", 1), ("toggle", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusNfsAdmnToggleActiveServer.setStatus('current')
if mibBuilder.loadTexts: sonusNfsAdmnToggleActiveServer.setDescription('Toggles the Active NFS server between the Primary and Secondary, provided both servers are currently mounted. This object is always read as noop(1).')
sonusNfsAdmnSetWritable = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 1, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("noop", 1), ("primary", 2), ("secondary", 3)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sonusNfsAdmnSetWritable.setStatus('current')
if mibBuilder.loadTexts: sonusNfsAdmnSetWritable.setDescription('Clears the perception of a read-only condition on the Primary or Secondary NFS server, so that server will be considered viable as the Active server. This object is always read as noop(1).')
sonusNfsStatTable = MibTable((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 2), )
if mibBuilder.loadTexts: sonusNfsStatTable.setStatus('current')
if mibBuilder.loadTexts: sonusNfsStatTable.setDescription('This table specifies NFS status objects for each MNS in each shelf.')
sonusNfsStatEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 2, 1), ).setIndexNames((0, "SONUS-NODE-MIB", "sonusNfsStatShelfIndex"), (0, "SONUS-NODE-MIB", "sonusNfsStatSlotIndex"))
if mibBuilder.loadTexts: sonusNfsStatEntry.setStatus('current')
if mibBuilder.loadTexts: sonusNfsStatEntry.setDescription('')
sonusNfsStatShelfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 6))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNfsStatShelfIndex.setStatus('current')
if mibBuilder.loadTexts: sonusNfsStatShelfIndex.setDescription('Identifies the target shelf. This object returns the value of sonusNodeShelfStatIndex which was used to index into this table.')
sonusNfsStatSlotIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 2, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNfsStatSlotIndex.setStatus('current')
if mibBuilder.loadTexts: sonusNfsStatSlotIndex.setDescription('Identifies the target MNS module slot within the shelf.')
sonusNfsStatPrimaryStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 2, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("mounted", 1), ("mounting", 2), ("unmounted", 3), ("unmounting", 4), ("readOnly", 5), ("testing", 6), ("failed", 7), ("invalid", 8)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNfsStatPrimaryStatus.setStatus('current')
if mibBuilder.loadTexts: sonusNfsStatPrimaryStatus.setDescription('Indicates the mount status of the Primary NFS server: mounted and functioning properly, attemping to mount, indefinitely unmounted, attempting to unmount, mounted but read-only, testing connectivity, server failure, or invalid NFS parameters.')
sonusNfsStatSecondaryStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("mounted", 1), ("mounting", 2), ("unmounted", 3), ("unmounting", 4), ("readOnly", 5), ("testing", 6), ("failed", 7), ("invalid", 8)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNfsStatSecondaryStatus.setStatus('current')
if mibBuilder.loadTexts: sonusNfsStatSecondaryStatus.setDescription('Indicates the mount status of the Secondary NFS server: mounted and functioning properly, attemping to mount, indefinitely unmounted, attempting to unmount, mounted but read-only, testing connectivity, server failure, or invalid NFS parameters.')
sonusNfsStatActiveServer = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 2, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("none", 1), ("primary", 2), ("secondary", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNfsStatActiveServer.setStatus('current')
if mibBuilder.loadTexts: sonusNfsStatActiveServer.setDescription('Indicates the current Active NFS server. This may change due to NFS failures or NFS administrative operations.')
sonusNfsStatStandbyServer = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 2, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("none", 1), ("primary", 2), ("secondary", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNfsStatStandbyServer.setStatus('current')
if mibBuilder.loadTexts: sonusNfsStatStandbyServer.setDescription('Indicates the current Standby NFS server. This may change due to NFS failures or NFS administrative operations.')
sonusNfsStatPrimaryIP = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 2, 1, 11), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNfsStatPrimaryIP.setStatus('current')
if mibBuilder.loadTexts: sonusNfsStatPrimaryIP.setDescription('The IP Address of the currently mounted Primary NFS server. This may differ from the NVS settings if the user modified sonusBparamNfsPrimary without unmounting and remounting the Primary server.')
sonusNfsStatSecondaryIP = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 2, 1, 12), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNfsStatSecondaryIP.setStatus('current')
if mibBuilder.loadTexts: sonusNfsStatSecondaryIP.setDescription('The IP Address of the currently mounted Secondary NFS server. This may differ from the NVS settings if the user modified sonusBparamNfsSecondary without unmounting and remounting the Secondary server.')
sonusNfsStatPrimaryMount = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 2, 1, 13), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(2, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNfsStatPrimaryMount.setStatus('current')
if mibBuilder.loadTexts: sonusNfsStatPrimaryMount.setDescription('The mount point currently in use on the Primary NFS server. This may differ from the NVS settings if the user modified sonusBparamNfsMountPri without unmounting and remounting the Primary server.')
sonusNfsStatSecondaryMount = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 2, 1, 14), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(2, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNfsStatSecondaryMount.setStatus('current')
if mibBuilder.loadTexts: sonusNfsStatSecondaryMount.setDescription('The mount point currently in use on the Secondary NFS server. This may differ from the NVS settings if the user modified sonusBparamNfsMountSec without unmounting and remounting the Secondary server.')
sonusNfsStatPrimaryLastError = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 2, 1, 15), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11))).clone(namedValues=NamedValues(("none", 1), ("badVolumeStructure", 2), ("tooManyFiles", 3), ("volumeFull", 4), ("serverHardError", 5), ("quotaExceeded", 6), ("staleNfsHandle", 7), ("nfsTimeout", 8), ("rpcCanNotSend", 9), ("noAccess", 10), ("other", 11)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNfsStatPrimaryLastError.setStatus('current')
if mibBuilder.loadTexts: sonusNfsStatPrimaryLastError.setDescription('Last consequential error received from the Primary NFS server. This object is reset to none(1) if the server is remounted.')
sonusNfsStatSecondaryLastError = MibTableColumn((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 2, 1, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11))).clone(namedValues=NamedValues(("none", 1), ("badVolumeStructure", 2), ("tooManyFiles", 3), ("volumeFull", 4), ("serverHardError", 5), ("quotaExceeded", 6), ("staleNfsHandle", 7), ("nfsTimeout", 8), ("rpcCanNotSend", 9), ("noAccess", 10), ("other", 11)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNfsStatSecondaryLastError.setStatus('current')
if mibBuilder.loadTexts: sonusNfsStatSecondaryLastError.setDescription('Last consequential error received from the Secondary NFS server. This object is reset to none(1) if the server is remounted.')
sonusNodeMIBNotifications = MibIdentifier((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2))
sonusNodeMIBNotificationsPrefix = MibIdentifier((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0))
sonusNodeMIBNotificationsObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 1))
sonusNfsServer = MibScalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("primary", 1), ("secondary", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNfsServer.setStatus('current')
if mibBuilder.loadTexts: sonusNfsServer.setDescription('The NFS server referred to by the trap.')
sonusNfsRole = MibScalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("active", 1), ("standby", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNfsRole.setStatus('current')
if mibBuilder.loadTexts: sonusNfsRole.setDescription('Role assumed by the NFS server referred to by the trap.')
sonusNfsServerIp = MibScalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 1, 3), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNfsServerIp.setStatus('current')
if mibBuilder.loadTexts: sonusNfsServerIp.setDescription('The IP address of the NFS server referred to by the trap.')
sonusNfsServerMount = MibScalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 1, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(2, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNfsServerMount.setStatus('current')
if mibBuilder.loadTexts: sonusNfsServerMount.setDescription('The mount point used on the NFS server referred to by the trap.')
sonusNfsReason = MibScalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("adminOperation", 1), ("serverFailure", 2), ("serverNotWritable", 3), ("serverRecovery", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNfsReason.setStatus('current')
if mibBuilder.loadTexts: sonusNfsReason.setDescription('The reason for the generation of the trap - administrative operation (mount, unmount, or toggle), server failure, server not writable, or server recovery.')
sonusNfsErrorCode = MibScalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11))).clone(namedValues=NamedValues(("none", 1), ("badVolumeStructure", 2), ("tooManyFiles", 3), ("volumeFull", 4), ("serverHardError", 5), ("quotaExceeded", 6), ("staleNfsHandle", 7), ("nfsTimeout", 8), ("rpcCanNotSend", 9), ("noAccess", 10), ("other", 11)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sonusNfsErrorCode.setStatus('current')
if mibBuilder.loadTexts: sonusNfsErrorCode.setDescription('The NFS error that occurred.')
sonusNodeShelfPowerA48VdcNormalNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 1)).setObjects(("SONUS-COMMON-MIB", "sonusShelfIndex"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeShelfPowerA48VdcNormalNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeShelfPowerA48VdcNormalNotification.setDescription('A sonusShelfPowerA48VdcNormal trap indicates that 48V DC source A is operating normally for the specified shelf.')
sonusNodeShelfPowerB48VdcNormalNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 2)).setObjects(("SONUS-COMMON-MIB", "sonusShelfIndex"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeShelfPowerB48VdcNormalNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeShelfPowerB48VdcNormalNotification.setDescription('A sonusShelfPowerB48VdcNormal trap indicates that 48V DC source B is operating normally for the specified shelf.')
sonusNodeShelfPowerA48VdcFailureNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 3)).setObjects(("SONUS-COMMON-MIB", "sonusShelfIndex"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeShelfPowerA48VdcFailureNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeShelfPowerA48VdcFailureNotification.setDescription('A sonusShelfPowerA48VdcFailure trap indicates that 48V DC source A has failed for the specified shelf.')
sonusNodeShelfPowerB48VdcFailureNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 4)).setObjects(("SONUS-COMMON-MIB", "sonusShelfIndex"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeShelfPowerB48VdcFailureNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeShelfPowerB48VdcFailureNotification.setDescription('A sonusShelfPowerB48VdcFailure trap indicates that 48V DC source A has failed for the specified shelf.')
sonusNodeShelfFanTrayFailureNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 5)).setObjects(("SONUS-COMMON-MIB", "sonusShelfIndex"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeShelfFanTrayFailureNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeShelfFanTrayFailureNotification.setDescription('A sonusNodeShelfFanTrayFailure trap indicates that the fan controller on the specified shelf is indicating a problem. The Event Log should be examined for more detail. The fan tray should be replaced immediately.')
sonusNodeShelfFanTrayOperationalNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 6)).setObjects(("SONUS-COMMON-MIB", "sonusShelfIndex"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeShelfFanTrayOperationalNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeShelfFanTrayOperationalNotification.setDescription('A sonusNodeShelfFanTrayOperational trap indicates that the fan controller is fully operational on the specified shelf.')
sonusNodeShelfFanTrayRemovedNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 7)).setObjects(("SONUS-COMMON-MIB", "sonusShelfIndex"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeShelfFanTrayRemovedNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeShelfFanTrayRemovedNotification.setDescription('A sonusNodeShelfFanTrayRemoved trap indicates that the fan tray has been removed from the specified shelf. The fan tray should be replaced as soon as possible to avoid damage to the equipment as a result of overheating.')
sonusNodeShelfFanTrayPresentNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 8)).setObjects(("SONUS-COMMON-MIB", "sonusShelfIndex"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeShelfFanTrayPresentNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeShelfFanTrayPresentNotification.setDescription('A sonusNodeShelfFanTrayPresent trap indicates that a fan tray is present for the specified shelf.')
sonusNodeShelfIntakeTempWarningNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 9)).setObjects(("SONUS-COMMON-MIB", "sonusShelfIndex"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeShelfIntakeTempWarningNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeShelfIntakeTempWarningNotification.setDescription('A sonusNodeShelfIntakeTempWarning trap indicates that the intake temperature of the specified shelf has exceeded 45C degrees.')
sonusNodeServerTempWarningNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 10)).setObjects(("SONUS-COMMON-MIB", "sonusShelfIndex"), ("SONUS-COMMON-MIB", "sonusSlotIndex"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeServerTempWarningNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeServerTempWarningNotification.setDescription('A sonusNodeServerTempWarning trap indicates that the operating temperature of the specified shelf and slot has exceeded 60C degrees.')
sonusNodeServerTempFailureNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 11)).setObjects(("SONUS-COMMON-MIB", "sonusShelfIndex"), ("SONUS-COMMON-MIB", "sonusSlotIndex"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeServerTempFailureNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeServerTempFailureNotification.setDescription('A sonusNodeServerTempFailure trap indicates that the operating temperature of the specified shelf and slot has exceeded 70C degrees. A server module operating for any length of time at this temperature is in danger of being physically damaged. The specified module should be disabled and/or removed from the shelf.')
sonusNodeServerTempNormalNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 12)).setObjects(("SONUS-COMMON-MIB", "sonusShelfIndex"), ("SONUS-COMMON-MIB", "sonusSlotIndex"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeServerTempNormalNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeServerTempNormalNotification.setDescription('A sonusNodeServerTempNormal trap indicates that the operating temperature of the specified shelf and slot has is below 60C degrees.')
sonusNodeServerInsertedNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 13)).setObjects(("SONUS-COMMON-MIB", "sonusShelfIndex"), ("SONUS-COMMON-MIB", "sonusSlotIndex"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeServerInsertedNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeServerInsertedNotification.setDescription('A sonusNodeServerInserted trap indicates that a server module has been inserted in the specified shelf and slot.')
sonusNodeServerRemovedNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 14)).setObjects(("SONUS-COMMON-MIB", "sonusShelfIndex"), ("SONUS-COMMON-MIB", "sonusSlotIndex"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeServerRemovedNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeServerRemovedNotification.setDescription('A sonusNodeServerRemoved trap indicates that a server module has been removed from the specified shelf and slot.')
sonusNodeServerResetNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 15)).setObjects(("SONUS-COMMON-MIB", "sonusShelfIndex"), ("SONUS-COMMON-MIB", "sonusSlotIndex"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeServerResetNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeServerResetNotification.setDescription('A sonusNodeServerReset trap indicates that the server module in the specified shelf and slot has been reset.')
sonusNodeServerOperationalNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 16)).setObjects(("SONUS-COMMON-MIB", "sonusShelfIndex"), ("SONUS-COMMON-MIB", "sonusSlotIndex"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeServerOperationalNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeServerOperationalNotification.setDescription('A sonusNodeServerOperational trap indicates that the booting and initialization has completed successfully for the server module in the specified shelf and slot.')
sonusNodeServerPowerFailureNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 17)).setObjects(("SONUS-COMMON-MIB", "sonusShelfIndex"), ("SONUS-COMMON-MIB", "sonusSlotIndex"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeServerPowerFailureNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeServerPowerFailureNotification.setDescription('A sonusNodeServerPowerFailure trap indicates that a power failure has been detected for the server module in the specified shelf and slot.')
sonusNodeServerSoftwareFailureNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 18)).setObjects(("SONUS-COMMON-MIB", "sonusShelfIndex"), ("SONUS-COMMON-MIB", "sonusSlotIndex"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeServerSoftwareFailureNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeServerSoftwareFailureNotification.setDescription('A sonusNodeServerSoftwareFailure trap indicates that a software failure has occurred or the server module in the specified shelf and slot. The EventLog should be viewed for possible additional information.')
sonusNodeServerHardwareFailureNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 19)).setObjects(("SONUS-COMMON-MIB", "sonusShelfIndex"), ("SONUS-COMMON-MIB", "sonusSlotIndex"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeServerHardwareFailureNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeServerHardwareFailureNotification.setDescription('A sonusNodeServerHardwareFailure trap indicates that a hardware failure has occurred or the server module in the specified shelf and slot. The EventLog should be viewed for possible additional information.')
sonusNodeAdapterInsertedNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 20)).setObjects(("SONUS-COMMON-MIB", "sonusShelfIndex"), ("SONUS-COMMON-MIB", "sonusSlotIndex"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeAdapterInsertedNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeAdapterInsertedNotification.setDescription('A sonusNodeAdapterInserted trap indicates that an adapter module has been inserted in the specified shelf and slot.')
sonusNodeAdapterRemovedNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 21)).setObjects(("SONUS-COMMON-MIB", "sonusShelfIndex"), ("SONUS-COMMON-MIB", "sonusSlotIndex"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeAdapterRemovedNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeAdapterRemovedNotification.setDescription('A sonusNodeAdpaterRemoved trap indicates that an adapter module has been removed from the specified shelf and slot.')
sonusNodeMtaInsertedNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 22)).setObjects(("SONUS-COMMON-MIB", "sonusShelfIndex"), ("SONUS-COMMON-MIB", "sonusSlotIndex"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeMtaInsertedNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeMtaInsertedNotification.setDescription('A sonusNodeMtaInserted trap indicates that a Management Timing Adapter has been inserted in the specified shelf and slot.')
sonusNodeMtaRemovedNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 23)).setObjects(("SONUS-COMMON-MIB", "sonusShelfIndex"), ("SONUS-COMMON-MIB", "sonusSlotIndex"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeMtaRemovedNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeMtaRemovedNotification.setDescription('A sonusNodeMtaRemoved trap indicates that a Management Timing Adapter has been removed from the specified shelf and slot.')
sonusNodeEthernetActiveNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 24)).setObjects(("SONUS-COMMON-MIB", "sonusShelfIndex"), ("SONUS-COMMON-MIB", "sonusSlotIndex"), ("SONUS-COMMON-MIB", "sonusPortIndex"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeEthernetActiveNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeEthernetActiveNotification.setDescription('A sonusNodeEthernetActive trap indicates that an Ethernet link is active for the specified shelf, slot and port.')
sonusNodeEthernetInactiveNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 25)).setObjects(("SONUS-COMMON-MIB", "sonusShelfIndex"), ("SONUS-COMMON-MIB", "sonusSlotIndex"), ("SONUS-COMMON-MIB", "sonusPortIndex"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeEthernetInactiveNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeEthernetInactiveNotification.setDescription('A sonusNodeEthernetInactive trap indicates that an Ethernet link is inactive for the specified shelf, slot and port.')
sonusNodeEthernetDegradedNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 26)).setObjects(("SONUS-COMMON-MIB", "sonusShelfIndex"), ("SONUS-COMMON-MIB", "sonusSlotIndex"), ("SONUS-COMMON-MIB", "sonusPortIndex"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeEthernetDegradedNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeEthernetDegradedNotification.setDescription('A sonusNodeEthernetDegraded trap indicates that an Ethernet link is detecting network errors for the specified shelf, slot and port. The EventLog should be viewed for possible additional information.')
sonusNodeBootNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 27)).setObjects(("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeBootNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeBootNotification.setDescription("The Management Node Server module, in the node's master shelf, has begun the Node Boot process.")
sonusNodeSlaveShelfBootNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 28)).setObjects(("SONUS-COMMON-MIB", "sonusShelfIndex"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeSlaveShelfBootNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSlaveShelfBootNotification.setDescription("The Management Node Server module, in a node's slave shelf, has begun the Node Boot process.")
sonusNodeNfsServerSwitchoverNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 29)).setObjects(("SONUS-COMMON-MIB", "sonusShelfIndex"), ("SONUS-COMMON-MIB", "sonusSlotIndex"), ("SONUS-NODE-MIB", "sonusNfsServer"), ("SONUS-NODE-MIB", "sonusNfsServerIp"), ("SONUS-NODE-MIB", "sonusNfsServerMount"), ("SONUS-NODE-MIB", "sonusNfsReason"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeNfsServerSwitchoverNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeNfsServerSwitchoverNotification.setDescription('Indicates that the Active NFS server has switched over to the Standby for the specified reason on the MNS in the given shelf and slot. The NFS server specified is the new Active.')
sonusNodeNfsServerOutOfServiceNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 30)).setObjects(("SONUS-COMMON-MIB", "sonusShelfIndex"), ("SONUS-COMMON-MIB", "sonusSlotIndex"), ("SONUS-NODE-MIB", "sonusNfsServer"), ("SONUS-NODE-MIB", "sonusNfsServerIp"), ("SONUS-NODE-MIB", "sonusNfsServerMount"), ("SONUS-NODE-MIB", "sonusNfsReason"), ("SONUS-NODE-MIB", "sonusNfsErrorCode"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeNfsServerOutOfServiceNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeNfsServerOutOfServiceNotification.setDescription('Indicates that the NFS server specified went out-of-service for the reason provided on the MNS in the given shelf and slot. If it was the result of a server failure, the error that caused the failure is also specified.')
sonusNodeNfsServerInServiceNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 31)).setObjects(("SONUS-COMMON-MIB", "sonusShelfIndex"), ("SONUS-COMMON-MIB", "sonusSlotIndex"), ("SONUS-NODE-MIB", "sonusNfsServer"), ("SONUS-NODE-MIB", "sonusNfsServerIp"), ("SONUS-NODE-MIB", "sonusNfsServerMount"), ("SONUS-NODE-MIB", "sonusNfsReason"), ("SONUS-NODE-MIB", "sonusNfsRole"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeNfsServerInServiceNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeNfsServerInServiceNotification.setDescription('Indicates that the NFS server specified came in-service for the reason provided on the MNS in the given shelf and slot. The Active/Standby role assumed by the server is also provided.')
sonusNodeNfsServerNotWritableNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 32)).setObjects(("SONUS-COMMON-MIB", "sonusShelfIndex"), ("SONUS-COMMON-MIB", "sonusSlotIndex"), ("SONUS-NODE-MIB", "sonusNfsServer"), ("SONUS-NODE-MIB", "sonusNfsServerIp"), ("SONUS-NODE-MIB", "sonusNfsServerMount"), ("SONUS-NODE-MIB", "sonusNfsErrorCode"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeNfsServerNotWritableNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeNfsServerNotWritableNotification.setDescription('Indicates that the NFS server specified is no longer writable by the MNS in the given shelf and slot. The error code received is provided.')
sonusNodeServerDisabledNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 33)).setObjects(("SONUS-COMMON-MIB", "sonusShelfIndex"), ("SONUS-COMMON-MIB", "sonusSlotIndex"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeServerDisabledNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeServerDisabledNotification.setDescription('The server modules administrative state has been set to disabled.')
sonusNodeServerEnabledNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 34)).setObjects(("SONUS-COMMON-MIB", "sonusShelfIndex"), ("SONUS-COMMON-MIB", "sonusSlotIndex"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeServerEnabledNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeServerEnabledNotification.setDescription('The server modules administrative state has been set to enabled.')
sonusNodeServerDeletedNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 35)).setObjects(("SONUS-COMMON-MIB", "sonusShelfIndex"), ("SONUS-COMMON-MIB", "sonusSlotIndex"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeServerDeletedNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeServerDeletedNotification.setDescription("The server module has been deleted from the node's configuration. All configuration data associated with the server module has been deleted.")
sonusParamBackupLoadNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 36)).setObjects(("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusParamBackupLoadNotification.setStatus('current')
if mibBuilder.loadTexts: sonusParamBackupLoadNotification.setDescription('The backup parameter file was loaded. This indicates that the primary parameter file was lost or corrupted. The backup parameter file may contain data which is older than what the primary parameter file contains.')
sonusParamCorruptionNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 37)).setObjects(("SONUS-NODE-MIB", "sonusParamLoadFileType"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusParamCorruptionNotification.setStatus('current')
if mibBuilder.loadTexts: sonusParamCorruptionNotification.setDescription('The binary parameter inspected was corrupted. The indicated file was skipped due to corruption. This trap is only transmitted if a valid backup parameter file is located and successfully loaded.')
sonusNodeAdapterMissingNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 38)).setObjects(("SONUS-COMMON-MIB", "sonusShelfIndex"), ("SONUS-COMMON-MIB", "sonusSlotIndex"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeAdapterMissingNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeAdapterMissingNotification.setDescription('A sonusNodeAdpaterMissing trap indicates that an adapter module has not been detected in a specific shelf and slot.')
sonusNodeAdapterFailureNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 39)).setObjects(("SONUS-COMMON-MIB", "sonusShelfIndex"), ("SONUS-COMMON-MIB", "sonusSlotIndex"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeAdapterFailureNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeAdapterFailureNotification.setDescription('A sonusNodeAdpaterFailure trap indicates that an adapter module has been detected but is not operational.')
sonusNodeSlotResetNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 40)).setObjects(("SONUS-COMMON-MIB", "sonusShelfIndex"), ("SONUS-COMMON-MIB", "sonusSlotIndex"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeSlotResetNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeSlotResetNotification.setDescription('A sonusNodeSlotReset trap indicates that a server module in the designated slot was reset.')
sonusNodeParamWriteCompleteNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 41)).setObjects(("SONUS-NODE-MIB", "sonusParamSaveFilename"), ("SONUS-NODE-MIB", "sonusParamSaveSeqNumber"), ("SONUS-NODE-MIB", "sonusParamLastSaveTime"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeParamWriteCompleteNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeParamWriteCompleteNotification.setDescription('A sonusNodeParamWriteComplete trap indicates that NFS server successfully complete PIF write.')
sonusNodeParamWriteErrorNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 42)).setObjects(("SONUS-NODE-MIB", "sonusParamSavePrimarySrvrReason"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeParamWriteErrorNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeParamWriteErrorNotification.setDescription('A sonusNodeParamWriteError trap indicates that error occured during PIF write.')
sonusNodeBootMnsActiveNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 43)).setObjects(("SONUS-COMMON-MIB", "sonusShelfIndex"), ("SONUS-COMMON-MIB", "sonusSlotIndex"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeBootMnsActiveNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeBootMnsActiveNotification.setDescription('The Management Node Server module in the specified shelf and slot has become active following a Node Boot.')
sonusNodeShelfIntakeTempNormalNotification = NotificationType((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 44)).setObjects(("SONUS-COMMON-MIB", "sonusShelfIndex"), ("SONUS-COMMON-MIB", "sonusEventDescription"), ("SONUS-COMMON-MIB", "sonusEventClass"), ("SONUS-COMMON-MIB", "sonusEventLevel"))
if mibBuilder.loadTexts: sonusNodeShelfIntakeTempNormalNotification.setStatus('current')
if mibBuilder.loadTexts: sonusNodeShelfIntakeTempNormalNotification.setDescription('A sonusNodeShelfIntakeTempNormal trap indicates that the intake temperature of the specified shelf is at or below 45C degrees.')
mibBuilder.exportSymbols("SONUS-NODE-MIB", sonusNodeSrvrAdmnTable=sonusNodeSrvrAdmnTable, sonusBparamNfsPrimary=sonusBparamNfsPrimary, sonusNodeAdapStatMfgDate=sonusNodeAdapStatMfgDate, sonusNodeSrvrAdmnState=sonusNodeSrvrAdmnState, sonusNfsAdmnSetWritable=sonusNfsAdmnSetWritable, sonusFlashConfigTable=sonusFlashConfigTable, sonusNodeSrvrStatShelfIndex=sonusNodeSrvrStatShelfIndex, sonusBparamIfSpeedTypeSlot2Port0=sonusBparamIfSpeedTypeSlot2Port0, sonusParamLastSaveTime=sonusParamLastSaveTime, sonusNodeSrvrStatUserName=sonusNodeSrvrStatUserName, sonusNodeAdapStatShelfIndex=sonusNodeAdapStatShelfIndex, sonusUserProfileUserAccess=sonusUserProfileUserAccess, sonusNfsStatActiveServer=sonusNfsStatActiveServer, sonusNodeSlotAdmnSlotIndex=sonusNodeSlotAdmnSlotIndex, sonusNfsStatTable=sonusNfsStatTable, sonusSwLoadAdmnIndex=sonusSwLoadAdmnIndex, sonusNfsStatSecondaryLastError=sonusNfsStatSecondaryLastError, sonusNodeServerResetNotification=sonusNodeServerResetNotification, sonusNodeShelfPowerB48VdcNormalNotification=sonusNodeShelfPowerB48VdcNormalNotification, sonusNvsConfigTable=sonusNvsConfigTable, sonusNodeShelfStatBackplane=sonusNodeShelfStatBackplane, sonusNodeShelfPowerA48VdcNormalNotification=sonusNodeShelfPowerA48VdcNormalNotification, sonusNodeAdapterFailureNotification=sonusNodeAdapterFailureNotification, sonusNodeSlotAdapState=sonusNodeSlotAdapState, sonusSwLoadAdmnImageName=sonusSwLoadAdmnImageName, sonusNodeAdapStatHwType=sonusNodeAdapStatHwType, sonusNfs=sonusNfs, sonusFlashStatLastStatus=sonusFlashStatLastStatus, sonusNodeServerEnabledNotification=sonusNodeServerEnabledNotification, sonusParamAdmnMaxIncrPifs=sonusParamAdmnMaxIncrPifs, sonusNfsStatPrimaryMount=sonusNfsStatPrimaryMount, sonusSwLoadTable=sonusSwLoadTable, sonusNodeShelfAdmn48VdcAState=sonusNodeShelfAdmn48VdcAState, sonusNodeSrvrStatCpuUtilization=sonusNodeSrvrStatCpuUtilization, sonusNodeSrvrStatPartNum=sonusNodeSrvrStatPartNum, sonusSwLoadSpecAdmnRowStatus=sonusSwLoadSpecAdmnRowStatus, sonusNodeSrvrStatTotalMem=sonusNodeSrvrStatTotalMem, sonusBparamSecName=sonusBparamSecName, sonusNodeSrvrAdmnRowStatus=sonusNodeSrvrAdmnRowStatus, sonusSwLoadAdmnRowStatus=sonusSwLoadAdmnRowStatus, sonusBparamIfSpeedTypeSlot2Port2=sonusBparamIfSpeedTypeSlot2Port2, sonusSwLoad=sonusSwLoad, sonusNodeParamWriteErrorNotification=sonusNodeParamWriteErrorNotification, sonusUserListComment=sonusUserListComment, sonusNodeShelfStatFanSpeed=sonusNodeShelfStatFanSpeed, sonusNodeSrvrStatFreeMem=sonusNodeSrvrStatFreeMem, sonusBparamNfsSecondary=sonusBparamNfsSecondary, sonusNfsAdmnEntry=sonusNfsAdmnEntry, sonusNodeShelfStat48VAStatus=sonusNodeShelfStat48VAStatus, sonusNodeAdapterInsertedNotification=sonusNodeAdapterInsertedNotification, sonusParamLoadTotalBytes=sonusParamLoadTotalBytes, sonusNodeSlotAdmnReset=sonusNodeSlotAdmnReset, sonusBparamCoreLevel=sonusBparamCoreLevel, sonusUserListTable=sonusUserListTable, sonusNodeSrvrStatSwVersionCode=sonusNodeSrvrStatSwVersionCode, sonusUserProfileUserPasswdState=sonusUserProfileUserPasswdState, sonusNfsStatShelfIndex=sonusNfsStatShelfIndex, sonusNodeShelfFanTrayPresentNotification=sonusNodeShelfFanTrayPresentNotification, sonusBparamNfsMountSec=sonusBparamNfsMountSec, sonusNodeServerDeletedNotification=sonusNodeServerDeletedNotification, sonusNodeShelfAdmnRestart=sonusNodeShelfAdmnRestart, sonusBparamIpAddrSlot1Port1=sonusBparamIpAddrSlot1Port1, sonusNodeShelfIntakeTempWarningNotification=sonusNodeShelfIntakeTempWarningNotification, sonusBparamNfsPathUpgrade=sonusBparamNfsPathUpgrade, sonusBparamBaudRate=sonusBparamBaudRate, sonusNodeBootMnsActiveNotification=sonusNodeBootMnsActiveNotification, sonusNodeMIB=sonusNodeMIB, sonusBparamIfSpeedTypeSlot2Port1=sonusBparamIfSpeedTypeSlot2Port1, sonusParamSaveTimeStart=sonusParamSaveTimeStart, sonusParamSaveDuration=sonusParamSaveDuration, sonusBparamIpAddrSlot2Port0=sonusBparamIpAddrSlot2Port0, sonusNodeShelfFanTrayRemovedNotification=sonusNodeShelfFanTrayRemovedNotification, sonusParamLoadSeqNumber=sonusParamLoadSeqNumber, sonusUserListNextIndex=sonusUserListNextIndex, sonusSwLoadSpecAdmnShelfIndex=sonusSwLoadSpecAdmnShelfIndex, sonusNodeSrvrStatSerialNum=sonusNodeSrvrStatSerialNum, sonusNodeShelfFanTrayFailureNotification=sonusNodeShelfFanTrayFailureNotification, sonusNodeShelfStatEntry=sonusNodeShelfStatEntry, sonusBparamBootDelay=sonusBparamBootDelay, sonusUserProfileUserStateState=sonusUserProfileUserStateState, sonusBparamIpAddrSlot1Port0=sonusBparamIpAddrSlot1Port0, sonusNfsStatPrimaryStatus=sonusNfsStatPrimaryStatus, sonusNodeServerSoftwareFailureNotification=sonusNodeServerSoftwareFailureNotification, sonusNodeSrvrStatViewName=sonusNodeSrvrStatViewName, sonusNodeSlotAdmnTable=sonusNodeSlotAdmnTable, sonusBparamIpMaskSlot1Port1=sonusBparamIpMaskSlot1Port1, sonusNodeSrvrStatMode=sonusNodeSrvrStatMode, sonusParamBackupLoadNotification=sonusParamBackupLoadNotification, sonusNodeShelfIntakeTempNormalNotification=sonusNodeShelfIntakeTempNormalNotification, sonusParamSaveTimeStop=sonusParamSaveTimeStop, sonusParamSaveSeqNumber=sonusParamSaveSeqNumber, sonusNodeSrvrStatTable=sonusNodeSrvrStatTable, sonusNodeStatMgmtStatus=sonusNodeStatMgmtStatus, sonusNodeSrvrAdmnEntry=sonusNodeSrvrAdmnEntry, sonusNodeMtaRemovedNotification=sonusNodeMtaRemovedNotification, sonusNodeSlotAdapHwType=sonusNodeSlotAdapHwType, sonusNodeSrvrStatMfgDate=sonusNodeSrvrStatMfgDate, sonusNfsStatSecondaryIP=sonusNfsStatSecondaryIP, sonusBparamIpGatewaySlot1Port0=sonusBparamIpGatewaySlot1Port0, sonusNodeMtaInsertedNotification=sonusNodeMtaInsertedNotification, sonusBparamIpGatewaySlot1Port1=sonusBparamIpGatewaySlot1Port1, sonusBparamIfSpeedTypeSlot1Port0=sonusBparamIfSpeedTypeSlot1Port0, sonusNode=sonusNode, sonusNodeSrvrAdmnDumpState=sonusNodeSrvrAdmnDumpState, sonusFlashStatState=sonusFlashStatState, sonusBparamIpAddrSlot1Port2=sonusBparamIpAddrSlot1Port2, sonusNodeSrvrStatSlotIndex=sonusNodeSrvrStatSlotIndex, sonusNfsAdmnUnmountServer=sonusNfsAdmnUnmountServer, sonusNodeShelfAdmnEntry=sonusNodeShelfAdmnEntry, sonusNodeBootNotification=sonusNodeBootNotification, sonusUserListUserName=sonusUserListUserName, sonusNodeSlotTable=sonusNodeSlotTable, sonusParamCorruptionNotification=sonusParamCorruptionNotification, sonusNodeShelfStatType=sonusNodeShelfStatType, sonusSwLoadSpecEntry=sonusSwLoadSpecEntry, sonusNodeStatNextIfIndex=sonusNodeStatNextIfIndex, sonusNodeSlotState=sonusNodeSlotState, sonusUserListAccess=sonusUserListAccess, sonusNodeSrvrAdmnAdapHwType=sonusNodeSrvrAdmnAdapHwType, sonusNodeAdapStatEntry=sonusNodeAdapStatEntry, sonusNvsConfig=sonusNvsConfig, sonusNodeAdmnTelnetLogin=sonusNodeAdmnTelnetLogin, sonusNodeShelfStat48VBStatus=sonusNodeShelfStat48VBStatus, sonusNodeMIBNotifications=sonusNodeMIBNotifications, sonusUserListProfileName=sonusUserListProfileName, sonusNodeNfsServerSwitchoverNotification=sonusNodeNfsServerSwitchoverNotification, sonusNodeSlaveShelfBootNotification=sonusNodeSlaveShelfBootNotification, sonusUserProfileUserAccessState=sonusUserProfileUserAccessState, sonusNodeSrvrAdmnMode=sonusNodeSrvrAdmnMode, sonusBparamIpMaskSlot2Port2=sonusBparamIpMaskSlot2Port2, sonusParamSaveTotalBytes=sonusParamSaveTotalBytes, sonusNodeShelfFanTrayOperationalNotification=sonusNodeShelfFanTrayOperationalNotification, sonusBparamIfSpeedTypeSlot1Port1=sonusBparamIfSpeedTypeSlot1Port1, sonusUserProfileRowStatus=sonusUserProfileRowStatus, sonusNodeShelfPowerB48VdcFailureNotification=sonusNodeShelfPowerB48VdcFailureNotification, sonusParamSaveState=sonusParamSaveState, sonusFlashAdmnSlotIndex=sonusFlashAdmnSlotIndex, sonusBparamIpGatewaySlot2Port0=sonusBparamIpGatewaySlot2Port0, sonusNodeAdapStatSlotIndex=sonusNodeAdapStatSlotIndex, sonusNodeAdapStatPartNumRev=sonusNodeAdapStatPartNumRev, sonusBparamIpGatewaySlot2Port2=sonusBparamIpGatewaySlot2Port2, sonusBparamNfsMountPri=sonusBparamNfsMountPri, sonusNodeSrvrAdmnAction=sonusNodeSrvrAdmnAction, sonusNfsServer=sonusNfsServer, sonusUserProfileEntry=sonusUserProfileEntry, sonusNodeServerRemovedNotification=sonusNodeServerRemovedNotification, sonusFlashStatusTable=sonusFlashStatusTable, sonusSwLoadSpecAdmnSlotIndex=sonusSwLoadSpecAdmnSlotIndex, sonusUserProfileUserCommentState=sonusUserProfileUserCommentState, sonusBparamShelfIndex=sonusBparamShelfIndex, sonusParamLoadTotalRecords=sonusParamLoadTotalRecords, sonusBparamNfsPathLoad=sonusBparamNfsPathLoad, sonusUserListStatusLastConfigChange=sonusUserListStatusLastConfigChange, sonusNodeParamWriteCompleteNotification=sonusNodeParamWriteCompleteNotification, sonusNodeShelfAdmnTable=sonusNodeShelfAdmnTable, sonusNodeStatShelvesPresent=sonusNodeStatShelvesPresent, sonusUserListEntry=sonusUserListEntry, sonusNodeAdapStatPartNum=sonusNodeAdapStatPartNum, sonusNodeServerTempFailureNotification=sonusNodeServerTempFailureNotification, sonusNodeAdapStatSerialNum=sonusNodeAdapStatSerialNum, sonusFlashConfigEntry=sonusFlashConfigEntry, sonusNodeShelfAdmn48VdcBState=sonusNodeShelfAdmn48VdcBState, sonusNfsStatSecondaryMount=sonusNfsStatSecondaryMount, sonusUserProfileUserState=sonusUserProfileUserState, sonusNodeSrvrStatEpldRev=sonusNodeSrvrStatEpldRev, sonusNodeSrvrAdmnSpecialFunction=sonusNodeSrvrAdmnSpecialFunction, sonusNodeSrvrStatFlashVersion=sonusNodeSrvrStatFlashVersion, sonusSwLoadSpecTable=sonusSwLoadSpecTable, sonusParamSaveTotalRecords=sonusParamSaveTotalRecords, sonusNodeSrvrStatFreeSharedMem=sonusNodeSrvrStatFreeSharedMem, sonusNodeNfsServerInServiceNotification=sonusNodeNfsServerInServiceNotification, sonusBparamCliScript=sonusBparamCliScript, sonusNodeSrvrStatTemperature=sonusNodeSrvrStatTemperature, sonusParamSaveSecondarySrvrReason=sonusParamSaveSecondarySrvrReason, sonusFlashStatSlotIndex=sonusFlashStatSlotIndex, sonusNodeNfsServerOutOfServiceNotification=sonusNodeNfsServerOutOfServiceNotification, sonusNodeShelfAdmnIpaddr1=sonusNodeShelfAdmnIpaddr1, sonusBparamParamMode=sonusBparamParamMode, sonusBparamIpMaskSlot1Port0=sonusBparamIpMaskSlot1Port0, sonusNodeShelfStatTable=sonusNodeShelfStatTable, sonusUser=sonusUser, sonusNodeServerPowerFailureNotification=sonusNodeServerPowerFailureNotification, sonusParamSaveSecondarySrvrState=sonusParamSaveSecondarySrvrState, sonusFlashAdmnUpdateButton=sonusFlashAdmnUpdateButton, sonusNodeEthernetDegradedNotification=sonusNodeEthernetDegradedNotification, sonusNodeServerOperationalNotification=sonusNodeServerOperationalNotification, sonusNfsAdmnToggleActiveServer=sonusNfsAdmnToggleActiveServer, sonusParamLoadSerialNum=sonusParamLoadSerialNum, sonusBparamPrimName=sonusBparamPrimName, sonusNodeSrvrStatHostName=sonusNodeSrvrStatHostName, sonusUserListStatusTable=sonusUserListStatusTable, sonusNodeNfsServerNotWritableNotification=sonusNodeNfsServerNotWritableNotification, sonusNfsAdmnMountServer=sonusNfsAdmnMountServer, sonusNodeServerTempNormalNotification=sonusNodeServerTempNormalNotification, sonusParamLoadFileType=sonusParamLoadFileType, sonusNodeSrvrStatSwVersion=sonusNodeSrvrStatSwVersion, sonusUserListStatusIndex=sonusUserListStatusIndex, sonusNfsServerMount=sonusNfsServerMount, sonusFlashStatusEntry=sonusFlashStatusEntry, sonusNodeShelfPowerA48VdcFailureNotification=sonusNodeShelfPowerA48VdcFailureNotification, sonusBparamUId=sonusBparamUId, sonusNfsStatSlotIndex=sonusNfsStatSlotIndex, sonusNodeSrvrAdmnDryupLimit=sonusNodeSrvrAdmnDryupLimit, sonusUserListPasswd=sonusUserListPasswd, sonusNodeSrvrStatMemUtilization=sonusNodeSrvrStatMemUtilization, sonusUserProfileNextIndex=sonusUserProfileNextIndex, sonusNodeSrvrAdmnHwType=sonusNodeSrvrAdmnHwType, sonusUserProfileName=sonusUserProfileName, sonusUserProfile=sonusUserProfile, sonusNodeAdapStatMiddVersion=sonusNodeAdapStatMiddVersion, sonusUserProfileTable=sonusUserProfileTable, sonusNodeAdmnObjects=sonusNodeAdmnObjects, sonusFlashAdmnShelfIndex=sonusFlashAdmnShelfIndex, sonusBparamIpMaskSlot1Port2=sonusBparamIpMaskSlot1Port2, sonusNodeEthernetActiveNotification=sonusNodeEthernetActiveNotification, sonusNodeShelfStatSlots=sonusNodeShelfStatSlots, sonusNodeServerTempWarningNotification=sonusNodeServerTempWarningNotification, sonusNodeShelfAdmnState=sonusNodeShelfAdmnState, sonusNodeMIBObjects=sonusNodeMIBObjects, sonusNodeSrvrAdmnRedundancyRole=sonusNodeSrvrAdmnRedundancyRole, sonusNfsAdmnShelfIndex=sonusNfsAdmnShelfIndex, sonusParam=sonusParam, sonusNfsStatEntry=sonusNfsStatEntry, sonusFlashStatShelfIndex=sonusFlashStatShelfIndex, sonusNfsStatStandbyServer=sonusNfsStatStandbyServer, sonusNodeSlotHwType=sonusNodeSlotHwType, sonusNodeShelfAdmnStatus=sonusNodeShelfAdmnStatus, sonusBparamPasswd=sonusBparamPasswd, sonusNodeSlotHwTypeRev=sonusNodeSlotHwTypeRev, sonusParamSaveFilename=sonusParamSaveFilename, sonusNodeSlotAdmnEntry=sonusNodeSlotAdmnEntry, sonusNodeSrvrAdmnShelfIndex=sonusNodeSrvrAdmnShelfIndex, sonusBparamCoreState=sonusBparamCoreState, sonusNfsServerIp=sonusNfsServerIp, sonusNodeSrvrStatEntry=sonusNodeSrvrStatEntry, sonusBparamUnused=sonusBparamUnused, sonusBparamCoreDumpLimit=sonusBparamCoreDumpLimit, sonusUserList=sonusUserList, sonusNodeServerInsertedNotification=sonusNodeServerInsertedNotification, sonusNfsStatPrimaryLastError=sonusNfsStatPrimaryLastError, sonusNodeMIBNotificationsObjects=sonusNodeMIBNotificationsObjects, sonusSwLoadEntry=sonusSwLoadEntry, sonusNodeShelfStatFan=sonusNodeShelfStatFan, sonusNodeShelfStatSerialNumber=sonusNodeShelfStatSerialNumber, sonusSwLoadSpecAdmnImageName=sonusSwLoadSpecAdmnImageName, sonusBparamIfSpeedTypeSlot1Port2=sonusBparamIfSpeedTypeSlot1Port2, sonusBparamIpAddrSlot2Port1=sonusBparamIpAddrSlot2Port1, sonusNfsRole=sonusNfsRole, sonusNodeSlotResetNotification=sonusNodeSlotResetNotification, sonusParamStatusObjects=sonusParamStatusObjects, sonusUserListRowStatus=sonusUserListRowStatus, sonusNfsStatSecondaryStatus=sonusNfsStatSecondaryStatus, sonusBparamNfsPathSoftware=sonusBparamNfsPathSoftware, sonusUserListIndex=sonusUserListIndex)
mibBuilder.exportSymbols("SONUS-NODE-MIB", sonusBparamIpAddrSlot2Port2=sonusBparamIpAddrSlot2Port2, sonusNvsConfigEntry=sonusNvsConfigEntry, sonusNodeAdapStatHwTypeRev=sonusNodeAdapStatHwTypeRev, sonusNodeShelfAdmnIndex=sonusNodeShelfAdmnIndex, sonusSwLoadAdmnHwType=sonusSwLoadAdmnHwType, sonusNodeSlotPower=sonusNodeSlotPower, sonusParamLoadDuration=sonusParamLoadDuration, sonusNodeMIBNotificationsPrefix=sonusNodeMIBNotificationsPrefix, sonusNodeSrvrStatBuildNum=sonusNodeSrvrStatBuildNum, sonusUserProfileUserPasswd=sonusUserProfileUserPasswd, sonusParamLoadStatus=sonusParamLoadStatus, sonusNfsAdmnTable=sonusNfsAdmnTable, sonusNodeShelfAdmnIpaddr2=sonusNodeShelfAdmnIpaddr2, sonusNodeSlotShelfIndex=sonusNodeSlotShelfIndex, sonusNodeAdapterRemovedNotification=sonusNodeAdapterRemovedNotification, sonusNodeSrvrStatPartNumRev=sonusNodeSrvrStatPartNumRev, sonusBparamMasterState=sonusBparamMasterState, PYSNMP_MODULE_ID=sonusNodeMIB, sonusNodeStatusObjects=sonusNodeStatusObjects, sonusNodeAdapStatTable=sonusNodeAdapStatTable, sonusBparamGrpId=sonusBparamGrpId, sonusNfsReason=sonusNfsReason, sonusNodeSrvrStatHwTypeRev=sonusNodeSrvrStatHwTypeRev, sonusNodeAdmnShelves=sonusNodeAdmnShelves, sonusParamSavePrimarySrvrState=sonusParamSavePrimarySrvrState, sonusNodeShelfAdmnRowStatus=sonusNodeShelfAdmnRowStatus, sonusNodeSlotEntry=sonusNodeSlotEntry, sonusUserProfileUserComment=sonusUserProfileUserComment, sonusNodeSrvrStatTotalSharedMem=sonusNodeSrvrStatTotalSharedMem, sonusBparamIpGatewaySlot1Port2=sonusBparamIpGatewaySlot1Port2, sonusNodeSrvrAdmnSlotIndex=sonusNodeSrvrAdmnSlotIndex, sonusBparamIpGatewaySlot2Port1=sonusBparamIpGatewaySlot2Port1, sonusNodeSrvrStatMiddVersion=sonusNodeSrvrStatMiddVersion, sonusParamLoadServer=sonusParamLoadServer, sonusParamSavePrimarySrvrReason=sonusParamSavePrimarySrvrReason, sonusUserProfileIndex=sonusUserProfileIndex, sonusNfsAdmnSlotIndex=sonusNfsAdmnSlotIndex, sonusNodeSlotAdmnShelfIndex=sonusNodeSlotAdmnShelfIndex, sonusNodeAdapterMissingNotification=sonusNodeAdapterMissingNotification, sonusNodeSlotIndex=sonusNodeSlotIndex, sonusNodeShelfStatIndex=sonusNodeShelfStatIndex, sonusUserListState=sonusUserListState, sonusNodeEthernetInactiveNotification=sonusNodeEthernetInactiveNotification, sonusNodeServerHardwareFailureNotification=sonusNodeServerHardwareFailureNotification, sonusNodeShelfStatBootCount=sonusNodeShelfStatBootCount, sonusNfsErrorCode=sonusNfsErrorCode, sonusBparamIpMaskSlot2Port0=sonusBparamIpMaskSlot2Port0, sonusParamAdminObject=sonusParamAdminObject, sonusNodeServerDisabledNotification=sonusNodeServerDisabledNotification, sonusNodeSrvrStatHwType=sonusNodeSrvrStatHwType, sonusNodeShelfStatTemperature=sonusNodeShelfStatTemperature, sonusUserListStatusEntry=sonusUserListStatusEntry, sonusBparamIpMaskSlot2Port1=sonusBparamIpMaskSlot2Port1, sonusNfsStatPrimaryIP=sonusNfsStatPrimaryIP)
| (octet_string, object_identifier, integer) = mibBuilder.importSymbols('ASN1', 'OctetString', 'ObjectIdentifier', 'Integer')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(constraints_intersection, constraints_union, single_value_constraint, value_range_constraint, value_size_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsIntersection', 'ConstraintsUnion', 'SingleValueConstraint', 'ValueRangeConstraint', 'ValueSizeConstraint')
(module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup')
(notification_type, counter64, mib_identifier, bits, object_identity, unsigned32, iso, integer32, gauge32, module_identity, ip_address, counter32, mib_scalar, mib_table, mib_table_row, mib_table_column, time_ticks) = mibBuilder.importSymbols('SNMPv2-SMI', 'NotificationType', 'Counter64', 'MibIdentifier', 'Bits', 'ObjectIdentity', 'Unsigned32', 'iso', 'Integer32', 'Gauge32', 'ModuleIdentity', 'IpAddress', 'Counter32', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'TimeTicks')
(textual_convention, date_and_time, display_string, row_status) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DateAndTime', 'DisplayString', 'RowStatus')
(sonus_slot_index, sonus_event_level, sonus_event_description, sonus_port_index, sonus_shelf_index, sonus_event_class) = mibBuilder.importSymbols('SONUS-COMMON-MIB', 'sonusSlotIndex', 'sonusEventLevel', 'sonusEventDescription', 'sonusPortIndex', 'sonusShelfIndex', 'sonusEventClass')
(sonus_system_mi_bs,) = mibBuilder.importSymbols('SONUS-SMI', 'sonusSystemMIBs')
(sonus_service_state, sonus_admin_action, sonus_software_version, sonus_name, adapter_type_id, server_function_type, server_type_id, sonus_admin_state, sonus_access_level, hw_type_id) = mibBuilder.importSymbols('SONUS-TC', 'SonusServiceState', 'SonusAdminAction', 'SonusSoftwareVersion', 'SonusName', 'AdapterTypeID', 'ServerFunctionType', 'ServerTypeID', 'SonusAdminState', 'SonusAccessLevel', 'HwTypeID')
sonus_node_mib = module_identity((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1))
if mibBuilder.loadTexts:
sonusNodeMIB.setLastUpdated('200107310000Z')
if mibBuilder.loadTexts:
sonusNodeMIB.setOrganization('Sonus Networks, Inc.')
if mibBuilder.loadTexts:
sonusNodeMIB.setContactInfo(' Customer Support Sonus Networks, Inc, 5 carlisle Road Westford, MA 01886 USA Tel: 978-692-8999 Fax: 978-392-9118 E-mail: cs.snmp@sonusnet.com')
if mibBuilder.loadTexts:
sonusNodeMIB.setDescription('The MIB Module for Node Management.')
sonus_node_mib_objects = mib_identifier((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1))
sonus_node = mib_identifier((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1))
sonus_node_admn_objects = mib_identifier((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 1))
sonus_node_admn_shelves = mib_scalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 6))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeAdmnShelves.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeAdmnShelves.setDescription('The number of shelves configured to be present in this node.')
sonus_node_admn_telnet_login = mib_scalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 1, 2), sonus_admin_state()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusNodeAdmnTelnetLogin.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeAdmnTelnetLogin.setDescription('')
sonus_node_status_objects = mib_identifier((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 2))
sonus_node_stat_shelves_present = mib_scalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 2, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 6))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeStatShelvesPresent.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeStatShelvesPresent.setDescription('The number of shelves currently present in this node.')
sonus_node_stat_next_if_index = mib_scalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 2, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeStatNextIfIndex.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeStatNextIfIndex.setDescription('This MIB object identifies the next ifIndex to use in the creation of an interface. This MIB object directly corresponds to the ifIndex MIB object in the ifTable. A value of 0 means that no next ifIndex is currently available.')
sonus_node_stat_mgmt_status = mib_scalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 2, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('manageable', 1), ('softwareUpgradeInProgress', 2), ('softwareUpgradeFailed', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeStatMgmtStatus.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeStatMgmtStatus.setDescription("Identifies if this node can be effectively managed by a network management system. A value of 'manageable' indicates that it can be; the other values indicate that a significant operation is in progress and that a network management system should minimize any requests of this node.")
sonus_node_shelf_admn_table = mib_table((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 3))
if mibBuilder.loadTexts:
sonusNodeShelfAdmnTable.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeShelfAdmnTable.setDescription("This table contains information about each shelf which is configured to be a member of the node. This table describes the configured characteristics of each shelf, including the shelve's identity (sonusNodeShelfAdmnIpaddr1 and sonusNodeShelfAdmnIpaddr2). A row must be created by the manager for every slave shelf that is to join the master shelf as part of the node. Slave shelves which do not have correct entries in this table, can not join the node. A management entity may create rows for shelves that are anticipated to join the node in the future.")
sonus_node_shelf_admn_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 3, 1)).setIndexNames((0, 'SONUS-NODE-MIB', 'sonusNodeShelfAdmnIndex'))
if mibBuilder.loadTexts:
sonusNodeShelfAdmnEntry.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeShelfAdmnEntry.setDescription('This table describes the shelves that are configured as members of the GSX9000 Switch node.')
sonus_node_shelf_admn_index = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 3, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 6))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeShelfAdmnIndex.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeShelfAdmnIndex.setDescription('Identifies the target shelf in the node. Each node may be compprised of one or more shelves. The maximum number of shelves allowed in a node is six.')
sonus_node_shelf_admn_state = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 3, 1, 2), sonus_admin_state()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
sonusNodeShelfAdmnState.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeShelfAdmnState.setDescription('The configured state of the target shelf in the node.')
sonus_node_shelf_admn_ipaddr1 = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 3, 1, 3), ip_address()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
sonusNodeShelfAdmnIpaddr1.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeShelfAdmnIpaddr1.setDescription("The IP Address of the shelf. This value identifies the shelf that may join the node. Each shelf has two IP addresses that it may be reached by. This is the first of those two addresses. Note that it is not possible to change this object on the master shelf. That would be tantamount to changing that shelf's IP address.")
sonus_node_shelf_admn_ipaddr2 = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 3, 1, 4), ip_address()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
sonusNodeShelfAdmnIpaddr2.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeShelfAdmnIpaddr2.setDescription("The IP Address of the shelf. This value identifies the shelf that may join the node. Each shelf has two IP addresses that it may be reached by. This is the second of those two addresses. Note that it is not possible to change this object on the master shelf. That would be tantamount to changing the shelf's IP address.")
sonus_node_shelf_admn48_vdc_a_state = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 3, 1, 5), sonus_admin_state()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
sonusNodeShelfAdmn48VdcAState.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeShelfAdmn48VdcAState.setDescription("The configured state of the shelf's 48 VDC A-power supply. Indicates whether the A supply SHOULD be present. This object is not capable of disabling a connected supply.")
sonus_node_shelf_admn48_vdc_b_state = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 3, 1, 6), sonus_admin_state()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
sonusNodeShelfAdmn48VdcBState.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeShelfAdmn48VdcBState.setDescription("The configured state of the shelf's 48 VDC B-power supply. Indicates whether the B supply SHOULD be present. This object is not capable of disabling a connected supply.")
sonus_node_shelf_admn_status = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 3, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('absent', 1), ('detected', 2), ('accepted', 3), ('shuttingDown', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeShelfAdmnStatus.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeShelfAdmnStatus.setDescription('The status of the indexed shelf in the GSX9000 node. If the value of this object is not accepted(3) or shuttingDown(4), then the objects in Sonus Shelf Status table are unavailable. The value of this object does not reach accepted(3) until after the slave shelf has contacted the master shelf, and has successfully joined the node. A value of shuttingDown(4) indicates the shelf will be unavailable shortly.')
sonus_node_shelf_admn_restart = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 3, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('unknown', 1), ('restart', 2), ('shutdown', 3)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
sonusNodeShelfAdmnRestart.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeShelfAdmnRestart.setDescription('This object is used to reset a shelf in the node. The object causes the management servers on the indexed shelf to perform the indicated operation. The restart(2) operation causes the management servers to reboot. The shutdown(3) operation causes the management servers to disable power to all cards on the indexed shelf, including themselves. The shutdown(3) operation requires physical intervention to re-power the shelf. This object always reads as unknown(1).')
sonus_node_shelf_admn_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 3, 1, 9), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
sonusNodeShelfAdmnRowStatus.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeShelfAdmnRowStatus.setDescription('This object indicates the row status for this table.')
sonus_node_shelf_stat_table = mib_table((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 4))
if mibBuilder.loadTexts:
sonusNodeShelfStatTable.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeShelfStatTable.setDescription("This table contains status information about each shelf in the GSX9000 Switch node. Shelves within the node can can be configured before they are physically attached to the node. Shelves that are attached may not be powered or correctly configured as a slave. Therefore, it is possible that a slave shelf can not be detected, and is absent. The value of sonusNodeShelfAdmnStatus indicates the availability of this shelf. If the sonusNodeShelfAdmnStatus value for the index shelf does not indicate a status value of 'accepted', then this status table is not available.")
sonus_node_shelf_stat_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 4, 1)).setIndexNames((0, 'SONUS-NODE-MIB', 'sonusNodeShelfStatIndex'))
if mibBuilder.loadTexts:
sonusNodeShelfStatEntry.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeShelfStatEntry.setDescription('This table describes the shelves that are configured as members of the GSX9000 Switch node.')
sonus_node_shelf_stat_index = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 4, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeShelfStatIndex.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeShelfStatIndex.setDescription('Identifies the target shelf within the node. Returns the same value as sonusNodeShelfStatIndex, the index into this instance.')
sonus_node_shelf_stat_slots = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 4, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 16))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeShelfStatSlots.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeShelfStatSlots.setDescription('The number of physical slots present in this shelf.')
sonus_node_shelf_stat_serial_number = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 4, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(1, 10))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeShelfStatSerialNumber.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeShelfStatSerialNumber.setDescription('Identifies the Sonus serial number for this shelf.')
sonus_node_shelf_stat_type = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 4, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('slave', 1), ('master', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeShelfStatType.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeShelfStatType.setDescription('Identifies the Sonus shelf type. A shelf may be either the master shelf for the node, or it may be one of several slave shelves in the node. Every node contains exactly one master shelf. The master shelf in the management focal point for the node.')
sonus_node_shelf_stat_fan = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 4, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('notPresent', 1), ('controllerFailure', 2), ('singleFailure', 3), ('multipleFailures', 4), ('powerFailure', 5), ('operational', 6)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeShelfStatFan.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeShelfStatFan.setDescription("Identifies the status of the shelf's fan tray. A controllerFailure(2) indicates that the fan status can not be obtained. In that case in can not be determined if the fans are operational, or experiencing other failures as well.")
sonus_node_shelf_stat48_va_status = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 4, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('absent', 1), ('present', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeShelfStat48VAStatus.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeShelfStat48VAStatus.setDescription("The status of the shelf's 48 VDC A-power supply.")
sonus_node_shelf_stat48_vb_status = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 4, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('absent', 1), ('present', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeShelfStat48VBStatus.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeShelfStat48VBStatus.setDescription("The status of the shelf's 48 VDC B-power supply.")
sonus_node_shelf_stat_backplane = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 4, 1, 8), hw_type_id()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeShelfStatBackplane.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeShelfStatBackplane.setDescription('The hardware type ID of the backplane in this shelf.')
sonus_node_shelf_stat_boot_count = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 4, 1, 9), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeShelfStatBootCount.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeShelfStatBootCount.setDescription('Specifies the number of times that this shelf has been booted. The boot count is specified from the perspective of the active management module running in the indexed shelf.')
sonus_node_shelf_stat_temperature = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 4, 1, 10), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeShelfStatTemperature.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeShelfStatTemperature.setDescription("Indicates the temperature being sensed at this shelf's intake manifold. The temperature is indicated in Celcius.")
sonus_node_shelf_stat_fan_speed = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 4, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('normal', 1), ('high', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeShelfStatFanSpeed.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeShelfStatFanSpeed.setDescription('Indicates the speed of the fan.')
sonus_node_srvr_admn_table = mib_table((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 5))
if mibBuilder.loadTexts:
sonusNodeSrvrAdmnTable.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrAdmnTable.setDescription("The server module ADMN table describes the configuration of each server module slot in an indexed shelf. A slot in a shelf, MUST be configured to accept a particular server module HWTYPE. If the wrong type of server module is detected in the slot, that server module will not be allowed to complete its boot process. All server modules are held in the RESET state until that server module's state is set to ENABLED. A server module must have its state set to DISABLED, before the row can be deleted. The row must be deleted, and re-created in order to change the HWTYPE of the row. The server module mode must be set to OUTOFSERVICE before the row's state can be set to DISABLED. Deleting a row in this table, clears the server module hardware type association for this slot. THIS IS A MAJOR CONFIGURATION CHANGE. All configured parameters associated with this slot are permanently lost when the server module is deleted. A server module can not be deleted, until it's state has been set to DISABLED. A row's default value for state is DISABLED. The server module located in the slot is immediately placed in reset when its state is set to disabled.")
sonus_node_srvr_admn_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 5, 1)).setIndexNames((0, 'SONUS-NODE-MIB', 'sonusNodeSrvrAdmnShelfIndex'), (0, 'SONUS-NODE-MIB', 'sonusNodeSrvrAdmnSlotIndex'))
if mibBuilder.loadTexts:
sonusNodeSrvrAdmnEntry.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrAdmnEntry.setDescription('')
sonus_node_srvr_admn_shelf_index = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 5, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 6))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeSrvrAdmnShelfIndex.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrAdmnShelfIndex.setDescription('Identifies the target shelf. Returns the same value as sonusNodeShelfStatIndex, which was used to index into this table.')
sonus_node_srvr_admn_slot_index = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 5, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 16))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeSrvrAdmnSlotIndex.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrAdmnSlotIndex.setDescription('Identifies the target slot within the shelf.')
sonus_node_srvr_admn_hw_type = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 5, 1, 3), server_type_id()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusNodeSrvrAdmnHwType.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrAdmnHwType.setDescription('Identifies the type of server module the indexed slot has been configured to accept. Server modules other than this type are rejected by the System Manager. This object is required to create a row instance.')
sonus_node_srvr_admn_state = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 5, 1, 4), sonus_admin_state().clone('disabled')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusNodeSrvrAdmnState.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrAdmnState.setDescription('A server module must be enabled before System Manager will fully recognize it. The server module must be disabled before the server module can be deleted.')
sonus_node_srvr_admn_mode = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 5, 1, 5), sonus_service_state().clone('inService')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusNodeSrvrAdmnMode.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrAdmnMode.setDescription('A server module which is outOfService will not accept new calls. When taken out of service, its active calls may either be dried up or terminated, depending on the action specified. Server modules are created with a mode of inService. A server module must be outOfService in order to change its state to disabled.')
sonus_node_srvr_admn_action = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 5, 1, 6), sonus_admin_action().clone('force')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusNodeSrvrAdmnAction.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrAdmnAction.setDescription('The type of action to perform when a server module is taken out of service. The active calls on the server module can be dried up for a specified dryup limit, or they can be forced to be terminated.')
sonus_node_srvr_admn_dryup_limit = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 5, 1, 7), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusNodeSrvrAdmnDryupLimit.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrAdmnDryupLimit.setDescription('Server module dryup limit, specified in minutes. If the server module has not dried up by the time this limit expires, the remaining active calls are abruptly terminated. A dryup limit of zero indicates that the system will wait forever for the dryup to complete.')
sonus_node_srvr_admn_dump_state = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 5, 1, 8), sonus_admin_state().clone('enabled')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusNodeSrvrAdmnDumpState.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrAdmnDumpState.setDescription('Indicates if a server module will create a crashblock file when a critical error which prevents the module from continuing, has occured.')
sonus_node_srvr_admn_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 5, 1, 9), row_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusNodeSrvrAdmnRowStatus.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrAdmnRowStatus.setDescription('Deleting a server module will place that slot in reset. All configuration parameters associated with the server module in this slot are destroyed.')
sonus_node_srvr_admn_redundancy_role = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 5, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('normal', 1), ('redundant', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusNodeSrvrAdmnRedundancyRole.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrAdmnRedundancyRole.setDescription('Specifies the redundancy role this server module will play. This object is required to create a row instance.')
sonus_node_srvr_admn_adap_hw_type = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 5, 1, 11), adapter_type_id()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusNodeSrvrAdmnAdapHwType.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrAdmnAdapHwType.setDescription('Identifies the type of adapter module the indexed slot has been configured to accept. Adapter modules other than this type are rejected by the System Manager. This object is required to create a row instance.')
sonus_node_srvr_admn_special_function = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 5, 1, 12), server_function_type()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusNodeSrvrAdmnSpecialFunction.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrAdmnSpecialFunction.setDescription('Specifies the logical function for this server module. This object may be specified only at row creation time, but is not required. If not specified, an appropriate default value will be assigned based on the server and adapter hardware types. A value of default(1) is not accepted or used.')
sonus_node_slot_table = mib_table((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 6))
if mibBuilder.loadTexts:
sonusNodeSlotTable.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSlotTable.setDescription('The node slot table describes')
sonus_node_slot_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 6, 1)).setIndexNames((0, 'SONUS-NODE-MIB', 'sonusNodeSlotShelfIndex'), (0, 'SONUS-NODE-MIB', 'sonusNodeSlotIndex'))
if mibBuilder.loadTexts:
sonusNodeSlotEntry.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSlotEntry.setDescription('')
sonus_node_slot_shelf_index = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 6, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 6))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeSlotShelfIndex.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSlotShelfIndex.setDescription('Identifies the indexed shelf. Returns the same value as sonusNodeShelfStatIndex, which is used to index into this table.')
sonus_node_slot_index = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 6, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 16))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeSlotIndex.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSlotIndex.setDescription('Identifies the indexed slot within the shelf.')
sonus_node_slot_state = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 6, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15))).clone(namedValues=named_values(('unknown', 1), ('empty', 2), ('inserted', 3), ('reset', 4), ('boot', 5), ('sonicId', 6), ('coreDump', 7), ('holdOff', 8), ('loading', 9), ('activating', 10), ('activated', 11), ('running', 12), ('faulted', 13), ('powerOff', 14), ('powerFail', 15)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeSlotState.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSlotState.setDescription('Identifies the operational state of the indexed slot in the shelf.')
sonus_node_slot_hw_type = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 6, 1, 4), hw_type_id()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeSlotHwType.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSlotHwType.setDescription('Identifies the hardware type of the server module which was detected in the slot. Valid only if the sonusNodeSlotState is greater than inserted(2).')
sonus_node_slot_hw_type_rev = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 6, 1, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeSlotHwTypeRev.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSlotHwTypeRev.setDescription('Identifies the hardware type revision of the server module which was detected in the slot. Valid only if the sonusNodeSlotState is greater than inserted(2).')
sonus_node_slot_power = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 6, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('unknown', 1), ('powerFault', 2), ('powerOK', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeSlotPower.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSlotPower.setDescription('Identifies the server modules power mode. If the slot state is empty, the power status is unknown(1).')
sonus_node_slot_adap_state = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 6, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('unknown', 1), ('empty', 2), ('present', 3), ('faulted', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeSlotAdapState.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSlotAdapState.setDescription('Identifies the adapter state of the indexed slot in the shelf.')
sonus_node_slot_adap_hw_type = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 6, 1, 8), hw_type_id()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeSlotAdapHwType.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSlotAdapHwType.setDescription('Identifies the hardware type of the adapter module which was detected in the slot. Valid only if the sonusNodeSlotAdapState is present(3).')
sonus_node_srvr_stat_table = mib_table((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7))
if mibBuilder.loadTexts:
sonusNodeSrvrStatTable.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrStatTable.setDescription("The node server status table describes the status of the indexed server module in the node. This table is unavailable if the sonusNodeShelfStatStatus object indicates that this slot is empty. If the sonusNodeSrvrStatType object returns either 'absent' or 'unknown' the value of all other objects within this table are indeterministic.")
sonus_node_srvr_stat_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1)).setIndexNames((0, 'SONUS-NODE-MIB', 'sonusNodeSrvrStatShelfIndex'), (0, 'SONUS-NODE-MIB', 'sonusNodeSrvrStatSlotIndex'))
if mibBuilder.loadTexts:
sonusNodeSrvrStatEntry.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrStatEntry.setDescription('')
sonus_node_srvr_stat_shelf_index = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 6))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeSrvrStatShelfIndex.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrStatShelfIndex.setDescription('Identifies the target shelf. Returns the same value as sonusNodeShelfStatIndex, which was used to index into this table.')
sonus_node_srvr_stat_slot_index = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 16))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeSrvrStatSlotIndex.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrStatSlotIndex.setDescription('Identifies the target slot within the shelf.')
sonus_node_srvr_stat_midd_version = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeSrvrStatMiddVersion.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrStatMiddVersion.setDescription('Identifies the version of the MIDD EEPROM on this server module.')
sonus_node_srvr_stat_hw_type = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 4), hw_type_id()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeSrvrStatHwType.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrStatHwType.setDescription('Identifies the type of server module in the indexed slot.')
sonus_node_srvr_stat_serial_num = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 5), display_string().subtype(subtypeSpec=value_size_constraint(1, 10))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeSrvrStatSerialNum.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrStatSerialNum.setDescription('Identifies the serial number of the server module. This is the serial number assigned to the server module at manufacture.')
sonus_node_srvr_stat_part_num = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 6), display_string().subtype(subtypeSpec=value_size_constraint(1, 10))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeSrvrStatPartNum.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrStatPartNum.setDescription('Identifies the part number of the module. This is the part number assigned to the module at manufacture.')
sonus_node_srvr_stat_part_num_rev = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 7), display_string().subtype(subtypeSpec=value_size_constraint(1, 2))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeSrvrStatPartNumRev.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrStatPartNumRev.setDescription('Identifies the manufacture part number revision level of the server module.')
sonus_node_srvr_stat_mfg_date = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 8), display_string().subtype(subtypeSpec=value_size_constraint(1, 10))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeSrvrStatMfgDate.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrStatMfgDate.setDescription('The date this server module assembly was manufactured.')
sonus_node_srvr_stat_flash_version = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 9), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeSrvrStatFlashVersion.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrStatFlashVersion.setDescription('Identifies the version of the firmware within the non-volatile FLASH device on this server module.')
sonus_node_srvr_stat_sw_version = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 10), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeSrvrStatSwVersion.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrStatSwVersion.setDescription('Identifies the version of the runtime software application this is currently executing on this server module.')
sonus_node_srvr_stat_build_num = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 11), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeSrvrStatBuildNum.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrStatBuildNum.setDescription('Identifies the build number of this software version.')
sonus_node_srvr_stat_mode = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('standby', 1), ('active', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeSrvrStatMode.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrStatMode.setDescription('Identifies the operational status of the module in the indexed slot.')
sonus_node_srvr_stat_temperature = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 13), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeSrvrStatTemperature.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrStatTemperature.setDescription('Indicates the current Celcius temperature being sensed by the server module in the indexed slot.')
sonus_node_srvr_stat_mem_utilization = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 14), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeSrvrStatMemUtilization.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrStatMemUtilization.setDescription('The current memory utilization of this server module. The value returned is a number from 0 to 100, representing the percentage of memory utilization. Note that this number can be somewhat misleading as many data structures are pre-allocated to ensure that the server modules maximum load capacity can be acheived and maintained. This may result is relatively high memory utilizations under fairly low load.')
sonus_node_srvr_stat_cpu_utilization = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 15), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeSrvrStatCpuUtilization.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrStatCpuUtilization.setDescription('The current CPU utilization of this server module. The value returned is a number from 0 to 100, representing the percentage of CPU utilization.')
sonus_node_srvr_stat_hw_type_rev = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 16), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeSrvrStatHwTypeRev.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrStatHwTypeRev.setDescription('The hardware type revision number of this server module.')
sonus_node_srvr_stat_sw_version_code = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 17), sonus_software_version()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeSrvrStatSwVersionCode.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrStatSwVersionCode.setDescription('Octet string that identifies the version of the runtime software application that is currently executing on this server module: Byte(s) Code ------- ---- 0 major version 1 minor version 2 release version 3 type (1:alpha, 2:beta, 3:release, 4:special) 4-5 type number')
sonus_node_srvr_stat_epld_rev = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 18), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeSrvrStatEpldRev.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrStatEpldRev.setDescription('The EPLD revision level of this server module. An overall number which represents the total level of the server module.')
sonus_node_srvr_stat_host_name = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 19), display_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeSrvrStatHostName.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrStatHostName.setDescription('Identifies the host name that software load of this module had been built on.')
sonus_node_srvr_stat_user_name = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 20), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeSrvrStatUserName.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrStatUserName.setDescription('Identifies the user who builds software load of this module.')
sonus_node_srvr_stat_view_name = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 21), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeSrvrStatViewName.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrStatViewName.setDescription('Identifies the viewName used for software build.')
sonus_node_srvr_stat_total_mem = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 22), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeSrvrStatTotalMem.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrStatTotalMem.setDescription('Indicates the total memory size of the server module.')
sonus_node_srvr_stat_free_mem = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 23), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeSrvrStatFreeMem.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrStatFreeMem.setDescription('Indicates the total memory available on the server module.')
sonus_node_srvr_stat_total_shared_mem = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 24), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeSrvrStatTotalSharedMem.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrStatTotalSharedMem.setDescription('Indicates the total shared memory size of the server module.')
sonus_node_srvr_stat_free_shared_mem = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 7, 1, 25), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeSrvrStatFreeSharedMem.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSrvrStatFreeSharedMem.setDescription('Indicates the total shared memory available on the server module.')
sonus_node_adap_stat_table = mib_table((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 11))
if mibBuilder.loadTexts:
sonusNodeAdapStatTable.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeAdapStatTable.setDescription('The node adapter status table describes the status of the indexed adapter module in the node. This table is unavailable if the sonusNodeSlotAdapState object indicates that this slot is unknown, empty or faulted.')
sonus_node_adap_stat_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 11, 1)).setIndexNames((0, 'SONUS-NODE-MIB', 'sonusNodeAdapStatShelfIndex'), (0, 'SONUS-NODE-MIB', 'sonusNodeAdapStatSlotIndex'))
if mibBuilder.loadTexts:
sonusNodeAdapStatEntry.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeAdapStatEntry.setDescription('')
sonus_node_adap_stat_shelf_index = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 11, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 6))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeAdapStatShelfIndex.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeAdapStatShelfIndex.setDescription('Identifies the target shelf.')
sonus_node_adap_stat_slot_index = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 11, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 16))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeAdapStatSlotIndex.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeAdapStatSlotIndex.setDescription('Identifies the target slot within the shelf.')
sonus_node_adap_stat_midd_version = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 11, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeAdapStatMiddVersion.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeAdapStatMiddVersion.setDescription('Identifies the version of the MIDD EEPROM on this adapter module.')
sonus_node_adap_stat_hw_type = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 11, 1, 4), hw_type_id()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeAdapStatHwType.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeAdapStatHwType.setDescription('Identifies the type of adapter module in the indexed slot.')
sonus_node_adap_stat_hw_type_rev = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 11, 1, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeAdapStatHwTypeRev.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeAdapStatHwTypeRev.setDescription('Identifies the hardware type revision of the adapter module detected in the slot.')
sonus_node_adap_stat_serial_num = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 11, 1, 6), display_string().subtype(subtypeSpec=value_size_constraint(1, 10))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeAdapStatSerialNum.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeAdapStatSerialNum.setDescription('Identifies the serial number of the adapter module. This is the serial number assigned to the card at manufacture.')
sonus_node_adap_stat_part_num = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 11, 1, 7), display_string().subtype(subtypeSpec=value_size_constraint(1, 10))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeAdapStatPartNum.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeAdapStatPartNum.setDescription('Identifies the part number of the adapter module. This is the part number assigned to the card at manufacture.')
sonus_node_adap_stat_part_num_rev = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 11, 1, 8), display_string().subtype(subtypeSpec=value_size_constraint(1, 2))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeAdapStatPartNumRev.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeAdapStatPartNumRev.setDescription('Identifies the assembly revision level of the adapter module.')
sonus_node_adap_stat_mfg_date = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 11, 1, 9), display_string().subtype(subtypeSpec=value_size_constraint(1, 10))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeAdapStatMfgDate.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeAdapStatMfgDate.setDescription('The date this adapter module was manufactured.')
sonus_node_slot_admn_table = mib_table((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 12))
if mibBuilder.loadTexts:
sonusNodeSlotAdmnTable.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSlotAdmnTable.setDescription('The node slot admn table provides physical manipulation of a slot location in a shelf.')
sonus_node_slot_admn_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 12, 1)).setIndexNames((0, 'SONUS-NODE-MIB', 'sonusNodeSlotAdmnShelfIndex'), (0, 'SONUS-NODE-MIB', 'sonusNodeSlotAdmnSlotIndex'))
if mibBuilder.loadTexts:
sonusNodeSlotAdmnEntry.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSlotAdmnEntry.setDescription('')
sonus_node_slot_admn_shelf_index = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 12, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 6))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeSlotAdmnShelfIndex.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSlotAdmnShelfIndex.setDescription('Identifies the target shelf.')
sonus_node_slot_admn_slot_index = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 12, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 16))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNodeSlotAdmnSlotIndex.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSlotAdmnSlotIndex.setDescription('Identifies the target slot within the shelf.')
sonus_node_slot_admn_reset = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 1, 12, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('undefined', 1), ('reset', 2), ('coredump', 3)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusNodeSlotAdmnReset.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSlotAdmnReset.setDescription('Setting this object to reset(2) or coredump(3), will physically reset the server module installed in the indexed slot. This object always reads as undefined(1). This object bypasses all consistency and safety checks. This object is intended for evaluation testing.')
sonus_nvs_config = mib_identifier((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2))
sonus_nvs_config_table = mib_table((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1))
if mibBuilder.loadTexts:
sonusNvsConfigTable.setStatus('current')
if mibBuilder.loadTexts:
sonusNvsConfigTable.setDescription('This table specifies the Boot Parameters that apply only to the MNS present in the indexed shelf and slot. The Boot Parameters can only be accessed if the shelf is actively part of the node.')
sonus_nvs_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1)).setIndexNames((0, 'SONUS-NODE-MIB', 'sonusBparamShelfIndex'))
if mibBuilder.loadTexts:
sonusNvsConfigEntry.setStatus('current')
if mibBuilder.loadTexts:
sonusNvsConfigEntry.setDescription('')
sonus_bparam_shelf_index = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 6))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusBparamShelfIndex.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamShelfIndex.setDescription('Identifies the target shelf. This object returns the value of sonusNodeShelfStatIndex which was used to index into this table.')
sonus_bparam_unused = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 2), integer32())
if mibBuilder.loadTexts:
sonusBparamUnused.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamUnused.setDescription('Unused')
sonus_bparam_passwd = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(0, 23))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamPasswd.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamPasswd.setDescription('The secure password which is used to access the Boot PROM menu subsystem. This object is not available through SNMP.')
sonus_bparam_ip_addr_slot1_port0 = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 4), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamIpAddrSlot1Port0.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamIpAddrSlot1Port0.setDescription('The IP address assigned to the field service port. This port is not intended for customer use.')
sonus_bparam_ip_mask_slot1_port0 = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 5), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamIpMaskSlot1Port0.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamIpMaskSlot1Port0.setDescription('The IP Address Mask assigned to the field service port.')
sonus_bparam_ip_gateway_slot1_port0 = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 6), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamIpGatewaySlot1Port0.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamIpGatewaySlot1Port0.setDescription('The default IP Gateway address used by the field service port.')
sonus_bparam_if_speed_type_slot1_port0 = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('autoNegotiate', 1), ('fullDuplex100', 2), ('halfDuplex100', 3), ('fullDuplex10', 4), ('halfDuplex10', 5)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamIfSpeedTypeSlot1Port0.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamIfSpeedTypeSlot1Port0.setDescription('The default link speed setting used by the field service port.')
sonus_bparam_ip_addr_slot1_port1 = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 8), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamIpAddrSlot1Port1.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamIpAddrSlot1Port1.setDescription('The IP address assigned to management port number one.')
sonus_bparam_ip_mask_slot1_port1 = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 9), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamIpMaskSlot1Port1.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamIpMaskSlot1Port1.setDescription('The IP address mask used by management port one.')
sonus_bparam_ip_gateway_slot1_port1 = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 10), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamIpGatewaySlot1Port1.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamIpGatewaySlot1Port1.setDescription('The default IP Gateway address used by management port one.')
sonus_bparam_if_speed_type_slot1_port1 = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('autoNegotiate', 1), ('fullDuplex100', 2), ('halfDuplex100', 3), ('fullDuplex10', 4), ('halfDuplex10', 5)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamIfSpeedTypeSlot1Port1.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamIfSpeedTypeSlot1Port1.setDescription('The default link speed setting used by management port one.')
sonus_bparam_ip_addr_slot1_port2 = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 12), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamIpAddrSlot1Port2.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamIpAddrSlot1Port2.setDescription('The IP address assigned to management port number two.')
sonus_bparam_ip_mask_slot1_port2 = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 13), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamIpMaskSlot1Port2.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamIpMaskSlot1Port2.setDescription('The IP address mask used by management port two.')
sonus_bparam_ip_gateway_slot1_port2 = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 14), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamIpGatewaySlot1Port2.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamIpGatewaySlot1Port2.setDescription('The default gateway address used by management port two.')
sonus_bparam_if_speed_type_slot1_port2 = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 15), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('autoNegotiate', 1), ('fullDuplex100', 2), ('halfDuplex100', 3), ('fullDuplex10', 4), ('halfDuplex10', 5)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamIfSpeedTypeSlot1Port2.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamIfSpeedTypeSlot1Port2.setDescription('The default link speed setting used by management port two.')
sonus_bparam_ip_addr_slot2_port0 = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 16), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamIpAddrSlot2Port0.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamIpAddrSlot2Port0.setDescription('The IP address assigned to the field service port. This port is not intended for customer use.')
sonus_bparam_ip_mask_slot2_port0 = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 17), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamIpMaskSlot2Port0.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamIpMaskSlot2Port0.setDescription('The IP Address Mask assigned to the field service port.')
sonus_bparam_ip_gateway_slot2_port0 = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 18), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamIpGatewaySlot2Port0.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamIpGatewaySlot2Port0.setDescription('The default IP Gateway address used by the field service port.')
sonus_bparam_if_speed_type_slot2_port0 = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 19), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('autoNegotiate', 1), ('fullDuplex100', 2), ('halfDuplex100', 3), ('fullDuplex10', 4), ('halfDuplex10', 5)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamIfSpeedTypeSlot2Port0.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamIfSpeedTypeSlot2Port0.setDescription('The default link speed setting used by the field service port.')
sonus_bparam_ip_addr_slot2_port1 = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 20), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamIpAddrSlot2Port1.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamIpAddrSlot2Port1.setDescription('The IP address assigned to management port number one.')
sonus_bparam_ip_mask_slot2_port1 = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 21), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamIpMaskSlot2Port1.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamIpMaskSlot2Port1.setDescription('The IP address mask used by management port one.')
sonus_bparam_ip_gateway_slot2_port1 = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 22), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamIpGatewaySlot2Port1.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamIpGatewaySlot2Port1.setDescription('The default IP Gateway address used by management port one.')
sonus_bparam_if_speed_type_slot2_port1 = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 23), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('autoNegotiate', 1), ('fullDuplex100', 2), ('halfDuplex100', 3), ('fullDuplex10', 4), ('halfDuplex10', 5)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamIfSpeedTypeSlot2Port1.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamIfSpeedTypeSlot2Port1.setDescription('The default link speed setting used by management port one.')
sonus_bparam_ip_addr_slot2_port2 = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 24), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamIpAddrSlot2Port2.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamIpAddrSlot2Port2.setDescription('The IP address assigned to management port number two.')
sonus_bparam_ip_mask_slot2_port2 = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 25), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamIpMaskSlot2Port2.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamIpMaskSlot2Port2.setDescription('The IP address mask used by management port two.')
sonus_bparam_ip_gateway_slot2_port2 = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 26), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamIpGatewaySlot2Port2.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamIpGatewaySlot2Port2.setDescription('The default gateway address used by management port two.')
sonus_bparam_if_speed_type_slot2_port2 = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 27), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('autoNegotiate', 1), ('fullDuplex100', 2), ('halfDuplex100', 3), ('fullDuplex10', 4), ('halfDuplex10', 5)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamIfSpeedTypeSlot2Port2.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamIfSpeedTypeSlot2Port2.setDescription('The default link speed setting used by management port two.')
sonus_bparam_boot_delay = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 28), integer32().subtype(subtypeSpec=value_range_constraint(5, 255))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamBootDelay.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamBootDelay.setDescription('The amount of delay used to allow an administrator to gain access to the NVS configuration menus before the runtime software is loaded. The delay is specified in seconds. Increasing this delay, will increase the total system boot time by the same amount.')
sonus_bparam_core_state = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 29), sonus_admin_state()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamCoreState.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamCoreState.setDescription('Specifies whether core dumps are enabled. If core dumps are disabled, a fatal software fault will result in a reboot without the overhead of performing the core dump operation.')
sonus_bparam_core_level = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 30), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('normal', 1), ('sensitive', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamCoreLevel.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamCoreLevel.setDescription('Specifies the type of core dump behavior the shelf will display. Under normal(1) behavior, the server modules will execute a core dump only for fatal software errors. Under sensitive(2) behavior, the server modules will execute a core dump when the software recognizes a major, but non-fatal, software fault. Normal(1) is the strongly recommended setting.')
sonus_bparam_baud_rate = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 31), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamBaudRate.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamBaudRate.setDescription("The baud rate of a management port's physical interface.")
sonus_bparam_nfs_primary = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 32), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamNfsPrimary.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamNfsPrimary.setDescription('The IP Address of the primary NFS Server for this switch.')
sonus_bparam_nfs_secondary = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 33), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamNfsSecondary.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamNfsSecondary.setDescription('The IP Address of the secondary NFS Server for this switch.')
sonus_bparam_nfs_mount_pri = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 34), display_string().subtype(subtypeSpec=value_size_constraint(2, 31))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamNfsMountPri.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamNfsMountPri.setDescription('The NFS mount point exported by the Primary NFS server.')
sonus_bparam_nfs_mount_sec = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 35), display_string().subtype(subtypeSpec=value_size_constraint(2, 31))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamNfsMountSec.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamNfsMountSec.setDescription('The NFS mount point exported by the Secondary NFS server.')
sonus_bparam_nfs_path_upgrade = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 36), display_string().subtype(subtypeSpec=value_size_constraint(0, 15))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamNfsPathUpgrade.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamNfsPathUpgrade.setDescription('The name of the temporary load path override. This path is tried before the sonusBparamNfsPathLoad when specified. If the sonusBparamNfsPathUpgrade fails to completely boot the switch after three consecutive attempts, the path is automatically abandoned in favor of the sonusBparamNfsPathLoad.')
sonus_bparam_nfs_path_load = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 37), display_string().subtype(subtypeSpec=value_size_constraint(2, 31))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamNfsPathLoad.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamNfsPathLoad.setDescription("The directory, beneath the exported NFS mount point, which contains the switch's operational directories.")
sonus_bparam_prim_name = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 38), display_string().subtype(subtypeSpec=value_size_constraint(1, 15))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamPrimName.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamPrimName.setDescription('The primary load file name for this server module.')
sonus_bparam_sec_name = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 39), display_string().subtype(subtypeSpec=value_size_constraint(0, 15))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamSecName.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamSecName.setDescription('The secondary load file name for this server module. The secondary file is tried when the primary file can not be opened or read.')
sonus_bparam_master_state = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 40), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('slave', 1), ('master', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamMasterState.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamMasterState.setDescription('Specifies whether this shelf will participate in the node as a master shelf, or as a slave shelf. Each node contains exactly one master shelf, and may contain multiple slave shelves.')
sonus_bparam_param_mode = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 41), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('disabled', 1), ('binaryFile', 2), ('defaults', 3)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamParamMode.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamParamMode.setDescription('Specifies the binary parameter file mode of the node. This mode specifies whether the node will attempt to load a binary parameter file. The paramMode can be set to disabled(1) which disables parameter file loading. The mode can be set to defaults(3), which temporarily disables binary parameter file loading, until after the next binary parameter file save cycle initiated by the runtime software. In both of these disabled cases, the node boots with default parameters and automatically loads and executes the CLI startup script. The paramMode may be set to binaryFile(2), which enables binary parameter file loading and disables the automatic CLI startup script loading. A binary parameter file must exist before the node can succesfully load a binary parameter file. The node will load default parameters when a valid parameter file can not be loaded. The node loads default parameters when either the parameter mode is set to disabled(1) or when the mode is set to defaults(3). When the mode is set to defaults(3), the mode is automatically updated to binaryFile(2) on the first parameter save cycle.')
sonus_bparam_cli_script = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 42), display_string().subtype(subtypeSpec=value_size_constraint(0, 15))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamCliScript.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamCliScript.setDescription('The name of the CLI script which will be run automatically when the switch intentionally boots with default parameters. The switch will intentionally boot with default parameters when sonusBparamParamMode is set to either disabled(1) or defaults(3). This CLI script will never be run when the sonusBparamParamMode is set to binaryFile(2). If the script is not specified, or if it can not be located, it is not run. The switch expects to find the script file in the cli/sys directory, beneath the load path specified directory.')
sonus_bparam_u_id = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 43), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamUId.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamUId.setDescription('The UNIX user ID used for all file accesses on both the primary and secondary NFS servers.')
sonus_bparam_grp_id = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 44), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamGrpId.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamGrpId.setDescription('The UNIX group ID used for all file accesses on both the primary and secondary NFS servers.')
sonus_bparam_core_dump_limit = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 45), integer32().subtype(subtypeSpec=value_range_constraint(0, 255)).clone(6)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamCoreDumpLimit.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamCoreDumpLimit.setDescription('Indicates the maximum number of core dump files which can be created on behalf of a Server which is requesting a core dump. Setting the value to zero indicates no limit. This object is intended to limit the number of core dumps (and the amount of disk space used) when a Server repeatedly crashes.')
sonus_bparam_nfs_path_software = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 1, 1, 46), display_string().subtype(subtypeSpec=value_size_constraint(0, 15))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusBparamNfsPathSoftware.setStatus('current')
if mibBuilder.loadTexts:
sonusBparamNfsPathSoftware.setDescription('The name of the software load path. This path is is appended to the Boot Path. This object may be NULL, in which case the software is loaded directly from the Boot Path. This object allows multiple revisions of software to be maintained below the Boot Path. This object can be overridden by the Upgrade Path object during a LSWU. During general operation the complete software load path is formed by concatenating this object to the Boot Path and any applicable file system mount point.')
sonus_flash_config_table = mib_table((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 2))
if mibBuilder.loadTexts:
sonusFlashConfigTable.setStatus('current')
if mibBuilder.loadTexts:
sonusFlashConfigTable.setDescription('This table specifies the FLASH Update parameters for the indexed server module. The Boot Firmware for each server module is contained in the FLASH device. It is essential that once the upgrade process is initiated, that it be allowed to complete without interruption. Power loss or manually reseting the server module during the upgrade process will result in a loss of Boot Firmware.')
sonus_flash_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 2, 1)).setIndexNames((0, 'SONUS-NODE-MIB', 'sonusFlashAdmnShelfIndex'), (0, 'SONUS-NODE-MIB', 'sonusFlashAdmnSlotIndex'))
if mibBuilder.loadTexts:
sonusFlashConfigEntry.setStatus('current')
if mibBuilder.loadTexts:
sonusFlashConfigEntry.setDescription('')
sonus_flash_admn_shelf_index = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 2, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 6))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusFlashAdmnShelfIndex.setStatus('current')
if mibBuilder.loadTexts:
sonusFlashAdmnShelfIndex.setDescription('Identifies the target shelf within the node.')
sonus_flash_admn_slot_index = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 2, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 16))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusFlashAdmnSlotIndex.setStatus('current')
if mibBuilder.loadTexts:
sonusFlashAdmnSlotIndex.setDescription('Identifies the target slot within the shelf.')
sonus_flash_admn_update_button = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('update', 1))).clone('update')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusFlashAdmnUpdateButton.setStatus('current')
if mibBuilder.loadTexts:
sonusFlashAdmnUpdateButton.setDescription("Initiate the update of the specified server module's FLASH PROM now. This object always reads as the value update(1).")
sonus_flash_status_table = mib_table((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 3))
if mibBuilder.loadTexts:
sonusFlashStatusTable.setStatus('current')
if mibBuilder.loadTexts:
sonusFlashStatusTable.setDescription('This table specifies the status of the FLASH Update process.')
sonus_flash_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 3, 1)).setIndexNames((0, 'SONUS-NODE-MIB', 'sonusFlashStatShelfIndex'), (0, 'SONUS-NODE-MIB', 'sonusFlashStatSlotIndex'))
if mibBuilder.loadTexts:
sonusFlashStatusEntry.setStatus('current')
if mibBuilder.loadTexts:
sonusFlashStatusEntry.setDescription('')
sonus_flash_stat_shelf_index = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 3, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 6))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusFlashStatShelfIndex.setStatus('current')
if mibBuilder.loadTexts:
sonusFlashStatShelfIndex.setDescription('Identifies the target shelf within the node.')
sonus_flash_stat_slot_index = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 3, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 16))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusFlashStatSlotIndex.setStatus('current')
if mibBuilder.loadTexts:
sonusFlashStatSlotIndex.setDescription('Identifies the target slot within the shelf.')
sonus_flash_stat_state = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 3, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=named_values(('idle', 1), ('waitReply', 2), ('waitData', 3), ('imageComplete', 4), ('flashErase', 5), ('flashWrite', 6), ('done', 7)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusFlashStatState.setStatus('current')
if mibBuilder.loadTexts:
sonusFlashStatState.setDescription('The current state of the FLASH update process on the target server module.')
sonus_flash_stat_last_status = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 2, 3, 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, 17))).clone(namedValues=named_values(('success', 1), ('unknown', 2), ('inProgress', 3), ('badRequest', 4), ('noReply', 5), ('managerNack', 6), ('timerResources', 7), ('dataTimeout', 8), ('msgSequence', 9), ('memoryResources', 10), ('imageChecksum', 11), ('badBlkType', 12), ('flashErase', 13), ('flashWrite', 14), ('flashChecksum', 15), ('mgrNack', 16), ('badState', 17)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusFlashStatLastStatus.setStatus('current')
if mibBuilder.loadTexts:
sonusFlashStatLastStatus.setDescription('The status of the last FLASH update that was executed.')
sonus_user = mib_identifier((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3))
sonus_user_list = mib_identifier((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 1))
sonus_user_list_next_index = mib_scalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusUserListNextIndex.setStatus('current')
if mibBuilder.loadTexts:
sonusUserListNextIndex.setDescription('The next valid index to use when creating a new sonusUserListEntry')
sonus_user_list_table = mib_table((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 1, 2))
if mibBuilder.loadTexts:
sonusUserListTable.setStatus('current')
if mibBuilder.loadTexts:
sonusUserListTable.setDescription('This table specifies the user access list for the node.')
sonus_user_list_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 1, 2, 1)).setIndexNames((0, 'SONUS-NODE-MIB', 'sonusUserListIndex'))
if mibBuilder.loadTexts:
sonusUserListEntry.setStatus('current')
if mibBuilder.loadTexts:
sonusUserListEntry.setDescription('')
sonus_user_list_index = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 1, 2, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 6))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusUserListIndex.setStatus('current')
if mibBuilder.loadTexts:
sonusUserListIndex.setDescription('Identifies the target user list entry.')
sonus_user_list_state = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 1, 2, 1, 2), sonus_admin_state()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusUserListState.setStatus('current')
if mibBuilder.loadTexts:
sonusUserListState.setDescription('The administrative state of this user entry.')
sonus_user_list_user_name = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 1, 2, 1, 3), sonus_name()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusUserListUserName.setStatus('current')
if mibBuilder.loadTexts:
sonusUserListUserName.setDescription('The user name of this user.')
sonus_user_list_profile_name = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 1, 2, 1, 4), display_string().subtype(subtypeSpec=value_size_constraint(0, 23))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusUserListProfileName.setStatus('current')
if mibBuilder.loadTexts:
sonusUserListProfileName.setDescription('The name of the profile applied to this user entry.')
sonus_user_list_passwd = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 1, 2, 1, 5), display_string().subtype(subtypeSpec=value_size_constraint(4, 16))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusUserListPasswd.setStatus('current')
if mibBuilder.loadTexts:
sonusUserListPasswd.setDescription('The password for this user.')
sonus_user_list_comment = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 1, 2, 1, 6), display_string().subtype(subtypeSpec=value_size_constraint(0, 31))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusUserListComment.setStatus('current')
if mibBuilder.loadTexts:
sonusUserListComment.setDescription('A comment that is associated with this user.')
sonus_user_list_access = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 1, 2, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('readOnly', 1), ('readWrite', 2), ('admin', 3))).clone('readOnly')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusUserListAccess.setStatus('current')
if mibBuilder.loadTexts:
sonusUserListAccess.setDescription('The priviledge level of this user.')
sonus_user_list_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 1, 2, 1, 8), row_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusUserListRowStatus.setStatus('current')
if mibBuilder.loadTexts:
sonusUserListRowStatus.setDescription('Row status object for this table.')
sonus_user_list_status_table = mib_table((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 1, 3))
if mibBuilder.loadTexts:
sonusUserListStatusTable.setStatus('current')
if mibBuilder.loadTexts:
sonusUserListStatusTable.setDescription('This table specifies status of the user access list for the node.')
sonus_user_list_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 1, 3, 1)).setIndexNames((0, 'SONUS-NODE-MIB', 'sonusUserListStatusIndex'))
if mibBuilder.loadTexts:
sonusUserListStatusEntry.setStatus('current')
if mibBuilder.loadTexts:
sonusUserListStatusEntry.setDescription('')
sonus_user_list_status_index = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 1, 3, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 6)))
if mibBuilder.loadTexts:
sonusUserListStatusIndex.setStatus('current')
if mibBuilder.loadTexts:
sonusUserListStatusIndex.setDescription('Identifies the target user list status entry.')
sonus_user_list_status_last_config_change = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 1, 3, 1, 2), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusUserListStatusLastConfigChange.setStatus('current')
if mibBuilder.loadTexts:
sonusUserListStatusLastConfigChange.setDescription('Octet string that identifies the GMT timestamp of last successful SET PDU from this CLI user. field octects contents range ----- ------- -------- ----- 1 1-2 year 0..65536 2 3 month 1..12 3 4 day 1..31 4 5 hour 0..23 5 6 minutes 0..59 6 7 seconds 0..59 7 8 deci-sec 0..9 * Notes: - the value of year is in network-byte order')
sonus_user_profile = mib_identifier((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 2))
sonus_user_profile_next_index = mib_scalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 2, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusUserProfileNextIndex.setStatus('current')
if mibBuilder.loadTexts:
sonusUserProfileNextIndex.setDescription('The next valid index to use when creating an entry in the sonusUserProfileTable.')
sonus_user_profile_table = mib_table((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 2, 2))
if mibBuilder.loadTexts:
sonusUserProfileTable.setStatus('current')
if mibBuilder.loadTexts:
sonusUserProfileTable.setDescription('This table specifies the user access list for the node.')
sonus_user_profile_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 2, 2, 1)).setIndexNames((0, 'SONUS-NODE-MIB', 'sonusUserProfileIndex'))
if mibBuilder.loadTexts:
sonusUserProfileEntry.setStatus('current')
if mibBuilder.loadTexts:
sonusUserProfileEntry.setDescription('')
sonus_user_profile_index = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 2, 2, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 6))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusUserProfileIndex.setStatus('current')
if mibBuilder.loadTexts:
sonusUserProfileIndex.setDescription('Identifies the target profile entry.')
sonus_user_profile_name = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 2, 2, 1, 2), sonus_name()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusUserProfileName.setStatus('current')
if mibBuilder.loadTexts:
sonusUserProfileName.setDescription('The name of this user profile. This object is required to create the table entry.')
sonus_user_profile_user_state = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 2, 2, 1, 3), sonus_admin_state()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusUserProfileUserState.setStatus('current')
if mibBuilder.loadTexts:
sonusUserProfileUserState.setDescription('The administrative state of this profiled user entry.')
sonus_user_profile_user_passwd = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 2, 2, 1, 4), display_string().subtype(subtypeSpec=value_size_constraint(4, 16))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusUserProfileUserPasswd.setStatus('current')
if mibBuilder.loadTexts:
sonusUserProfileUserPasswd.setDescription('The password for the profiled user entry.')
sonus_user_profile_user_comment = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 2, 2, 1, 5), display_string().subtype(subtypeSpec=value_size_constraint(0, 31))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusUserProfileUserComment.setStatus('current')
if mibBuilder.loadTexts:
sonusUserProfileUserComment.setDescription('The comment that is associated with the profiled user entry.')
sonus_user_profile_user_access = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 2, 2, 1, 6), sonus_access_level()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusUserProfileUserAccess.setStatus('current')
if mibBuilder.loadTexts:
sonusUserProfileUserAccess.setDescription('The priviledge level of the profiled user entry.')
sonus_user_profile_user_comment_state = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 2, 2, 1, 7), sonus_admin_state()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusUserProfileUserCommentState.setStatus('current')
if mibBuilder.loadTexts:
sonusUserProfileUserCommentState.setDescription('Indicates whether the sonusUserProfileUserComment object is present in this user profile.')
sonus_user_profile_user_passwd_state = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 2, 2, 1, 8), sonus_admin_state()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusUserProfileUserPasswdState.setStatus('current')
if mibBuilder.loadTexts:
sonusUserProfileUserPasswdState.setDescription('Indicates whether the sonusUserProfileUserPasswd object is present in this user profile.')
sonus_user_profile_user_access_state = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 2, 2, 1, 9), sonus_admin_state()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusUserProfileUserAccessState.setStatus('current')
if mibBuilder.loadTexts:
sonusUserProfileUserAccessState.setDescription('Indicates whether the sonusUserProfileUserAccess object is present in this user profile.')
sonus_user_profile_user_state_state = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 2, 2, 1, 10), sonus_admin_state()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusUserProfileUserStateState.setStatus('current')
if mibBuilder.loadTexts:
sonusUserProfileUserStateState.setDescription('Indicates whether the sonusUserProfileUserState object is present in this user profile.')
sonus_user_profile_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 3, 2, 2, 1, 11), row_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusUserProfileRowStatus.setStatus('current')
if mibBuilder.loadTexts:
sonusUserProfileRowStatus.setDescription('')
sonus_sw_load = mib_identifier((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 4))
sonus_sw_load_table = mib_table((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 4, 1))
if mibBuilder.loadTexts:
sonusSwLoadTable.setStatus('current')
if mibBuilder.loadTexts:
sonusSwLoadTable.setDescription('This table specifies the hardware type based software load table for the server modules in the node.')
sonus_sw_load_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 4, 1, 1)).setIndexNames((0, 'SONUS-NODE-MIB', 'sonusSwLoadAdmnIndex'))
if mibBuilder.loadTexts:
sonusSwLoadEntry.setStatus('current')
if mibBuilder.loadTexts:
sonusSwLoadEntry.setDescription('')
sonus_sw_load_admn_index = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 4, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 32))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusSwLoadAdmnIndex.setStatus('current')
if mibBuilder.loadTexts:
sonusSwLoadAdmnIndex.setDescription('Identifies the target software load entry.')
sonus_sw_load_admn_image_name = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 4, 1, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(1, 15))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusSwLoadAdmnImageName.setStatus('current')
if mibBuilder.loadTexts:
sonusSwLoadAdmnImageName.setDescription('Identifies the name of the image to load for the hardware type identified by sonusSwLoadAdmnHwType.')
sonus_sw_load_admn_hw_type = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 4, 1, 1, 3), server_type_id()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusSwLoadAdmnHwType.setStatus('current')
if mibBuilder.loadTexts:
sonusSwLoadAdmnHwType.setDescription('Identifies the target hardware type for the load image. This object can only be written at row creation.')
sonus_sw_load_admn_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 4, 1, 1, 4), row_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusSwLoadAdmnRowStatus.setStatus('current')
if mibBuilder.loadTexts:
sonusSwLoadAdmnRowStatus.setDescription('The RowStatus object for this row.')
sonus_sw_load_spec_table = mib_table((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 4, 2))
if mibBuilder.loadTexts:
sonusSwLoadSpecTable.setStatus('current')
if mibBuilder.loadTexts:
sonusSwLoadSpecTable.setDescription('This table specifies the hardware type based software load table for the server modules in the node.')
sonus_sw_load_spec_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 4, 2, 1)).setIndexNames((0, 'SONUS-NODE-MIB', 'sonusSwLoadSpecAdmnShelfIndex'), (0, 'SONUS-NODE-MIB', 'sonusSwLoadSpecAdmnSlotIndex'))
if mibBuilder.loadTexts:
sonusSwLoadSpecEntry.setStatus('current')
if mibBuilder.loadTexts:
sonusSwLoadSpecEntry.setDescription('')
sonus_sw_load_spec_admn_shelf_index = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 4, 2, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusSwLoadSpecAdmnShelfIndex.setStatus('current')
if mibBuilder.loadTexts:
sonusSwLoadSpecAdmnShelfIndex.setDescription('Identifies the target shelf for this load entry entry.')
sonus_sw_load_spec_admn_slot_index = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 4, 2, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusSwLoadSpecAdmnSlotIndex.setStatus('current')
if mibBuilder.loadTexts:
sonusSwLoadSpecAdmnSlotIndex.setDescription('Identifies the target slot within the chassis for this load entry.')
sonus_sw_load_spec_admn_image_name = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 4, 2, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(0, 15))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusSwLoadSpecAdmnImageName.setStatus('current')
if mibBuilder.loadTexts:
sonusSwLoadSpecAdmnImageName.setDescription('Identifies the name of the image to load.')
sonus_sw_load_spec_admn_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 4, 2, 1, 4), row_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusSwLoadSpecAdmnRowStatus.setStatus('current')
if mibBuilder.loadTexts:
sonusSwLoadSpecAdmnRowStatus.setDescription('The RowStatus object for this row.')
sonus_param = mib_identifier((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5))
sonus_param_status_objects = mib_identifier((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1))
sonus_param_save_seq_number = mib_scalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusParamSaveSeqNumber.setStatus('current')
if mibBuilder.loadTexts:
sonusParamSaveSeqNumber.setDescription('The parameter save sequence number assigned to this parameter file.')
sonus_param_save_time_start = mib_scalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusParamSaveTimeStart.setStatus('current')
if mibBuilder.loadTexts:
sonusParamSaveTimeStart.setDescription('The system uptime, measured in milliseconds, when the last parameter save cycle started.')
sonus_param_save_time_stop = mib_scalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusParamSaveTimeStop.setStatus('current')
if mibBuilder.loadTexts:
sonusParamSaveTimeStop.setDescription('The system uptime, measured in milliseconds, when the last parameter save cycle ended.')
sonus_param_save_duration = mib_scalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusParamSaveDuration.setStatus('current')
if mibBuilder.loadTexts:
sonusParamSaveDuration.setDescription('The measured time in milliseconds to complete the last parameter save cycle.')
sonus_param_save_total_bytes = mib_scalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusParamSaveTotalBytes.setStatus('current')
if mibBuilder.loadTexts:
sonusParamSaveTotalBytes.setDescription('The number of bytes contained in the last binary parameter file saved.')
sonus_param_save_total_records = mib_scalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusParamSaveTotalRecords.setStatus('current')
if mibBuilder.loadTexts:
sonusParamSaveTotalRecords.setDescription('The number of individual parameter records contained in the last binary parameter file saved.')
sonus_param_save_filename = mib_scalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 7), display_string().subtype(subtypeSpec=value_size_constraint(0, 31))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusParamSaveFilename.setStatus('current')
if mibBuilder.loadTexts:
sonusParamSaveFilename.setDescription('Identifies the name of the image to load for the hardware type identified by sonusSwLoadAdmnHwType.')
sonus_param_save_state = mib_scalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=named_values(('idle', 1), ('synchronize', 2), ('lock', 3), ('holdoff', 4), ('fopen', 5), ('collect', 6), ('fclose', 7), ('done', 8), ('retry', 9)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusParamSaveState.setStatus('current')
if mibBuilder.loadTexts:
sonusParamSaveState.setDescription("The current state of the active Management Server's parameter saving process.")
sonus_param_load_server = mib_scalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 9), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusParamLoadServer.setStatus('current')
if mibBuilder.loadTexts:
sonusParamLoadServer.setDescription('The IP Address of the NFS server from which parameters were loaded from.')
sonus_param_load_file_type = mib_scalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('primary', 1), ('backup', 2), ('temporary', 3), ('none', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusParamLoadFileType.setStatus('current')
if mibBuilder.loadTexts:
sonusParamLoadFileType.setDescription('The type of binary parameter which was loaded. Under normal circumstances, the primary(1) parameter file will always be loaded. When default parameters are used, no parameter file is loaded, and the value none(4) is used for the file type.')
sonus_param_load_status = mib_scalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('defaults', 1), ('success', 2), ('paramError', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusParamLoadStatus.setStatus('current')
if mibBuilder.loadTexts:
sonusParamLoadStatus.setDescription('Indicates the status of the last binary parameter file load. The value defaults(1) indicates that parameters were not loaded and that the node began with default parameters. The value success(2) indicates that a binary parameter file was successfully loaded when the node booted. The value paramError(3) indicates that the node attempted to load a binary parameter file and that there was an error in the processing of the file. The node may be running with a partial parameter file when this error is indicated.')
sonus_param_load_seq_number = mib_scalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 12), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusParamLoadSeqNumber.setStatus('current')
if mibBuilder.loadTexts:
sonusParamLoadSeqNumber.setDescription('')
sonus_param_load_total_records = mib_scalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 13), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusParamLoadTotalRecords.setStatus('current')
if mibBuilder.loadTexts:
sonusParamLoadTotalRecords.setDescription('')
sonus_param_load_total_bytes = mib_scalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 14), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusParamLoadTotalBytes.setStatus('current')
if mibBuilder.loadTexts:
sonusParamLoadTotalBytes.setDescription('')
sonus_param_load_duration = mib_scalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 15), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusParamLoadDuration.setStatus('current')
if mibBuilder.loadTexts:
sonusParamLoadDuration.setDescription('')
sonus_param_load_serial_num = mib_scalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 16), display_string().subtype(subtypeSpec=value_size_constraint(0, 31))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusParamLoadSerialNum.setStatus('current')
if mibBuilder.loadTexts:
sonusParamLoadSerialNum.setDescription('Identifies the serial number of the node which created the parameter file loaded by this node.')
sonus_param_save_primary_srvr_state = mib_scalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 17), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('unknown', 1), ('failed', 2), ('failing', 3), ('behind', 4), ('current', 5), ('ahead', 6)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusParamSavePrimarySrvrState.setStatus('current')
if mibBuilder.loadTexts:
sonusParamSavePrimarySrvrState.setDescription('The current state of parameter saving to this NFS server.')
sonus_param_save_primary_srvr_reason = mib_scalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 18), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=named_values(('success', 1), ('create', 2), ('fopen', 3), ('header', 4), ('timer', 5), ('nfs', 6), ('flush', 7), ('write', 8), ('close', 9), ('move', 10), ('memory', 11), ('none', 12)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusParamSavePrimarySrvrReason.setStatus('current')
if mibBuilder.loadTexts:
sonusParamSavePrimarySrvrReason.setDescription('The failure code associated with the last parameter save pass to this NFS server.')
sonus_param_save_secondary_srvr_state = mib_scalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 19), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('unknown', 1), ('failed', 2), ('failing', 3), ('behind', 4), ('current', 5), ('ahead', 6)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusParamSaveSecondarySrvrState.setStatus('current')
if mibBuilder.loadTexts:
sonusParamSaveSecondarySrvrState.setDescription('The current state of parameter saving to this NFS server.')
sonus_param_save_secondary_srvr_reason = mib_scalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 20), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=named_values(('success', 1), ('create', 2), ('fopen', 3), ('header', 4), ('timer', 5), ('nfs', 6), ('flush', 7), ('write', 8), ('close', 9), ('move', 10), ('memory', 11), ('none', 12)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusParamSaveSecondarySrvrReason.setStatus('current')
if mibBuilder.loadTexts:
sonusParamSaveSecondarySrvrReason.setDescription('The failure code associated with the last parameter save pass to this NFS server.')
sonus_param_last_save_time = mib_scalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 1, 21), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusParamLastSaveTime.setStatus('current')
if mibBuilder.loadTexts:
sonusParamLastSaveTime.setDescription('Octet string that identifies the GMT timestamp of last successful PIF write. field octects contents range ----- ------- -------- ----- 1 1-2 year 0..65536 2 3 month 1..12 3 4 day 1..31 4 5 hour 0..23 5 6 minutes 0..59 6 7 seconds 0..59 7 8 deci-sec 0..9 * Notes: - the value of year is in network-byte order ')
sonus_param_admin_object = mib_identifier((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 2))
sonus_param_admn_max_incr_pifs = mib_scalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 5, 2, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 10))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusParamAdmnMaxIncrPifs.setStatus('current')
if mibBuilder.loadTexts:
sonusParamAdmnMaxIncrPifs.setDescription('The maximum of Incremental PIF files saved per NFS server')
sonus_nfs = mib_identifier((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6))
sonus_nfs_admn_table = mib_table((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 1))
if mibBuilder.loadTexts:
sonusNfsAdmnTable.setStatus('current')
if mibBuilder.loadTexts:
sonusNfsAdmnTable.setDescription('This table specifies the configurable NFS options for each MNS in each shelf.')
sonus_nfs_admn_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 1, 1)).setIndexNames((0, 'SONUS-NODE-MIB', 'sonusNfsAdmnShelfIndex'), (0, 'SONUS-NODE-MIB', 'sonusNfsAdmnSlotIndex'))
if mibBuilder.loadTexts:
sonusNfsAdmnEntry.setStatus('current')
if mibBuilder.loadTexts:
sonusNfsAdmnEntry.setDescription('')
sonus_nfs_admn_shelf_index = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 6))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNfsAdmnShelfIndex.setStatus('current')
if mibBuilder.loadTexts:
sonusNfsAdmnShelfIndex.setDescription('Identifies the target shelf. This object returns the value of sonusNodeShelfStatIndex which was used to index into this table.')
sonus_nfs_admn_slot_index = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 1, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 2))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNfsAdmnSlotIndex.setStatus('current')
if mibBuilder.loadTexts:
sonusNfsAdmnSlotIndex.setDescription('Identifies the target MNS module slot within the shelf.')
sonus_nfs_admn_mount_server = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('noop', 1), ('primary', 2), ('secondary', 3)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusNfsAdmnMountServer.setStatus('current')
if mibBuilder.loadTexts:
sonusNfsAdmnMountServer.setDescription('Mounts the Primary or Secondary NFS server using mount parameters obtained from the NVS Boot parameters sonusBparamNfsPrimary or sonusBparamNfsSecondary, and sonusBparamNfsMountPri or sonusBparamNfsMountSec. Continuous retries will occur until the mount succeeds. This object is always read as noop(1).')
sonus_nfs_admn_unmount_server = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 1, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('noop', 1), ('standby', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusNfsAdmnUnmountServer.setStatus('current')
if mibBuilder.loadTexts:
sonusNfsAdmnUnmountServer.setDescription('Unmounts the standby NFS server. Note: unmounting this server will disrupt any file I/O currently taking place on it. Continuous retries will occur until the unmount succeeds. This object is always read as noop(1).')
sonus_nfs_admn_toggle_active_server = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 1, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('noop', 1), ('toggle', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusNfsAdmnToggleActiveServer.setStatus('current')
if mibBuilder.loadTexts:
sonusNfsAdmnToggleActiveServer.setDescription('Toggles the Active NFS server between the Primary and Secondary, provided both servers are currently mounted. This object is always read as noop(1).')
sonus_nfs_admn_set_writable = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 1, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('noop', 1), ('primary', 2), ('secondary', 3)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sonusNfsAdmnSetWritable.setStatus('current')
if mibBuilder.loadTexts:
sonusNfsAdmnSetWritable.setDescription('Clears the perception of a read-only condition on the Primary or Secondary NFS server, so that server will be considered viable as the Active server. This object is always read as noop(1).')
sonus_nfs_stat_table = mib_table((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 2))
if mibBuilder.loadTexts:
sonusNfsStatTable.setStatus('current')
if mibBuilder.loadTexts:
sonusNfsStatTable.setDescription('This table specifies NFS status objects for each MNS in each shelf.')
sonus_nfs_stat_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 2, 1)).setIndexNames((0, 'SONUS-NODE-MIB', 'sonusNfsStatShelfIndex'), (0, 'SONUS-NODE-MIB', 'sonusNfsStatSlotIndex'))
if mibBuilder.loadTexts:
sonusNfsStatEntry.setStatus('current')
if mibBuilder.loadTexts:
sonusNfsStatEntry.setDescription('')
sonus_nfs_stat_shelf_index = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 2, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 6))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNfsStatShelfIndex.setStatus('current')
if mibBuilder.loadTexts:
sonusNfsStatShelfIndex.setDescription('Identifies the target shelf. This object returns the value of sonusNodeShelfStatIndex which was used to index into this table.')
sonus_nfs_stat_slot_index = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 2, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 2))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNfsStatSlotIndex.setStatus('current')
if mibBuilder.loadTexts:
sonusNfsStatSlotIndex.setDescription('Identifies the target MNS module slot within the shelf.')
sonus_nfs_stat_primary_status = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 2, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('mounted', 1), ('mounting', 2), ('unmounted', 3), ('unmounting', 4), ('readOnly', 5), ('testing', 6), ('failed', 7), ('invalid', 8)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNfsStatPrimaryStatus.setStatus('current')
if mibBuilder.loadTexts:
sonusNfsStatPrimaryStatus.setDescription('Indicates the mount status of the Primary NFS server: mounted and functioning properly, attemping to mount, indefinitely unmounted, attempting to unmount, mounted but read-only, testing connectivity, server failure, or invalid NFS parameters.')
sonus_nfs_stat_secondary_status = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 2, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('mounted', 1), ('mounting', 2), ('unmounted', 3), ('unmounting', 4), ('readOnly', 5), ('testing', 6), ('failed', 7), ('invalid', 8)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNfsStatSecondaryStatus.setStatus('current')
if mibBuilder.loadTexts:
sonusNfsStatSecondaryStatus.setDescription('Indicates the mount status of the Secondary NFS server: mounted and functioning properly, attemping to mount, indefinitely unmounted, attempting to unmount, mounted but read-only, testing connectivity, server failure, or invalid NFS parameters.')
sonus_nfs_stat_active_server = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 2, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('none', 1), ('primary', 2), ('secondary', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNfsStatActiveServer.setStatus('current')
if mibBuilder.loadTexts:
sonusNfsStatActiveServer.setDescription('Indicates the current Active NFS server. This may change due to NFS failures or NFS administrative operations.')
sonus_nfs_stat_standby_server = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 2, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('none', 1), ('primary', 2), ('secondary', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNfsStatStandbyServer.setStatus('current')
if mibBuilder.loadTexts:
sonusNfsStatStandbyServer.setDescription('Indicates the current Standby NFS server. This may change due to NFS failures or NFS administrative operations.')
sonus_nfs_stat_primary_ip = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 2, 1, 11), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNfsStatPrimaryIP.setStatus('current')
if mibBuilder.loadTexts:
sonusNfsStatPrimaryIP.setDescription('The IP Address of the currently mounted Primary NFS server. This may differ from the NVS settings if the user modified sonusBparamNfsPrimary without unmounting and remounting the Primary server.')
sonus_nfs_stat_secondary_ip = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 2, 1, 12), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNfsStatSecondaryIP.setStatus('current')
if mibBuilder.loadTexts:
sonusNfsStatSecondaryIP.setDescription('The IP Address of the currently mounted Secondary NFS server. This may differ from the NVS settings if the user modified sonusBparamNfsSecondary without unmounting and remounting the Secondary server.')
sonus_nfs_stat_primary_mount = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 2, 1, 13), display_string().subtype(subtypeSpec=value_size_constraint(2, 32))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNfsStatPrimaryMount.setStatus('current')
if mibBuilder.loadTexts:
sonusNfsStatPrimaryMount.setDescription('The mount point currently in use on the Primary NFS server. This may differ from the NVS settings if the user modified sonusBparamNfsMountPri without unmounting and remounting the Primary server.')
sonus_nfs_stat_secondary_mount = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 2, 1, 14), display_string().subtype(subtypeSpec=value_size_constraint(2, 32))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNfsStatSecondaryMount.setStatus('current')
if mibBuilder.loadTexts:
sonusNfsStatSecondaryMount.setDescription('The mount point currently in use on the Secondary NFS server. This may differ from the NVS settings if the user modified sonusBparamNfsMountSec without unmounting and remounting the Secondary server.')
sonus_nfs_stat_primary_last_error = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 2, 1, 15), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11))).clone(namedValues=named_values(('none', 1), ('badVolumeStructure', 2), ('tooManyFiles', 3), ('volumeFull', 4), ('serverHardError', 5), ('quotaExceeded', 6), ('staleNfsHandle', 7), ('nfsTimeout', 8), ('rpcCanNotSend', 9), ('noAccess', 10), ('other', 11)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNfsStatPrimaryLastError.setStatus('current')
if mibBuilder.loadTexts:
sonusNfsStatPrimaryLastError.setDescription('Last consequential error received from the Primary NFS server. This object is reset to none(1) if the server is remounted.')
sonus_nfs_stat_secondary_last_error = mib_table_column((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 1, 6, 2, 1, 16), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11))).clone(namedValues=named_values(('none', 1), ('badVolumeStructure', 2), ('tooManyFiles', 3), ('volumeFull', 4), ('serverHardError', 5), ('quotaExceeded', 6), ('staleNfsHandle', 7), ('nfsTimeout', 8), ('rpcCanNotSend', 9), ('noAccess', 10), ('other', 11)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNfsStatSecondaryLastError.setStatus('current')
if mibBuilder.loadTexts:
sonusNfsStatSecondaryLastError.setDescription('Last consequential error received from the Secondary NFS server. This object is reset to none(1) if the server is remounted.')
sonus_node_mib_notifications = mib_identifier((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2))
sonus_node_mib_notifications_prefix = mib_identifier((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0))
sonus_node_mib_notifications_objects = mib_identifier((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 1))
sonus_nfs_server = mib_scalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('primary', 1), ('secondary', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNfsServer.setStatus('current')
if mibBuilder.loadTexts:
sonusNfsServer.setDescription('The NFS server referred to by the trap.')
sonus_nfs_role = mib_scalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('active', 1), ('standby', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNfsRole.setStatus('current')
if mibBuilder.loadTexts:
sonusNfsRole.setDescription('Role assumed by the NFS server referred to by the trap.')
sonus_nfs_server_ip = mib_scalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 1, 3), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNfsServerIp.setStatus('current')
if mibBuilder.loadTexts:
sonusNfsServerIp.setDescription('The IP address of the NFS server referred to by the trap.')
sonus_nfs_server_mount = mib_scalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 1, 4), display_string().subtype(subtypeSpec=value_size_constraint(2, 32))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNfsServerMount.setStatus('current')
if mibBuilder.loadTexts:
sonusNfsServerMount.setDescription('The mount point used on the NFS server referred to by the trap.')
sonus_nfs_reason = mib_scalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('adminOperation', 1), ('serverFailure', 2), ('serverNotWritable', 3), ('serverRecovery', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNfsReason.setStatus('current')
if mibBuilder.loadTexts:
sonusNfsReason.setDescription('The reason for the generation of the trap - administrative operation (mount, unmount, or toggle), server failure, server not writable, or server recovery.')
sonus_nfs_error_code = mib_scalar((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11))).clone(namedValues=named_values(('none', 1), ('badVolumeStructure', 2), ('tooManyFiles', 3), ('volumeFull', 4), ('serverHardError', 5), ('quotaExceeded', 6), ('staleNfsHandle', 7), ('nfsTimeout', 8), ('rpcCanNotSend', 9), ('noAccess', 10), ('other', 11)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sonusNfsErrorCode.setStatus('current')
if mibBuilder.loadTexts:
sonusNfsErrorCode.setDescription('The NFS error that occurred.')
sonus_node_shelf_power_a48_vdc_normal_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 1)).setObjects(('SONUS-COMMON-MIB', 'sonusShelfIndex'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeShelfPowerA48VdcNormalNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeShelfPowerA48VdcNormalNotification.setDescription('A sonusShelfPowerA48VdcNormal trap indicates that 48V DC source A is operating normally for the specified shelf.')
sonus_node_shelf_power_b48_vdc_normal_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 2)).setObjects(('SONUS-COMMON-MIB', 'sonusShelfIndex'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeShelfPowerB48VdcNormalNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeShelfPowerB48VdcNormalNotification.setDescription('A sonusShelfPowerB48VdcNormal trap indicates that 48V DC source B is operating normally for the specified shelf.')
sonus_node_shelf_power_a48_vdc_failure_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 3)).setObjects(('SONUS-COMMON-MIB', 'sonusShelfIndex'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeShelfPowerA48VdcFailureNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeShelfPowerA48VdcFailureNotification.setDescription('A sonusShelfPowerA48VdcFailure trap indicates that 48V DC source A has failed for the specified shelf.')
sonus_node_shelf_power_b48_vdc_failure_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 4)).setObjects(('SONUS-COMMON-MIB', 'sonusShelfIndex'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeShelfPowerB48VdcFailureNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeShelfPowerB48VdcFailureNotification.setDescription('A sonusShelfPowerB48VdcFailure trap indicates that 48V DC source A has failed for the specified shelf.')
sonus_node_shelf_fan_tray_failure_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 5)).setObjects(('SONUS-COMMON-MIB', 'sonusShelfIndex'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeShelfFanTrayFailureNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeShelfFanTrayFailureNotification.setDescription('A sonusNodeShelfFanTrayFailure trap indicates that the fan controller on the specified shelf is indicating a problem. The Event Log should be examined for more detail. The fan tray should be replaced immediately.')
sonus_node_shelf_fan_tray_operational_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 6)).setObjects(('SONUS-COMMON-MIB', 'sonusShelfIndex'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeShelfFanTrayOperationalNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeShelfFanTrayOperationalNotification.setDescription('A sonusNodeShelfFanTrayOperational trap indicates that the fan controller is fully operational on the specified shelf.')
sonus_node_shelf_fan_tray_removed_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 7)).setObjects(('SONUS-COMMON-MIB', 'sonusShelfIndex'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeShelfFanTrayRemovedNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeShelfFanTrayRemovedNotification.setDescription('A sonusNodeShelfFanTrayRemoved trap indicates that the fan tray has been removed from the specified shelf. The fan tray should be replaced as soon as possible to avoid damage to the equipment as a result of overheating.')
sonus_node_shelf_fan_tray_present_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 8)).setObjects(('SONUS-COMMON-MIB', 'sonusShelfIndex'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeShelfFanTrayPresentNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeShelfFanTrayPresentNotification.setDescription('A sonusNodeShelfFanTrayPresent trap indicates that a fan tray is present for the specified shelf.')
sonus_node_shelf_intake_temp_warning_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 9)).setObjects(('SONUS-COMMON-MIB', 'sonusShelfIndex'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeShelfIntakeTempWarningNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeShelfIntakeTempWarningNotification.setDescription('A sonusNodeShelfIntakeTempWarning trap indicates that the intake temperature of the specified shelf has exceeded 45C degrees.')
sonus_node_server_temp_warning_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 10)).setObjects(('SONUS-COMMON-MIB', 'sonusShelfIndex'), ('SONUS-COMMON-MIB', 'sonusSlotIndex'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeServerTempWarningNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeServerTempWarningNotification.setDescription('A sonusNodeServerTempWarning trap indicates that the operating temperature of the specified shelf and slot has exceeded 60C degrees.')
sonus_node_server_temp_failure_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 11)).setObjects(('SONUS-COMMON-MIB', 'sonusShelfIndex'), ('SONUS-COMMON-MIB', 'sonusSlotIndex'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeServerTempFailureNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeServerTempFailureNotification.setDescription('A sonusNodeServerTempFailure trap indicates that the operating temperature of the specified shelf and slot has exceeded 70C degrees. A server module operating for any length of time at this temperature is in danger of being physically damaged. The specified module should be disabled and/or removed from the shelf.')
sonus_node_server_temp_normal_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 12)).setObjects(('SONUS-COMMON-MIB', 'sonusShelfIndex'), ('SONUS-COMMON-MIB', 'sonusSlotIndex'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeServerTempNormalNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeServerTempNormalNotification.setDescription('A sonusNodeServerTempNormal trap indicates that the operating temperature of the specified shelf and slot has is below 60C degrees.')
sonus_node_server_inserted_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 13)).setObjects(('SONUS-COMMON-MIB', 'sonusShelfIndex'), ('SONUS-COMMON-MIB', 'sonusSlotIndex'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeServerInsertedNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeServerInsertedNotification.setDescription('A sonusNodeServerInserted trap indicates that a server module has been inserted in the specified shelf and slot.')
sonus_node_server_removed_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 14)).setObjects(('SONUS-COMMON-MIB', 'sonusShelfIndex'), ('SONUS-COMMON-MIB', 'sonusSlotIndex'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeServerRemovedNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeServerRemovedNotification.setDescription('A sonusNodeServerRemoved trap indicates that a server module has been removed from the specified shelf and slot.')
sonus_node_server_reset_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 15)).setObjects(('SONUS-COMMON-MIB', 'sonusShelfIndex'), ('SONUS-COMMON-MIB', 'sonusSlotIndex'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeServerResetNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeServerResetNotification.setDescription('A sonusNodeServerReset trap indicates that the server module in the specified shelf and slot has been reset.')
sonus_node_server_operational_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 16)).setObjects(('SONUS-COMMON-MIB', 'sonusShelfIndex'), ('SONUS-COMMON-MIB', 'sonusSlotIndex'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeServerOperationalNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeServerOperationalNotification.setDescription('A sonusNodeServerOperational trap indicates that the booting and initialization has completed successfully for the server module in the specified shelf and slot.')
sonus_node_server_power_failure_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 17)).setObjects(('SONUS-COMMON-MIB', 'sonusShelfIndex'), ('SONUS-COMMON-MIB', 'sonusSlotIndex'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeServerPowerFailureNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeServerPowerFailureNotification.setDescription('A sonusNodeServerPowerFailure trap indicates that a power failure has been detected for the server module in the specified shelf and slot.')
sonus_node_server_software_failure_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 18)).setObjects(('SONUS-COMMON-MIB', 'sonusShelfIndex'), ('SONUS-COMMON-MIB', 'sonusSlotIndex'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeServerSoftwareFailureNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeServerSoftwareFailureNotification.setDescription('A sonusNodeServerSoftwareFailure trap indicates that a software failure has occurred or the server module in the specified shelf and slot. The EventLog should be viewed for possible additional information.')
sonus_node_server_hardware_failure_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 19)).setObjects(('SONUS-COMMON-MIB', 'sonusShelfIndex'), ('SONUS-COMMON-MIB', 'sonusSlotIndex'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeServerHardwareFailureNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeServerHardwareFailureNotification.setDescription('A sonusNodeServerHardwareFailure trap indicates that a hardware failure has occurred or the server module in the specified shelf and slot. The EventLog should be viewed for possible additional information.')
sonus_node_adapter_inserted_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 20)).setObjects(('SONUS-COMMON-MIB', 'sonusShelfIndex'), ('SONUS-COMMON-MIB', 'sonusSlotIndex'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeAdapterInsertedNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeAdapterInsertedNotification.setDescription('A sonusNodeAdapterInserted trap indicates that an adapter module has been inserted in the specified shelf and slot.')
sonus_node_adapter_removed_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 21)).setObjects(('SONUS-COMMON-MIB', 'sonusShelfIndex'), ('SONUS-COMMON-MIB', 'sonusSlotIndex'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeAdapterRemovedNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeAdapterRemovedNotification.setDescription('A sonusNodeAdpaterRemoved trap indicates that an adapter module has been removed from the specified shelf and slot.')
sonus_node_mta_inserted_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 22)).setObjects(('SONUS-COMMON-MIB', 'sonusShelfIndex'), ('SONUS-COMMON-MIB', 'sonusSlotIndex'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeMtaInsertedNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeMtaInsertedNotification.setDescription('A sonusNodeMtaInserted trap indicates that a Management Timing Adapter has been inserted in the specified shelf and slot.')
sonus_node_mta_removed_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 23)).setObjects(('SONUS-COMMON-MIB', 'sonusShelfIndex'), ('SONUS-COMMON-MIB', 'sonusSlotIndex'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeMtaRemovedNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeMtaRemovedNotification.setDescription('A sonusNodeMtaRemoved trap indicates that a Management Timing Adapter has been removed from the specified shelf and slot.')
sonus_node_ethernet_active_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 24)).setObjects(('SONUS-COMMON-MIB', 'sonusShelfIndex'), ('SONUS-COMMON-MIB', 'sonusSlotIndex'), ('SONUS-COMMON-MIB', 'sonusPortIndex'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeEthernetActiveNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeEthernetActiveNotification.setDescription('A sonusNodeEthernetActive trap indicates that an Ethernet link is active for the specified shelf, slot and port.')
sonus_node_ethernet_inactive_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 25)).setObjects(('SONUS-COMMON-MIB', 'sonusShelfIndex'), ('SONUS-COMMON-MIB', 'sonusSlotIndex'), ('SONUS-COMMON-MIB', 'sonusPortIndex'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeEthernetInactiveNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeEthernetInactiveNotification.setDescription('A sonusNodeEthernetInactive trap indicates that an Ethernet link is inactive for the specified shelf, slot and port.')
sonus_node_ethernet_degraded_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 26)).setObjects(('SONUS-COMMON-MIB', 'sonusShelfIndex'), ('SONUS-COMMON-MIB', 'sonusSlotIndex'), ('SONUS-COMMON-MIB', 'sonusPortIndex'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeEthernetDegradedNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeEthernetDegradedNotification.setDescription('A sonusNodeEthernetDegraded trap indicates that an Ethernet link is detecting network errors for the specified shelf, slot and port. The EventLog should be viewed for possible additional information.')
sonus_node_boot_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 27)).setObjects(('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeBootNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeBootNotification.setDescription("The Management Node Server module, in the node's master shelf, has begun the Node Boot process.")
sonus_node_slave_shelf_boot_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 28)).setObjects(('SONUS-COMMON-MIB', 'sonusShelfIndex'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeSlaveShelfBootNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSlaveShelfBootNotification.setDescription("The Management Node Server module, in a node's slave shelf, has begun the Node Boot process.")
sonus_node_nfs_server_switchover_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 29)).setObjects(('SONUS-COMMON-MIB', 'sonusShelfIndex'), ('SONUS-COMMON-MIB', 'sonusSlotIndex'), ('SONUS-NODE-MIB', 'sonusNfsServer'), ('SONUS-NODE-MIB', 'sonusNfsServerIp'), ('SONUS-NODE-MIB', 'sonusNfsServerMount'), ('SONUS-NODE-MIB', 'sonusNfsReason'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeNfsServerSwitchoverNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeNfsServerSwitchoverNotification.setDescription('Indicates that the Active NFS server has switched over to the Standby for the specified reason on the MNS in the given shelf and slot. The NFS server specified is the new Active.')
sonus_node_nfs_server_out_of_service_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 30)).setObjects(('SONUS-COMMON-MIB', 'sonusShelfIndex'), ('SONUS-COMMON-MIB', 'sonusSlotIndex'), ('SONUS-NODE-MIB', 'sonusNfsServer'), ('SONUS-NODE-MIB', 'sonusNfsServerIp'), ('SONUS-NODE-MIB', 'sonusNfsServerMount'), ('SONUS-NODE-MIB', 'sonusNfsReason'), ('SONUS-NODE-MIB', 'sonusNfsErrorCode'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeNfsServerOutOfServiceNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeNfsServerOutOfServiceNotification.setDescription('Indicates that the NFS server specified went out-of-service for the reason provided on the MNS in the given shelf and slot. If it was the result of a server failure, the error that caused the failure is also specified.')
sonus_node_nfs_server_in_service_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 31)).setObjects(('SONUS-COMMON-MIB', 'sonusShelfIndex'), ('SONUS-COMMON-MIB', 'sonusSlotIndex'), ('SONUS-NODE-MIB', 'sonusNfsServer'), ('SONUS-NODE-MIB', 'sonusNfsServerIp'), ('SONUS-NODE-MIB', 'sonusNfsServerMount'), ('SONUS-NODE-MIB', 'sonusNfsReason'), ('SONUS-NODE-MIB', 'sonusNfsRole'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeNfsServerInServiceNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeNfsServerInServiceNotification.setDescription('Indicates that the NFS server specified came in-service for the reason provided on the MNS in the given shelf and slot. The Active/Standby role assumed by the server is also provided.')
sonus_node_nfs_server_not_writable_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 32)).setObjects(('SONUS-COMMON-MIB', 'sonusShelfIndex'), ('SONUS-COMMON-MIB', 'sonusSlotIndex'), ('SONUS-NODE-MIB', 'sonusNfsServer'), ('SONUS-NODE-MIB', 'sonusNfsServerIp'), ('SONUS-NODE-MIB', 'sonusNfsServerMount'), ('SONUS-NODE-MIB', 'sonusNfsErrorCode'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeNfsServerNotWritableNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeNfsServerNotWritableNotification.setDescription('Indicates that the NFS server specified is no longer writable by the MNS in the given shelf and slot. The error code received is provided.')
sonus_node_server_disabled_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 33)).setObjects(('SONUS-COMMON-MIB', 'sonusShelfIndex'), ('SONUS-COMMON-MIB', 'sonusSlotIndex'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeServerDisabledNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeServerDisabledNotification.setDescription('The server modules administrative state has been set to disabled.')
sonus_node_server_enabled_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 34)).setObjects(('SONUS-COMMON-MIB', 'sonusShelfIndex'), ('SONUS-COMMON-MIB', 'sonusSlotIndex'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeServerEnabledNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeServerEnabledNotification.setDescription('The server modules administrative state has been set to enabled.')
sonus_node_server_deleted_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 35)).setObjects(('SONUS-COMMON-MIB', 'sonusShelfIndex'), ('SONUS-COMMON-MIB', 'sonusSlotIndex'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeServerDeletedNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeServerDeletedNotification.setDescription("The server module has been deleted from the node's configuration. All configuration data associated with the server module has been deleted.")
sonus_param_backup_load_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 36)).setObjects(('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusParamBackupLoadNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusParamBackupLoadNotification.setDescription('The backup parameter file was loaded. This indicates that the primary parameter file was lost or corrupted. The backup parameter file may contain data which is older than what the primary parameter file contains.')
sonus_param_corruption_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 37)).setObjects(('SONUS-NODE-MIB', 'sonusParamLoadFileType'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusParamCorruptionNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusParamCorruptionNotification.setDescription('The binary parameter inspected was corrupted. The indicated file was skipped due to corruption. This trap is only transmitted if a valid backup parameter file is located and successfully loaded.')
sonus_node_adapter_missing_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 38)).setObjects(('SONUS-COMMON-MIB', 'sonusShelfIndex'), ('SONUS-COMMON-MIB', 'sonusSlotIndex'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeAdapterMissingNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeAdapterMissingNotification.setDescription('A sonusNodeAdpaterMissing trap indicates that an adapter module has not been detected in a specific shelf and slot.')
sonus_node_adapter_failure_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 39)).setObjects(('SONUS-COMMON-MIB', 'sonusShelfIndex'), ('SONUS-COMMON-MIB', 'sonusSlotIndex'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeAdapterFailureNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeAdapterFailureNotification.setDescription('A sonusNodeAdpaterFailure trap indicates that an adapter module has been detected but is not operational.')
sonus_node_slot_reset_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 40)).setObjects(('SONUS-COMMON-MIB', 'sonusShelfIndex'), ('SONUS-COMMON-MIB', 'sonusSlotIndex'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeSlotResetNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeSlotResetNotification.setDescription('A sonusNodeSlotReset trap indicates that a server module in the designated slot was reset.')
sonus_node_param_write_complete_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 41)).setObjects(('SONUS-NODE-MIB', 'sonusParamSaveFilename'), ('SONUS-NODE-MIB', 'sonusParamSaveSeqNumber'), ('SONUS-NODE-MIB', 'sonusParamLastSaveTime'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeParamWriteCompleteNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeParamWriteCompleteNotification.setDescription('A sonusNodeParamWriteComplete trap indicates that NFS server successfully complete PIF write.')
sonus_node_param_write_error_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 42)).setObjects(('SONUS-NODE-MIB', 'sonusParamSavePrimarySrvrReason'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeParamWriteErrorNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeParamWriteErrorNotification.setDescription('A sonusNodeParamWriteError trap indicates that error occured during PIF write.')
sonus_node_boot_mns_active_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 43)).setObjects(('SONUS-COMMON-MIB', 'sonusShelfIndex'), ('SONUS-COMMON-MIB', 'sonusSlotIndex'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeBootMnsActiveNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeBootMnsActiveNotification.setDescription('The Management Node Server module in the specified shelf and slot has become active following a Node Boot.')
sonus_node_shelf_intake_temp_normal_notification = notification_type((1, 3, 6, 1, 4, 1, 2879, 2, 1, 1, 2, 0, 44)).setObjects(('SONUS-COMMON-MIB', 'sonusShelfIndex'), ('SONUS-COMMON-MIB', 'sonusEventDescription'), ('SONUS-COMMON-MIB', 'sonusEventClass'), ('SONUS-COMMON-MIB', 'sonusEventLevel'))
if mibBuilder.loadTexts:
sonusNodeShelfIntakeTempNormalNotification.setStatus('current')
if mibBuilder.loadTexts:
sonusNodeShelfIntakeTempNormalNotification.setDescription('A sonusNodeShelfIntakeTempNormal trap indicates that the intake temperature of the specified shelf is at or below 45C degrees.')
mibBuilder.exportSymbols('SONUS-NODE-MIB', sonusNodeSrvrAdmnTable=sonusNodeSrvrAdmnTable, sonusBparamNfsPrimary=sonusBparamNfsPrimary, sonusNodeAdapStatMfgDate=sonusNodeAdapStatMfgDate, sonusNodeSrvrAdmnState=sonusNodeSrvrAdmnState, sonusNfsAdmnSetWritable=sonusNfsAdmnSetWritable, sonusFlashConfigTable=sonusFlashConfigTable, sonusNodeSrvrStatShelfIndex=sonusNodeSrvrStatShelfIndex, sonusBparamIfSpeedTypeSlot2Port0=sonusBparamIfSpeedTypeSlot2Port0, sonusParamLastSaveTime=sonusParamLastSaveTime, sonusNodeSrvrStatUserName=sonusNodeSrvrStatUserName, sonusNodeAdapStatShelfIndex=sonusNodeAdapStatShelfIndex, sonusUserProfileUserAccess=sonusUserProfileUserAccess, sonusNfsStatActiveServer=sonusNfsStatActiveServer, sonusNodeSlotAdmnSlotIndex=sonusNodeSlotAdmnSlotIndex, sonusNfsStatTable=sonusNfsStatTable, sonusSwLoadAdmnIndex=sonusSwLoadAdmnIndex, sonusNfsStatSecondaryLastError=sonusNfsStatSecondaryLastError, sonusNodeServerResetNotification=sonusNodeServerResetNotification, sonusNodeShelfPowerB48VdcNormalNotification=sonusNodeShelfPowerB48VdcNormalNotification, sonusNvsConfigTable=sonusNvsConfigTable, sonusNodeShelfStatBackplane=sonusNodeShelfStatBackplane, sonusNodeShelfPowerA48VdcNormalNotification=sonusNodeShelfPowerA48VdcNormalNotification, sonusNodeAdapterFailureNotification=sonusNodeAdapterFailureNotification, sonusNodeSlotAdapState=sonusNodeSlotAdapState, sonusSwLoadAdmnImageName=sonusSwLoadAdmnImageName, sonusNodeAdapStatHwType=sonusNodeAdapStatHwType, sonusNfs=sonusNfs, sonusFlashStatLastStatus=sonusFlashStatLastStatus, sonusNodeServerEnabledNotification=sonusNodeServerEnabledNotification, sonusParamAdmnMaxIncrPifs=sonusParamAdmnMaxIncrPifs, sonusNfsStatPrimaryMount=sonusNfsStatPrimaryMount, sonusSwLoadTable=sonusSwLoadTable, sonusNodeShelfAdmn48VdcAState=sonusNodeShelfAdmn48VdcAState, sonusNodeSrvrStatCpuUtilization=sonusNodeSrvrStatCpuUtilization, sonusNodeSrvrStatPartNum=sonusNodeSrvrStatPartNum, sonusSwLoadSpecAdmnRowStatus=sonusSwLoadSpecAdmnRowStatus, sonusNodeSrvrStatTotalMem=sonusNodeSrvrStatTotalMem, sonusBparamSecName=sonusBparamSecName, sonusNodeSrvrAdmnRowStatus=sonusNodeSrvrAdmnRowStatus, sonusSwLoadAdmnRowStatus=sonusSwLoadAdmnRowStatus, sonusBparamIfSpeedTypeSlot2Port2=sonusBparamIfSpeedTypeSlot2Port2, sonusSwLoad=sonusSwLoad, sonusNodeParamWriteErrorNotification=sonusNodeParamWriteErrorNotification, sonusUserListComment=sonusUserListComment, sonusNodeShelfStatFanSpeed=sonusNodeShelfStatFanSpeed, sonusNodeSrvrStatFreeMem=sonusNodeSrvrStatFreeMem, sonusBparamNfsSecondary=sonusBparamNfsSecondary, sonusNfsAdmnEntry=sonusNfsAdmnEntry, sonusNodeShelfStat48VAStatus=sonusNodeShelfStat48VAStatus, sonusNodeAdapterInsertedNotification=sonusNodeAdapterInsertedNotification, sonusParamLoadTotalBytes=sonusParamLoadTotalBytes, sonusNodeSlotAdmnReset=sonusNodeSlotAdmnReset, sonusBparamCoreLevel=sonusBparamCoreLevel, sonusUserListTable=sonusUserListTable, sonusNodeSrvrStatSwVersionCode=sonusNodeSrvrStatSwVersionCode, sonusUserProfileUserPasswdState=sonusUserProfileUserPasswdState, sonusNfsStatShelfIndex=sonusNfsStatShelfIndex, sonusNodeShelfFanTrayPresentNotification=sonusNodeShelfFanTrayPresentNotification, sonusBparamNfsMountSec=sonusBparamNfsMountSec, sonusNodeServerDeletedNotification=sonusNodeServerDeletedNotification, sonusNodeShelfAdmnRestart=sonusNodeShelfAdmnRestart, sonusBparamIpAddrSlot1Port1=sonusBparamIpAddrSlot1Port1, sonusNodeShelfIntakeTempWarningNotification=sonusNodeShelfIntakeTempWarningNotification, sonusBparamNfsPathUpgrade=sonusBparamNfsPathUpgrade, sonusBparamBaudRate=sonusBparamBaudRate, sonusNodeBootMnsActiveNotification=sonusNodeBootMnsActiveNotification, sonusNodeMIB=sonusNodeMIB, sonusBparamIfSpeedTypeSlot2Port1=sonusBparamIfSpeedTypeSlot2Port1, sonusParamSaveTimeStart=sonusParamSaveTimeStart, sonusParamSaveDuration=sonusParamSaveDuration, sonusBparamIpAddrSlot2Port0=sonusBparamIpAddrSlot2Port0, sonusNodeShelfFanTrayRemovedNotification=sonusNodeShelfFanTrayRemovedNotification, sonusParamLoadSeqNumber=sonusParamLoadSeqNumber, sonusUserListNextIndex=sonusUserListNextIndex, sonusSwLoadSpecAdmnShelfIndex=sonusSwLoadSpecAdmnShelfIndex, sonusNodeSrvrStatSerialNum=sonusNodeSrvrStatSerialNum, sonusNodeShelfFanTrayFailureNotification=sonusNodeShelfFanTrayFailureNotification, sonusNodeShelfStatEntry=sonusNodeShelfStatEntry, sonusBparamBootDelay=sonusBparamBootDelay, sonusUserProfileUserStateState=sonusUserProfileUserStateState, sonusBparamIpAddrSlot1Port0=sonusBparamIpAddrSlot1Port0, sonusNfsStatPrimaryStatus=sonusNfsStatPrimaryStatus, sonusNodeServerSoftwareFailureNotification=sonusNodeServerSoftwareFailureNotification, sonusNodeSrvrStatViewName=sonusNodeSrvrStatViewName, sonusNodeSlotAdmnTable=sonusNodeSlotAdmnTable, sonusBparamIpMaskSlot1Port1=sonusBparamIpMaskSlot1Port1, sonusNodeSrvrStatMode=sonusNodeSrvrStatMode, sonusParamBackupLoadNotification=sonusParamBackupLoadNotification, sonusNodeShelfIntakeTempNormalNotification=sonusNodeShelfIntakeTempNormalNotification, sonusParamSaveTimeStop=sonusParamSaveTimeStop, sonusParamSaveSeqNumber=sonusParamSaveSeqNumber, sonusNodeSrvrStatTable=sonusNodeSrvrStatTable, sonusNodeStatMgmtStatus=sonusNodeStatMgmtStatus, sonusNodeSrvrAdmnEntry=sonusNodeSrvrAdmnEntry, sonusNodeMtaRemovedNotification=sonusNodeMtaRemovedNotification, sonusNodeSlotAdapHwType=sonusNodeSlotAdapHwType, sonusNodeSrvrStatMfgDate=sonusNodeSrvrStatMfgDate, sonusNfsStatSecondaryIP=sonusNfsStatSecondaryIP, sonusBparamIpGatewaySlot1Port0=sonusBparamIpGatewaySlot1Port0, sonusNodeMtaInsertedNotification=sonusNodeMtaInsertedNotification, sonusBparamIpGatewaySlot1Port1=sonusBparamIpGatewaySlot1Port1, sonusBparamIfSpeedTypeSlot1Port0=sonusBparamIfSpeedTypeSlot1Port0, sonusNode=sonusNode, sonusNodeSrvrAdmnDumpState=sonusNodeSrvrAdmnDumpState, sonusFlashStatState=sonusFlashStatState, sonusBparamIpAddrSlot1Port2=sonusBparamIpAddrSlot1Port2, sonusNodeSrvrStatSlotIndex=sonusNodeSrvrStatSlotIndex, sonusNfsAdmnUnmountServer=sonusNfsAdmnUnmountServer, sonusNodeShelfAdmnEntry=sonusNodeShelfAdmnEntry, sonusNodeBootNotification=sonusNodeBootNotification, sonusUserListUserName=sonusUserListUserName, sonusNodeSlotTable=sonusNodeSlotTable, sonusParamCorruptionNotification=sonusParamCorruptionNotification, sonusNodeShelfStatType=sonusNodeShelfStatType, sonusSwLoadSpecEntry=sonusSwLoadSpecEntry, sonusNodeStatNextIfIndex=sonusNodeStatNextIfIndex, sonusNodeSlotState=sonusNodeSlotState, sonusUserListAccess=sonusUserListAccess, sonusNodeSrvrAdmnAdapHwType=sonusNodeSrvrAdmnAdapHwType, sonusNodeAdapStatEntry=sonusNodeAdapStatEntry, sonusNvsConfig=sonusNvsConfig, sonusNodeAdmnTelnetLogin=sonusNodeAdmnTelnetLogin, sonusNodeShelfStat48VBStatus=sonusNodeShelfStat48VBStatus, sonusNodeMIBNotifications=sonusNodeMIBNotifications, sonusUserListProfileName=sonusUserListProfileName, sonusNodeNfsServerSwitchoverNotification=sonusNodeNfsServerSwitchoverNotification, sonusNodeSlaveShelfBootNotification=sonusNodeSlaveShelfBootNotification, sonusUserProfileUserAccessState=sonusUserProfileUserAccessState, sonusNodeSrvrAdmnMode=sonusNodeSrvrAdmnMode, sonusBparamIpMaskSlot2Port2=sonusBparamIpMaskSlot2Port2, sonusParamSaveTotalBytes=sonusParamSaveTotalBytes, sonusNodeShelfFanTrayOperationalNotification=sonusNodeShelfFanTrayOperationalNotification, sonusBparamIfSpeedTypeSlot1Port1=sonusBparamIfSpeedTypeSlot1Port1, sonusUserProfileRowStatus=sonusUserProfileRowStatus, sonusNodeShelfPowerB48VdcFailureNotification=sonusNodeShelfPowerB48VdcFailureNotification, sonusParamSaveState=sonusParamSaveState, sonusFlashAdmnSlotIndex=sonusFlashAdmnSlotIndex, sonusBparamIpGatewaySlot2Port0=sonusBparamIpGatewaySlot2Port0, sonusNodeAdapStatSlotIndex=sonusNodeAdapStatSlotIndex, sonusNodeAdapStatPartNumRev=sonusNodeAdapStatPartNumRev, sonusBparamIpGatewaySlot2Port2=sonusBparamIpGatewaySlot2Port2, sonusBparamNfsMountPri=sonusBparamNfsMountPri, sonusNodeSrvrAdmnAction=sonusNodeSrvrAdmnAction, sonusNfsServer=sonusNfsServer, sonusUserProfileEntry=sonusUserProfileEntry, sonusNodeServerRemovedNotification=sonusNodeServerRemovedNotification, sonusFlashStatusTable=sonusFlashStatusTable, sonusSwLoadSpecAdmnSlotIndex=sonusSwLoadSpecAdmnSlotIndex, sonusUserProfileUserCommentState=sonusUserProfileUserCommentState, sonusBparamShelfIndex=sonusBparamShelfIndex, sonusParamLoadTotalRecords=sonusParamLoadTotalRecords, sonusBparamNfsPathLoad=sonusBparamNfsPathLoad, sonusUserListStatusLastConfigChange=sonusUserListStatusLastConfigChange, sonusNodeParamWriteCompleteNotification=sonusNodeParamWriteCompleteNotification, sonusNodeShelfAdmnTable=sonusNodeShelfAdmnTable, sonusNodeStatShelvesPresent=sonusNodeStatShelvesPresent, sonusUserListEntry=sonusUserListEntry, sonusNodeAdapStatPartNum=sonusNodeAdapStatPartNum, sonusNodeServerTempFailureNotification=sonusNodeServerTempFailureNotification, sonusNodeAdapStatSerialNum=sonusNodeAdapStatSerialNum, sonusFlashConfigEntry=sonusFlashConfigEntry, sonusNodeShelfAdmn48VdcBState=sonusNodeShelfAdmn48VdcBState, sonusNfsStatSecondaryMount=sonusNfsStatSecondaryMount, sonusUserProfileUserState=sonusUserProfileUserState, sonusNodeSrvrStatEpldRev=sonusNodeSrvrStatEpldRev, sonusNodeSrvrAdmnSpecialFunction=sonusNodeSrvrAdmnSpecialFunction, sonusNodeSrvrStatFlashVersion=sonusNodeSrvrStatFlashVersion, sonusSwLoadSpecTable=sonusSwLoadSpecTable, sonusParamSaveTotalRecords=sonusParamSaveTotalRecords, sonusNodeSrvrStatFreeSharedMem=sonusNodeSrvrStatFreeSharedMem, sonusNodeNfsServerInServiceNotification=sonusNodeNfsServerInServiceNotification, sonusBparamCliScript=sonusBparamCliScript, sonusNodeSrvrStatTemperature=sonusNodeSrvrStatTemperature, sonusParamSaveSecondarySrvrReason=sonusParamSaveSecondarySrvrReason, sonusFlashStatSlotIndex=sonusFlashStatSlotIndex, sonusNodeNfsServerOutOfServiceNotification=sonusNodeNfsServerOutOfServiceNotification, sonusNodeShelfAdmnIpaddr1=sonusNodeShelfAdmnIpaddr1, sonusBparamParamMode=sonusBparamParamMode, sonusBparamIpMaskSlot1Port0=sonusBparamIpMaskSlot1Port0, sonusNodeShelfStatTable=sonusNodeShelfStatTable, sonusUser=sonusUser, sonusNodeServerPowerFailureNotification=sonusNodeServerPowerFailureNotification, sonusParamSaveSecondarySrvrState=sonusParamSaveSecondarySrvrState, sonusFlashAdmnUpdateButton=sonusFlashAdmnUpdateButton, sonusNodeEthernetDegradedNotification=sonusNodeEthernetDegradedNotification, sonusNodeServerOperationalNotification=sonusNodeServerOperationalNotification, sonusNfsAdmnToggleActiveServer=sonusNfsAdmnToggleActiveServer, sonusParamLoadSerialNum=sonusParamLoadSerialNum, sonusBparamPrimName=sonusBparamPrimName, sonusNodeSrvrStatHostName=sonusNodeSrvrStatHostName, sonusUserListStatusTable=sonusUserListStatusTable, sonusNodeNfsServerNotWritableNotification=sonusNodeNfsServerNotWritableNotification, sonusNfsAdmnMountServer=sonusNfsAdmnMountServer, sonusNodeServerTempNormalNotification=sonusNodeServerTempNormalNotification, sonusParamLoadFileType=sonusParamLoadFileType, sonusNodeSrvrStatSwVersion=sonusNodeSrvrStatSwVersion, sonusUserListStatusIndex=sonusUserListStatusIndex, sonusNfsServerMount=sonusNfsServerMount, sonusFlashStatusEntry=sonusFlashStatusEntry, sonusNodeShelfPowerA48VdcFailureNotification=sonusNodeShelfPowerA48VdcFailureNotification, sonusBparamUId=sonusBparamUId, sonusNfsStatSlotIndex=sonusNfsStatSlotIndex, sonusNodeSrvrAdmnDryupLimit=sonusNodeSrvrAdmnDryupLimit, sonusUserListPasswd=sonusUserListPasswd, sonusNodeSrvrStatMemUtilization=sonusNodeSrvrStatMemUtilization, sonusUserProfileNextIndex=sonusUserProfileNextIndex, sonusNodeSrvrAdmnHwType=sonusNodeSrvrAdmnHwType, sonusUserProfileName=sonusUserProfileName, sonusUserProfile=sonusUserProfile, sonusNodeAdapStatMiddVersion=sonusNodeAdapStatMiddVersion, sonusUserProfileTable=sonusUserProfileTable, sonusNodeAdmnObjects=sonusNodeAdmnObjects, sonusFlashAdmnShelfIndex=sonusFlashAdmnShelfIndex, sonusBparamIpMaskSlot1Port2=sonusBparamIpMaskSlot1Port2, sonusNodeEthernetActiveNotification=sonusNodeEthernetActiveNotification, sonusNodeShelfStatSlots=sonusNodeShelfStatSlots, sonusNodeServerTempWarningNotification=sonusNodeServerTempWarningNotification, sonusNodeShelfAdmnState=sonusNodeShelfAdmnState, sonusNodeMIBObjects=sonusNodeMIBObjects, sonusNodeSrvrAdmnRedundancyRole=sonusNodeSrvrAdmnRedundancyRole, sonusNfsAdmnShelfIndex=sonusNfsAdmnShelfIndex, sonusParam=sonusParam, sonusNfsStatEntry=sonusNfsStatEntry, sonusFlashStatShelfIndex=sonusFlashStatShelfIndex, sonusNfsStatStandbyServer=sonusNfsStatStandbyServer, sonusNodeSlotHwType=sonusNodeSlotHwType, sonusNodeShelfAdmnStatus=sonusNodeShelfAdmnStatus, sonusBparamPasswd=sonusBparamPasswd, sonusNodeSlotHwTypeRev=sonusNodeSlotHwTypeRev, sonusParamSaveFilename=sonusParamSaveFilename, sonusNodeSlotAdmnEntry=sonusNodeSlotAdmnEntry, sonusNodeSrvrAdmnShelfIndex=sonusNodeSrvrAdmnShelfIndex, sonusBparamCoreState=sonusBparamCoreState, sonusNfsServerIp=sonusNfsServerIp, sonusNodeSrvrStatEntry=sonusNodeSrvrStatEntry, sonusBparamUnused=sonusBparamUnused, sonusBparamCoreDumpLimit=sonusBparamCoreDumpLimit, sonusUserList=sonusUserList, sonusNodeServerInsertedNotification=sonusNodeServerInsertedNotification, sonusNfsStatPrimaryLastError=sonusNfsStatPrimaryLastError, sonusNodeMIBNotificationsObjects=sonusNodeMIBNotificationsObjects, sonusSwLoadEntry=sonusSwLoadEntry, sonusNodeShelfStatFan=sonusNodeShelfStatFan, sonusNodeShelfStatSerialNumber=sonusNodeShelfStatSerialNumber, sonusSwLoadSpecAdmnImageName=sonusSwLoadSpecAdmnImageName, sonusBparamIfSpeedTypeSlot1Port2=sonusBparamIfSpeedTypeSlot1Port2, sonusBparamIpAddrSlot2Port1=sonusBparamIpAddrSlot2Port1, sonusNfsRole=sonusNfsRole, sonusNodeSlotResetNotification=sonusNodeSlotResetNotification, sonusParamStatusObjects=sonusParamStatusObjects, sonusUserListRowStatus=sonusUserListRowStatus, sonusNfsStatSecondaryStatus=sonusNfsStatSecondaryStatus, sonusBparamNfsPathSoftware=sonusBparamNfsPathSoftware, sonusUserListIndex=sonusUserListIndex)
mibBuilder.exportSymbols('SONUS-NODE-MIB', sonusBparamIpAddrSlot2Port2=sonusBparamIpAddrSlot2Port2, sonusNvsConfigEntry=sonusNvsConfigEntry, sonusNodeAdapStatHwTypeRev=sonusNodeAdapStatHwTypeRev, sonusNodeShelfAdmnIndex=sonusNodeShelfAdmnIndex, sonusSwLoadAdmnHwType=sonusSwLoadAdmnHwType, sonusNodeSlotPower=sonusNodeSlotPower, sonusParamLoadDuration=sonusParamLoadDuration, sonusNodeMIBNotificationsPrefix=sonusNodeMIBNotificationsPrefix, sonusNodeSrvrStatBuildNum=sonusNodeSrvrStatBuildNum, sonusUserProfileUserPasswd=sonusUserProfileUserPasswd, sonusParamLoadStatus=sonusParamLoadStatus, sonusNfsAdmnTable=sonusNfsAdmnTable, sonusNodeShelfAdmnIpaddr2=sonusNodeShelfAdmnIpaddr2, sonusNodeSlotShelfIndex=sonusNodeSlotShelfIndex, sonusNodeAdapterRemovedNotification=sonusNodeAdapterRemovedNotification, sonusNodeSrvrStatPartNumRev=sonusNodeSrvrStatPartNumRev, sonusBparamMasterState=sonusBparamMasterState, PYSNMP_MODULE_ID=sonusNodeMIB, sonusNodeStatusObjects=sonusNodeStatusObjects, sonusNodeAdapStatTable=sonusNodeAdapStatTable, sonusBparamGrpId=sonusBparamGrpId, sonusNfsReason=sonusNfsReason, sonusNodeSrvrStatHwTypeRev=sonusNodeSrvrStatHwTypeRev, sonusNodeAdmnShelves=sonusNodeAdmnShelves, sonusParamSavePrimarySrvrState=sonusParamSavePrimarySrvrState, sonusNodeShelfAdmnRowStatus=sonusNodeShelfAdmnRowStatus, sonusNodeSlotEntry=sonusNodeSlotEntry, sonusUserProfileUserComment=sonusUserProfileUserComment, sonusNodeSrvrStatTotalSharedMem=sonusNodeSrvrStatTotalSharedMem, sonusBparamIpGatewaySlot1Port2=sonusBparamIpGatewaySlot1Port2, sonusNodeSrvrAdmnSlotIndex=sonusNodeSrvrAdmnSlotIndex, sonusBparamIpGatewaySlot2Port1=sonusBparamIpGatewaySlot2Port1, sonusNodeSrvrStatMiddVersion=sonusNodeSrvrStatMiddVersion, sonusParamLoadServer=sonusParamLoadServer, sonusParamSavePrimarySrvrReason=sonusParamSavePrimarySrvrReason, sonusUserProfileIndex=sonusUserProfileIndex, sonusNfsAdmnSlotIndex=sonusNfsAdmnSlotIndex, sonusNodeSlotAdmnShelfIndex=sonusNodeSlotAdmnShelfIndex, sonusNodeAdapterMissingNotification=sonusNodeAdapterMissingNotification, sonusNodeSlotIndex=sonusNodeSlotIndex, sonusNodeShelfStatIndex=sonusNodeShelfStatIndex, sonusUserListState=sonusUserListState, sonusNodeEthernetInactiveNotification=sonusNodeEthernetInactiveNotification, sonusNodeServerHardwareFailureNotification=sonusNodeServerHardwareFailureNotification, sonusNodeShelfStatBootCount=sonusNodeShelfStatBootCount, sonusNfsErrorCode=sonusNfsErrorCode, sonusBparamIpMaskSlot2Port0=sonusBparamIpMaskSlot2Port0, sonusParamAdminObject=sonusParamAdminObject, sonusNodeServerDisabledNotification=sonusNodeServerDisabledNotification, sonusNodeSrvrStatHwType=sonusNodeSrvrStatHwType, sonusNodeShelfStatTemperature=sonusNodeShelfStatTemperature, sonusUserListStatusEntry=sonusUserListStatusEntry, sonusBparamIpMaskSlot2Port1=sonusBparamIpMaskSlot2Port1, sonusNfsStatPrimaryIP=sonusNfsStatPrimaryIP) |
r"""
Crystals
========
Quickref
--------
.. TODO:: Write it!
Introductory material
---------------------
- :ref:`sage.combinat.crystals.crystals`
- The `Lie Methods and Related Combinatorics <../../../../../thematic_tutorials/lie.html>`_ thematic tutorial
Catalogs of crystals
--------------------
- :ref:`sage.combinat.crystals.catalog`
See also
--------
- The categories for crystals: :class:`Crystals`, :class:`HighestWeightCrystals`, :class:`FiniteCrystals`, :class:`ClassicalCrystals`, :class:`RegularCrystals` -- The categories for crystals
- :ref:`sage.combinat.root_system`
"""
| """
Crystals
========
Quickref
--------
.. TODO:: Write it!
Introductory material
---------------------
- :ref:`sage.combinat.crystals.crystals`
- The `Lie Methods and Related Combinatorics <../../../../../thematic_tutorials/lie.html>`_ thematic tutorial
Catalogs of crystals
--------------------
- :ref:`sage.combinat.crystals.catalog`
See also
--------
- The categories for crystals: :class:`Crystals`, :class:`HighestWeightCrystals`, :class:`FiniteCrystals`, :class:`ClassicalCrystals`, :class:`RegularCrystals` -- The categories for crystals
- :ref:`sage.combinat.root_system`
""" |
# Lesson2: Operators with strings
# source: code/strings_operators.py
a = 'hello'
b = 'class'
c = ''
c = a + b
print(c)
c = a * 5
print(c)
c = 10 * b
print(c) | a = 'hello'
b = 'class'
c = ''
c = a + b
print(c)
c = a * 5
print(c)
c = 10 * b
print(c) |
# CPU: 0.05 s
instructions = input()
nop_count = 0
idx = 0
for char in instructions:
if char.isupper() and idx % 4 != 0:
add = 4 * (idx // 4 + 1) - idx
idx += add
nop_count += add
idx += 1
print(nop_count)
| instructions = input()
nop_count = 0
idx = 0
for char in instructions:
if char.isupper() and idx % 4 != 0:
add = 4 * (idx // 4 + 1) - idx
idx += add
nop_count += add
idx += 1
print(nop_count) |
#
# PySNMP MIB module BayNetworks-AHB-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/BayNetworks-AHB-MIB
# Produced by pysmi-0.3.4 at Mon Apr 29 17:25:19 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, ObjectIdentifier, OctetString = mibBuilder.importSymbols("ASN1", "Integer", "ObjectIdentifier", "OctetString")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
SingleValueConstraint, ConstraintsIntersection, ValueSizeConstraint, ValueRangeConstraint, ConstraintsUnion = mibBuilder.importSymbols("ASN1-REFINEMENT", "SingleValueConstraint", "ConstraintsIntersection", "ValueSizeConstraint", "ValueRangeConstraint", "ConstraintsUnion")
NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance")
Counter64, IpAddress, Bits, MibScalar, MibTable, MibTableRow, MibTableColumn, MibIdentifier, NotificationType, Integer32, Counter32, Gauge32, ModuleIdentity, iso, ObjectIdentity, TimeTicks, Unsigned32 = mibBuilder.importSymbols("SNMPv2-SMI", "Counter64", "IpAddress", "Bits", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "MibIdentifier", "NotificationType", "Integer32", "Counter32", "Gauge32", "ModuleIdentity", "iso", "ObjectIdentity", "TimeTicks", "Unsigned32")
DisplayString, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "TextualConvention")
wfAtmHalfBridgeGroup, = mibBuilder.importSymbols("Wellfleet-COMMON-MIB", "wfAtmHalfBridgeGroup")
class MacAddress(OctetString):
subtypeSpec = OctetString.subtypeSpec + ValueSizeConstraint(6, 6)
fixedLength = 6
wfAhb = MibIdentifier((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 1))
wfAhbDelete = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("created", 1), ("deleted", 2))).clone('created')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfAhbDelete.setStatus('mandatory')
wfAhbDisable = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2))).clone('enabled')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfAhbDisable.setStatus('mandatory')
wfAhbAutoLearnMethod = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("none", 1), ("unsecure", 2), ("secure", 3), ("both", 4))).clone('both')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfAhbAutoLearnMethod.setStatus('mandatory')
wfAhbInitFile = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 1, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 200))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfAhbInitFile.setStatus('mandatory')
wfAhbAltInitFile = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 1, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 200))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfAhbAltInitFile.setStatus('mandatory')
wfAhbDebugLevel = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 1, 6), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfAhbDebugLevel.setStatus('mandatory')
wfAhbInboundFiltDisable = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2))).clone('disabled')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfAhbInboundFiltDisable.setStatus('mandatory')
wfAhbReset = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("notreset", 1), ("reset", 2))).clone('notreset')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfAhbReset.setStatus('mandatory')
wfAhbStatNumNets = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 1, 9), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfAhbStatNumNets.setStatus('mandatory')
wfAhbStatNumHosts = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 1, 10), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfAhbStatNumHosts.setStatus('mandatory')
wfAhbStatTotOutPkts = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 1, 11), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfAhbStatTotOutPkts.setStatus('mandatory')
wfAhbStatFwdOutPkts = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 1, 12), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfAhbStatFwdOutPkts.setStatus('mandatory')
wfAhbStatDropUnkPkts = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 1, 13), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfAhbStatDropUnkPkts.setStatus('mandatory')
wfAhbStatTotInPkts = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 1, 14), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfAhbStatTotInPkts.setStatus('mandatory')
wfAhbStatFwdInPkts = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 1, 15), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfAhbStatFwdInPkts.setStatus('mandatory')
wfAhbStatNumHostCopies = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 1, 16), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfAhbStatNumHostCopies.setStatus('mandatory')
wfAhbPolicyDisable = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 1, 17), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2))).clone('disabled')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfAhbPolicyDisable.setStatus('mandatory')
wfAhbBaseStatus = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 1, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("init", 3), ("notpres", 4))).clone('notpres')).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfAhbBaseStatus.setStatus('mandatory')
wfAhbCctTable = MibTable((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 2), )
if mibBuilder.loadTexts: wfAhbCctTable.setStatus('mandatory')
wfAhbCctEntry = MibTableRow((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 2, 1), ).setIndexNames((0, "BayNetworks-AHB-MIB", "wfAhbCctNum"))
if mibBuilder.loadTexts: wfAhbCctEntry.setStatus('mandatory')
wfAhbCctDelete = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 2, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("created", 1), ("deleted", 2))).clone('created')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfAhbCctDelete.setStatus('mandatory')
wfAhbCctDisable = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2))).clone('enabled')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfAhbCctDisable.setStatus('mandatory')
wfAhbCctNum = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 2, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfAhbCctNum.setStatus('mandatory')
wfAhbCctDefSubNetMask = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 2, 1, 4), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfAhbCctDefSubNetMask.setStatus('mandatory')
wfAhbCctProxyArpDisable = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 2, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2))).clone('enabled')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfAhbCctProxyArpDisable.setStatus('mandatory')
wfAhbCctMaxIdleTime = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 2, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(5, 3600))).clone(namedValues=NamedValues(("minimum", 5), ("default", 3600))).clone('default')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfAhbCctMaxIdleTime.setStatus('mandatory')
wfAhbCctStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 2, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("up", 1), ("down", 2))).clone('down')).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfAhbCctStatus.setStatus('mandatory')
wfAhbCctTxPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 2, 1, 8), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfAhbCctTxPkts.setStatus('mandatory')
wfAhbCctTxDrop = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 2, 1, 9), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfAhbCctTxDrop.setStatus('mandatory')
wfAhbCctRxPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 2, 1, 10), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfAhbCctRxPkts.setStatus('mandatory')
wfAhbCctRxDrop = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 2, 1, 11), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfAhbCctRxDrop.setStatus('mandatory')
wfAhbHostTable = MibTable((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 3), )
if mibBuilder.loadTexts: wfAhbHostTable.setStatus('mandatory')
wfAhbHostEntry = MibTableRow((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 3, 1), ).setIndexNames((0, "BayNetworks-AHB-MIB", "wfAhbHostSlot"), (0, "BayNetworks-AHB-MIB", "wfAhbHostIpAddress"))
if mibBuilder.loadTexts: wfAhbHostEntry.setStatus('mandatory')
wfAhbHostDelete = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 3, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("created", 1), ("deleted", 2))).clone('created')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfAhbHostDelete.setStatus('mandatory')
wfAhbHostSlot = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 3, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfAhbHostSlot.setStatus('mandatory')
wfAhbHostSeqNum = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 3, 1, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfAhbHostSeqNum.setStatus('mandatory')
wfAhbHostIpAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 3, 1, 4), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfAhbHostIpAddress.setStatus('mandatory')
wfAhbHostSubNetMask = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 3, 1, 5), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfAhbHostSubNetMask.setStatus('mandatory')
wfAhbHostCct = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 3, 1, 6), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfAhbHostCct.setStatus('mandatory')
wfAhbHostVcid = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 3, 1, 7), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfAhbHostVcid.setStatus('mandatory')
wfAhbHostBridgeHdr = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 3, 1, 8), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 100))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfAhbHostBridgeHdr.setStatus('mandatory')
wfAhbHostFlags = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 3, 1, 9), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfAhbHostFlags.setStatus('mandatory')
wfAhbHostTxPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 3, 1, 10), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfAhbHostTxPkts.setStatus('mandatory')
wfAhbHostRxPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 3, 1, 11), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfAhbHostRxPkts.setStatus('mandatory')
wfAhbHostMaxIdleTime = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 3, 1, 12), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfAhbHostMaxIdleTime.setStatus('mandatory')
wfAhbHostCurIdleTime = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 3, 1, 13), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfAhbHostCurIdleTime.setStatus('mandatory')
wfAhbPolicyTable = MibTable((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 4), )
if mibBuilder.loadTexts: wfAhbPolicyTable.setStatus('mandatory')
wfAhbPolicyEntry = MibTableRow((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 4, 1), ).setIndexNames((0, "BayNetworks-AHB-MIB", "wfAhbPolicyIpAddress"), (0, "BayNetworks-AHB-MIB", "wfAhbPolicySubNetMask"))
if mibBuilder.loadTexts: wfAhbPolicyEntry.setStatus('mandatory')
wfAhbPolicyDelete = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 4, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("created", 1), ("deleted", 2))).clone('created')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfAhbPolicyDelete.setStatus('mandatory')
wfAhbPolicyIpAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 4, 1, 2), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfAhbPolicyIpAddress.setStatus('mandatory')
wfAhbPolicySubNetMask = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 4, 1, 3), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfAhbPolicySubNetMask.setStatus('mandatory')
wfAhbPolicyCct = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 4, 1, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfAhbPolicyCct.setStatus('mandatory')
wfAhbPolicyVPI = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 4, 1, 5), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfAhbPolicyVPI.setStatus('mandatory')
wfAhbPolicyVCI = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 4, 1, 6), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfAhbPolicyVCI.setStatus('mandatory')
wfAhbPolicyMACAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 4, 1, 7), MacAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfAhbPolicyMACAddr.setStatus('mandatory')
wfAhbPolicyFlags = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 4, 1, 8), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfAhbPolicyFlags.setStatus('mandatory')
wfAhbPolicyPermission = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 4, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("allow", 1), ("disallow", 2), ("static", 3), ("notused", 4))).clone('allow')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfAhbPolicyPermission.setStatus('mandatory')
mibBuilder.exportSymbols("BayNetworks-AHB-MIB", wfAhbCctStatus=wfAhbCctStatus, wfAhbHostSubNetMask=wfAhbHostSubNetMask, wfAhbPolicyFlags=wfAhbPolicyFlags, wfAhbReset=wfAhbReset, wfAhbStatNumHostCopies=wfAhbStatNumHostCopies, wfAhbPolicyTable=wfAhbPolicyTable, wfAhbAltInitFile=wfAhbAltInitFile, wfAhbPolicyDelete=wfAhbPolicyDelete, wfAhbHostIpAddress=wfAhbHostIpAddress, wfAhbStatNumHosts=wfAhbStatNumHosts, wfAhbDisable=wfAhbDisable, wfAhbPolicyCct=wfAhbPolicyCct, wfAhbCctTxPkts=wfAhbCctTxPkts, wfAhbPolicyVCI=wfAhbPolicyVCI, wfAhbHostEntry=wfAhbHostEntry, wfAhbStatFwdOutPkts=wfAhbStatFwdOutPkts, wfAhbCctNum=wfAhbCctNum, wfAhbHostVcid=wfAhbHostVcid, wfAhbCctTxDrop=wfAhbCctTxDrop, wfAhb=wfAhb, wfAhbCctDisable=wfAhbCctDisable, wfAhbPolicyVPI=wfAhbPolicyVPI, wfAhbStatTotInPkts=wfAhbStatTotInPkts, wfAhbPolicyIpAddress=wfAhbPolicyIpAddress, wfAhbPolicyDisable=wfAhbPolicyDisable, wfAhbHostTable=wfAhbHostTable, MacAddress=MacAddress, wfAhbCctMaxIdleTime=wfAhbCctMaxIdleTime, wfAhbCctRxDrop=wfAhbCctRxDrop, wfAhbDebugLevel=wfAhbDebugLevel, wfAhbStatDropUnkPkts=wfAhbStatDropUnkPkts, wfAhbBaseStatus=wfAhbBaseStatus, wfAhbCctDefSubNetMask=wfAhbCctDefSubNetMask, wfAhbPolicyPermission=wfAhbPolicyPermission, wfAhbStatTotOutPkts=wfAhbStatTotOutPkts, wfAhbHostCct=wfAhbHostCct, wfAhbCctDelete=wfAhbCctDelete, wfAhbHostRxPkts=wfAhbHostRxPkts, wfAhbHostMaxIdleTime=wfAhbHostMaxIdleTime, wfAhbCctTable=wfAhbCctTable, wfAhbPolicySubNetMask=wfAhbPolicySubNetMask, wfAhbHostTxPkts=wfAhbHostTxPkts, wfAhbAutoLearnMethod=wfAhbAutoLearnMethod, wfAhbHostSeqNum=wfAhbHostSeqNum, wfAhbInitFile=wfAhbInitFile, wfAhbHostBridgeHdr=wfAhbHostBridgeHdr, wfAhbHostSlot=wfAhbHostSlot, wfAhbDelete=wfAhbDelete, wfAhbCctEntry=wfAhbCctEntry, wfAhbPolicyEntry=wfAhbPolicyEntry, wfAhbInboundFiltDisable=wfAhbInboundFiltDisable, wfAhbHostDelete=wfAhbHostDelete, wfAhbStatNumNets=wfAhbStatNumNets, wfAhbStatFwdInPkts=wfAhbStatFwdInPkts, wfAhbPolicyMACAddr=wfAhbPolicyMACAddr, wfAhbHostCurIdleTime=wfAhbHostCurIdleTime, wfAhbHostFlags=wfAhbHostFlags, wfAhbCctRxPkts=wfAhbCctRxPkts, wfAhbCctProxyArpDisable=wfAhbCctProxyArpDisable)
| (integer, object_identifier, octet_string) = mibBuilder.importSymbols('ASN1', 'Integer', 'ObjectIdentifier', 'OctetString')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(single_value_constraint, constraints_intersection, value_size_constraint, value_range_constraint, constraints_union) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'SingleValueConstraint', 'ConstraintsIntersection', 'ValueSizeConstraint', 'ValueRangeConstraint', 'ConstraintsUnion')
(notification_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance')
(counter64, ip_address, bits, mib_scalar, mib_table, mib_table_row, mib_table_column, mib_identifier, notification_type, integer32, counter32, gauge32, module_identity, iso, object_identity, time_ticks, unsigned32) = mibBuilder.importSymbols('SNMPv2-SMI', 'Counter64', 'IpAddress', 'Bits', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'MibIdentifier', 'NotificationType', 'Integer32', 'Counter32', 'Gauge32', 'ModuleIdentity', 'iso', 'ObjectIdentity', 'TimeTicks', 'Unsigned32')
(display_string, textual_convention) = mibBuilder.importSymbols('SNMPv2-TC', 'DisplayString', 'TextualConvention')
(wf_atm_half_bridge_group,) = mibBuilder.importSymbols('Wellfleet-COMMON-MIB', 'wfAtmHalfBridgeGroup')
class Macaddress(OctetString):
subtype_spec = OctetString.subtypeSpec + value_size_constraint(6, 6)
fixed_length = 6
wf_ahb = mib_identifier((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 1))
wf_ahb_delete = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('created', 1), ('deleted', 2))).clone('created')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfAhbDelete.setStatus('mandatory')
wf_ahb_disable = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2))).clone('enabled')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfAhbDisable.setStatus('mandatory')
wf_ahb_auto_learn_method = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('none', 1), ('unsecure', 2), ('secure', 3), ('both', 4))).clone('both')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfAhbAutoLearnMethod.setStatus('mandatory')
wf_ahb_init_file = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 1, 4), display_string().subtype(subtypeSpec=value_size_constraint(0, 200))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfAhbInitFile.setStatus('mandatory')
wf_ahb_alt_init_file = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 1, 5), display_string().subtype(subtypeSpec=value_size_constraint(0, 200))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfAhbAltInitFile.setStatus('mandatory')
wf_ahb_debug_level = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 1, 6), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfAhbDebugLevel.setStatus('mandatory')
wf_ahb_inbound_filt_disable = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2))).clone('disabled')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfAhbInboundFiltDisable.setStatus('mandatory')
wf_ahb_reset = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('notreset', 1), ('reset', 2))).clone('notreset')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfAhbReset.setStatus('mandatory')
wf_ahb_stat_num_nets = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 1, 9), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfAhbStatNumNets.setStatus('mandatory')
wf_ahb_stat_num_hosts = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 1, 10), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfAhbStatNumHosts.setStatus('mandatory')
wf_ahb_stat_tot_out_pkts = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 1, 11), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfAhbStatTotOutPkts.setStatus('mandatory')
wf_ahb_stat_fwd_out_pkts = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 1, 12), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfAhbStatFwdOutPkts.setStatus('mandatory')
wf_ahb_stat_drop_unk_pkts = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 1, 13), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfAhbStatDropUnkPkts.setStatus('mandatory')
wf_ahb_stat_tot_in_pkts = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 1, 14), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfAhbStatTotInPkts.setStatus('mandatory')
wf_ahb_stat_fwd_in_pkts = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 1, 15), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfAhbStatFwdInPkts.setStatus('mandatory')
wf_ahb_stat_num_host_copies = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 1, 16), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfAhbStatNumHostCopies.setStatus('mandatory')
wf_ahb_policy_disable = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 1, 17), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2))).clone('disabled')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfAhbPolicyDisable.setStatus('mandatory')
wf_ahb_base_status = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 1, 18), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('up', 1), ('down', 2), ('init', 3), ('notpres', 4))).clone('notpres')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfAhbBaseStatus.setStatus('mandatory')
wf_ahb_cct_table = mib_table((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 2))
if mibBuilder.loadTexts:
wfAhbCctTable.setStatus('mandatory')
wf_ahb_cct_entry = mib_table_row((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 2, 1)).setIndexNames((0, 'BayNetworks-AHB-MIB', 'wfAhbCctNum'))
if mibBuilder.loadTexts:
wfAhbCctEntry.setStatus('mandatory')
wf_ahb_cct_delete = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 2, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('created', 1), ('deleted', 2))).clone('created')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfAhbCctDelete.setStatus('mandatory')
wf_ahb_cct_disable = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2))).clone('enabled')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfAhbCctDisable.setStatus('mandatory')
wf_ahb_cct_num = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 2, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfAhbCctNum.setStatus('mandatory')
wf_ahb_cct_def_sub_net_mask = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 2, 1, 4), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfAhbCctDefSubNetMask.setStatus('mandatory')
wf_ahb_cct_proxy_arp_disable = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 2, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2))).clone('enabled')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfAhbCctProxyArpDisable.setStatus('mandatory')
wf_ahb_cct_max_idle_time = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 2, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(5, 3600))).clone(namedValues=named_values(('minimum', 5), ('default', 3600))).clone('default')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfAhbCctMaxIdleTime.setStatus('mandatory')
wf_ahb_cct_status = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 2, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('up', 1), ('down', 2))).clone('down')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfAhbCctStatus.setStatus('mandatory')
wf_ahb_cct_tx_pkts = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 2, 1, 8), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfAhbCctTxPkts.setStatus('mandatory')
wf_ahb_cct_tx_drop = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 2, 1, 9), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfAhbCctTxDrop.setStatus('mandatory')
wf_ahb_cct_rx_pkts = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 2, 1, 10), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfAhbCctRxPkts.setStatus('mandatory')
wf_ahb_cct_rx_drop = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 2, 1, 11), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfAhbCctRxDrop.setStatus('mandatory')
wf_ahb_host_table = mib_table((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 3))
if mibBuilder.loadTexts:
wfAhbHostTable.setStatus('mandatory')
wf_ahb_host_entry = mib_table_row((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 3, 1)).setIndexNames((0, 'BayNetworks-AHB-MIB', 'wfAhbHostSlot'), (0, 'BayNetworks-AHB-MIB', 'wfAhbHostIpAddress'))
if mibBuilder.loadTexts:
wfAhbHostEntry.setStatus('mandatory')
wf_ahb_host_delete = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 3, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('created', 1), ('deleted', 2))).clone('created')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfAhbHostDelete.setStatus('mandatory')
wf_ahb_host_slot = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 3, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfAhbHostSlot.setStatus('mandatory')
wf_ahb_host_seq_num = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 3, 1, 3), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfAhbHostSeqNum.setStatus('mandatory')
wf_ahb_host_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 3, 1, 4), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfAhbHostIpAddress.setStatus('mandatory')
wf_ahb_host_sub_net_mask = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 3, 1, 5), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfAhbHostSubNetMask.setStatus('mandatory')
wf_ahb_host_cct = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 3, 1, 6), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfAhbHostCct.setStatus('mandatory')
wf_ahb_host_vcid = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 3, 1, 7), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfAhbHostVcid.setStatus('mandatory')
wf_ahb_host_bridge_hdr = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 3, 1, 8), display_string().subtype(subtypeSpec=value_size_constraint(0, 100))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfAhbHostBridgeHdr.setStatus('mandatory')
wf_ahb_host_flags = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 3, 1, 9), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfAhbHostFlags.setStatus('mandatory')
wf_ahb_host_tx_pkts = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 3, 1, 10), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfAhbHostTxPkts.setStatus('mandatory')
wf_ahb_host_rx_pkts = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 3, 1, 11), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfAhbHostRxPkts.setStatus('mandatory')
wf_ahb_host_max_idle_time = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 3, 1, 12), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfAhbHostMaxIdleTime.setStatus('mandatory')
wf_ahb_host_cur_idle_time = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 3, 1, 13), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfAhbHostCurIdleTime.setStatus('mandatory')
wf_ahb_policy_table = mib_table((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 4))
if mibBuilder.loadTexts:
wfAhbPolicyTable.setStatus('mandatory')
wf_ahb_policy_entry = mib_table_row((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 4, 1)).setIndexNames((0, 'BayNetworks-AHB-MIB', 'wfAhbPolicyIpAddress'), (0, 'BayNetworks-AHB-MIB', 'wfAhbPolicySubNetMask'))
if mibBuilder.loadTexts:
wfAhbPolicyEntry.setStatus('mandatory')
wf_ahb_policy_delete = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 4, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('created', 1), ('deleted', 2))).clone('created')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfAhbPolicyDelete.setStatus('mandatory')
wf_ahb_policy_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 4, 1, 2), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfAhbPolicyIpAddress.setStatus('mandatory')
wf_ahb_policy_sub_net_mask = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 4, 1, 3), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfAhbPolicySubNetMask.setStatus('mandatory')
wf_ahb_policy_cct = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 4, 1, 4), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfAhbPolicyCct.setStatus('mandatory')
wf_ahb_policy_vpi = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 4, 1, 5), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfAhbPolicyVPI.setStatus('mandatory')
wf_ahb_policy_vci = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 4, 1, 6), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfAhbPolicyVCI.setStatus('mandatory')
wf_ahb_policy_mac_addr = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 4, 1, 7), mac_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfAhbPolicyMACAddr.setStatus('mandatory')
wf_ahb_policy_flags = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 4, 1, 8), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfAhbPolicyFlags.setStatus('mandatory')
wf_ahb_policy_permission = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 9, 13, 4, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('allow', 1), ('disallow', 2), ('static', 3), ('notused', 4))).clone('allow')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfAhbPolicyPermission.setStatus('mandatory')
mibBuilder.exportSymbols('BayNetworks-AHB-MIB', wfAhbCctStatus=wfAhbCctStatus, wfAhbHostSubNetMask=wfAhbHostSubNetMask, wfAhbPolicyFlags=wfAhbPolicyFlags, wfAhbReset=wfAhbReset, wfAhbStatNumHostCopies=wfAhbStatNumHostCopies, wfAhbPolicyTable=wfAhbPolicyTable, wfAhbAltInitFile=wfAhbAltInitFile, wfAhbPolicyDelete=wfAhbPolicyDelete, wfAhbHostIpAddress=wfAhbHostIpAddress, wfAhbStatNumHosts=wfAhbStatNumHosts, wfAhbDisable=wfAhbDisable, wfAhbPolicyCct=wfAhbPolicyCct, wfAhbCctTxPkts=wfAhbCctTxPkts, wfAhbPolicyVCI=wfAhbPolicyVCI, wfAhbHostEntry=wfAhbHostEntry, wfAhbStatFwdOutPkts=wfAhbStatFwdOutPkts, wfAhbCctNum=wfAhbCctNum, wfAhbHostVcid=wfAhbHostVcid, wfAhbCctTxDrop=wfAhbCctTxDrop, wfAhb=wfAhb, wfAhbCctDisable=wfAhbCctDisable, wfAhbPolicyVPI=wfAhbPolicyVPI, wfAhbStatTotInPkts=wfAhbStatTotInPkts, wfAhbPolicyIpAddress=wfAhbPolicyIpAddress, wfAhbPolicyDisable=wfAhbPolicyDisable, wfAhbHostTable=wfAhbHostTable, MacAddress=MacAddress, wfAhbCctMaxIdleTime=wfAhbCctMaxIdleTime, wfAhbCctRxDrop=wfAhbCctRxDrop, wfAhbDebugLevel=wfAhbDebugLevel, wfAhbStatDropUnkPkts=wfAhbStatDropUnkPkts, wfAhbBaseStatus=wfAhbBaseStatus, wfAhbCctDefSubNetMask=wfAhbCctDefSubNetMask, wfAhbPolicyPermission=wfAhbPolicyPermission, wfAhbStatTotOutPkts=wfAhbStatTotOutPkts, wfAhbHostCct=wfAhbHostCct, wfAhbCctDelete=wfAhbCctDelete, wfAhbHostRxPkts=wfAhbHostRxPkts, wfAhbHostMaxIdleTime=wfAhbHostMaxIdleTime, wfAhbCctTable=wfAhbCctTable, wfAhbPolicySubNetMask=wfAhbPolicySubNetMask, wfAhbHostTxPkts=wfAhbHostTxPkts, wfAhbAutoLearnMethod=wfAhbAutoLearnMethod, wfAhbHostSeqNum=wfAhbHostSeqNum, wfAhbInitFile=wfAhbInitFile, wfAhbHostBridgeHdr=wfAhbHostBridgeHdr, wfAhbHostSlot=wfAhbHostSlot, wfAhbDelete=wfAhbDelete, wfAhbCctEntry=wfAhbCctEntry, wfAhbPolicyEntry=wfAhbPolicyEntry, wfAhbInboundFiltDisable=wfAhbInboundFiltDisable, wfAhbHostDelete=wfAhbHostDelete, wfAhbStatNumNets=wfAhbStatNumNets, wfAhbStatFwdInPkts=wfAhbStatFwdInPkts, wfAhbPolicyMACAddr=wfAhbPolicyMACAddr, wfAhbHostCurIdleTime=wfAhbHostCurIdleTime, wfAhbHostFlags=wfAhbHostFlags, wfAhbCctRxPkts=wfAhbCctRxPkts, wfAhbCctProxyArpDisable=wfAhbCctProxyArpDisable) |
a = [1, 2, 3]
a.append(4)
a
a.extend(5)
a
a.extend([5])
a
a.insert(10, 3)
a
a.insert(3, 10)
a
a = [1, 2, 3]
a
a.append(4)
a
a.append(5)
a
a.extend([6, 7])
a
a.extend(8)
help(a.insert)
a.insert(0, 10)
a
a.insert(2, 12)
a
a.remove(10)
a
a.remove(12)
a
a.append(1)
a
a.remove(1)
a
a.remove(1)
a
a.pop(0)
a
a.pop(1)
a
a = [1, 1, 2, 3]
a.clear(1)
a.clear(2)
help(a.clear)
a.clear()
a
a = [1, 2, 3]
a.index(1)
a.index(2)
a = [1, 1, 2, 3]
a.index(1)
a.index(2)
a.count(1)
a.count(2)
a.count(3)
a.sort()
a
a = [3, 1, 2]
a.sort()
a
a.sort(reverse=True)
a
a.copy()
b = a.copy()
b
a
b = a
b
a
b[0] = 100
b
a
| a = [1, 2, 3]
a.append(4)
a
a.extend(5)
a
a.extend([5])
a
a.insert(10, 3)
a
a.insert(3, 10)
a
a = [1, 2, 3]
a
a.append(4)
a
a.append(5)
a
a.extend([6, 7])
a
a.extend(8)
help(a.insert)
a.insert(0, 10)
a
a.insert(2, 12)
a
a.remove(10)
a
a.remove(12)
a
a.append(1)
a
a.remove(1)
a
a.remove(1)
a
a.pop(0)
a
a.pop(1)
a
a = [1, 1, 2, 3]
a.clear(1)
a.clear(2)
help(a.clear)
a.clear()
a
a = [1, 2, 3]
a.index(1)
a.index(2)
a = [1, 1, 2, 3]
a.index(1)
a.index(2)
a.count(1)
a.count(2)
a.count(3)
a.sort()
a
a = [3, 1, 2]
a.sort()
a
a.sort(reverse=True)
a
a.copy()
b = a.copy()
b
a
b = a
b
a
b[0] = 100
b
a |
# *****************************************************************************
# Copyright 2004-2008 Steve Menard
#
# 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.
#
# *****************************************************************************
class WindowAdapter(object):
def __init__(self, *mth, **kw):
object.__init__(self)
for i, j in kw.items():
setattr(self, i, j)
def windowActivated(self, e):
pass
def windowClosed(self, e):
pass
def windowClosing(self, e):
pass
def windowDeactivated(self, e):
pass
def windowDeiconified(self, e):
pass
def windowIconified(self, e):
pass
def windowOpened(self, e):
pass
| class Windowadapter(object):
def __init__(self, *mth, **kw):
object.__init__(self)
for (i, j) in kw.items():
setattr(self, i, j)
def window_activated(self, e):
pass
def window_closed(self, e):
pass
def window_closing(self, e):
pass
def window_deactivated(self, e):
pass
def window_deiconified(self, e):
pass
def window_iconified(self, e):
pass
def window_opened(self, e):
pass |
def run():
@_core.listen('test')
def _():
print('a test 2')
@_core.on('test')
def _():
print('a test')
_emit('test')
_emit('test')
_emit('test')
| def run():
@_core.listen('test')
def _():
print('a test 2')
@_core.on('test')
def _():
print('a test')
_emit('test')
_emit('test')
_emit('test') |
class TestingToolError(Exception):
""" Base exception for all kind of error in the testing tool."""
pass
########################################################################
# Level 2
########################################################################
class UnknownTestError(TestingToolError):
""" The test is not defined in the testing platform."""
pass
class TestFailError(TestingToolError):
"""General exception thrown in case of a test failure."""
def __init__(self, description, test_case, step_name, last_message=None):
"""
:param description: description message of the failure.
:param test_case: name of the test case.
:param step_name: step of the tests.
:param last_message: last message received.
"""
self.last_message = last_message
self.step_name = step_name
self.test_case = test_case
error_msg = description + f"\nTest: {test_case}\nStep: {step_name}\n"
if last_message:
error_msg += f"Last received message: \n{last_message}"
super().__init__(error_msg)
class SessionTerminatedError(TestingToolError):
""" Session terminated by the UI or SO."""
pass
########################################################################
# Level 3
########################################################################
class SessionError(TestFailError):
pass
class ConformanceError(TestFailError):
"""
Test fail because of wrong format of a received message, with some header or field that differs from
the LoRaWAN specification under test.
"""
pass
class InteroperabilityError(TestFailError):
pass
class TimeOutError(TestFailError):
"""
Exception raised when the DUT doesn't send any response after a predefined lapse of time.
"""
pass
########################################################################
# Level 4
########################################################################
class UnknownDeviceError(SessionError):
""" The device was not registered in the testing platform."""
pass
class JoinRejectedError(SessionError):
""" The join request was rejected by the server."""
pass
class UnexpectedResponseError(InteroperabilityError):
""" Exception raised when the received message was not expected in the current step of the executed test."""
pass
class WrongResponseError(InteroperabilityError):
""" Exception raised when a correct test id is received but the content of the message is not correct."""
pass
########################################################################
# Level 5
########################################################################
| class Testingtoolerror(Exception):
""" Base exception for all kind of error in the testing tool."""
pass
class Unknowntesterror(TestingToolError):
""" The test is not defined in the testing platform."""
pass
class Testfailerror(TestingToolError):
"""General exception thrown in case of a test failure."""
def __init__(self, description, test_case, step_name, last_message=None):
"""
:param description: description message of the failure.
:param test_case: name of the test case.
:param step_name: step of the tests.
:param last_message: last message received.
"""
self.last_message = last_message
self.step_name = step_name
self.test_case = test_case
error_msg = description + f'\nTest: {test_case}\nStep: {step_name}\n'
if last_message:
error_msg += f'Last received message: \n{last_message}'
super().__init__(error_msg)
class Sessionterminatederror(TestingToolError):
""" Session terminated by the UI or SO."""
pass
class Sessionerror(TestFailError):
pass
class Conformanceerror(TestFailError):
"""
Test fail because of wrong format of a received message, with some header or field that differs from
the LoRaWAN specification under test.
"""
pass
class Interoperabilityerror(TestFailError):
pass
class Timeouterror(TestFailError):
"""
Exception raised when the DUT doesn't send any response after a predefined lapse of time.
"""
pass
class Unknowndeviceerror(SessionError):
""" The device was not registered in the testing platform."""
pass
class Joinrejectederror(SessionError):
""" The join request was rejected by the server."""
pass
class Unexpectedresponseerror(InteroperabilityError):
""" Exception raised when the received message was not expected in the current step of the executed test."""
pass
class Wrongresponseerror(InteroperabilityError):
""" Exception raised when a correct test id is received but the content of the message is not correct."""
pass |
# Python3 program to generate pythagorean
# triplets smaller than a given limit
# Function to generate pythagorean
# triplets smaller than limit
def pythagoreanTriplets(limits) :
c, m = 0, 2
# Limiting c would limit
# all a, b and c
while c < limits :
# Now loop on n from 1 to m-1
for n in range(1, m) :
a = m * m - n * n
b = 2 * m * n
c = m * m + n * n
# if c is greater than
# limit then break it
if c > limits :
break
print(a, b, c)
m = m + 1
# Driver Code
if __name__ == '__main__' :
limit = 20
pythagoreanTriplets(limit)
# This code is contributed by Shrikant13.
| def pythagorean_triplets(limits):
(c, m) = (0, 2)
while c < limits:
for n in range(1, m):
a = m * m - n * n
b = 2 * m * n
c = m * m + n * n
if c > limits:
break
print(a, b, c)
m = m + 1
if __name__ == '__main__':
limit = 20
pythagorean_triplets(limit) |
# 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.
"""Constants for use in the keystone.conf package.
These constants are shared by more than one module in the keystone.conf
package.
"""
_DEFAULT_AUTH_METHODS = ['external', 'password', 'token', 'oauth1', 'mapped']
_CERTFILE = '/etc/keystone/ssl/certs/signing_cert.pem'
_KEYFILE = '/etc/keystone/ssl/private/signing_key.pem'
| """Constants for use in the keystone.conf package.
These constants are shared by more than one module in the keystone.conf
package.
"""
_default_auth_methods = ['external', 'password', 'token', 'oauth1', 'mapped']
_certfile = '/etc/keystone/ssl/certs/signing_cert.pem'
_keyfile = '/etc/keystone/ssl/private/signing_key.pem' |
# https://www.acmicpc.net/problem/2580
def init():
for row in range(N):
for col in range(N):
if data[row][col] == 0:
continue
row_sets[row].add(data[row][col])
for col in range(N):
for row in range(N):
if data[row][col] == 0:
continue
col_sets[col].add(data[row][col])
for row in range(N):
r = row // 3
for col in range(N):
if data[row][col] == 0:
continue
c = col // 3
mid_sets[r * 3 + c].add(data[row][col])
def dfs(depth):
if depth == 81:
return True
y = depth // N
x = depth % N
if data[y][x] != 0:
if dfs(depth + 1):
return True
return False
for num in range(1, 10):
if can_go(y, x, num):
visited(True, num, y, x)
if dfs(depth + 1):
return True
visited(False, num, y, x)
return False
def can_go(row, col, num):
if num in row_sets[row]:
return False
if num in col_sets[col]:
return False
if num in mid_sets[(row // 3) * 3 + (col // 3)]:
return False
return True
def visited(insert, num, row, col):
if insert:
data[row][col] = num
row_sets[row].add(num)
col_sets[col].add(num)
mid_sets[(row // 3) * 3 + (col // 3)].add(num)
else:
data[row][col] = 0
row_sets[row].remove(num)
col_sets[col].remove(num)
mid_sets[(row // 3) * 3 + (col // 3)].remove(num)
if __name__ == '__main__':
input = __import__('sys').stdin.readline
N = 9
data = [list(map(int,input().split())) for _ in range(N)]
row_sets = [set() for _ in range(N)]
col_sets = [set() for _ in range(N)]
mid_sets = [set() for _ in range(N)]
init()
dfs(0)
for line in data:
print(' '.join(map(str, line)))
| def init():
for row in range(N):
for col in range(N):
if data[row][col] == 0:
continue
row_sets[row].add(data[row][col])
for col in range(N):
for row in range(N):
if data[row][col] == 0:
continue
col_sets[col].add(data[row][col])
for row in range(N):
r = row // 3
for col in range(N):
if data[row][col] == 0:
continue
c = col // 3
mid_sets[r * 3 + c].add(data[row][col])
def dfs(depth):
if depth == 81:
return True
y = depth // N
x = depth % N
if data[y][x] != 0:
if dfs(depth + 1):
return True
return False
for num in range(1, 10):
if can_go(y, x, num):
visited(True, num, y, x)
if dfs(depth + 1):
return True
visited(False, num, y, x)
return False
def can_go(row, col, num):
if num in row_sets[row]:
return False
if num in col_sets[col]:
return False
if num in mid_sets[row // 3 * 3 + col // 3]:
return False
return True
def visited(insert, num, row, col):
if insert:
data[row][col] = num
row_sets[row].add(num)
col_sets[col].add(num)
mid_sets[row // 3 * 3 + col // 3].add(num)
else:
data[row][col] = 0
row_sets[row].remove(num)
col_sets[col].remove(num)
mid_sets[row // 3 * 3 + col // 3].remove(num)
if __name__ == '__main__':
input = __import__('sys').stdin.readline
n = 9
data = [list(map(int, input().split())) for _ in range(N)]
row_sets = [set() for _ in range(N)]
col_sets = [set() for _ in range(N)]
mid_sets = [set() for _ in range(N)]
init()
dfs(0)
for line in data:
print(' '.join(map(str, line))) |
# https://leetcode.com/problems/letter-case-permutation/
# Given a string s, we can transform every letter individually to be lowercase or
# uppercase to create another string.
# Return a list of all possible strings we could create. You can return the output
# in any order.
################################################################################
# dfs
class Solution:
def letterCasePermutation(self, S: str) -> List[str]:
if not S: return []
self.n = len(S)
self.S = S
self.ans = []
self.holder = []
self.dfs(0)
return self.ans
def dfs(self, pos):
if len(self.holder) == self.n:
self.ans.append(''.join(self.holder))
return
if "0" <= self.S[pos] <= "9": # move to next pos
self.holder.append(self.S[pos])
self.dfs(pos + 1)
self.holder.pop()
else:
for char in [self.S[pos].lower(), self.S[pos].upper()]:
self.holder.append(char)
self.dfs(pos + 1)
self.holder.pop()
| class Solution:
def letter_case_permutation(self, S: str) -> List[str]:
if not S:
return []
self.n = len(S)
self.S = S
self.ans = []
self.holder = []
self.dfs(0)
return self.ans
def dfs(self, pos):
if len(self.holder) == self.n:
self.ans.append(''.join(self.holder))
return
if '0' <= self.S[pos] <= '9':
self.holder.append(self.S[pos])
self.dfs(pos + 1)
self.holder.pop()
else:
for char in [self.S[pos].lower(), self.S[pos].upper()]:
self.holder.append(char)
self.dfs(pos + 1)
self.holder.pop() |
def sockMerchant(n, ar):
# Write your code here
dict_count = {i:ar.count(i) for i in ar}
pairs = 0
for v in dict_count.values():
pairs+=v//2 #to get the quotient, % is used for remainder
#print(pairs, dict_count)
return pairs
a = 9
ar= [10, 20, 20, 10, 10, 30, 50, 10, 20]
print(sockMerchant(a,ar))
| def sock_merchant(n, ar):
dict_count = {i: ar.count(i) for i in ar}
pairs = 0
for v in dict_count.values():
pairs += v // 2
return pairs
a = 9
ar = [10, 20, 20, 10, 10, 30, 50, 10, 20]
print(sock_merchant(a, ar)) |
#
# Copyright 2018 Red Hat | Ansible
#
# This file is part of Ansible
#
# Ansible is free software: you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation, either version 3 of the License, or
# (at your option) any later version.
#
# Ansible is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with Ansible. If not, see <http://www.gnu.org/licenses/>.
# Options for providing an object configuration
class ModuleDocFragment(object):
DOCUMENTATION = '''
options:
resource_definition:
description:
- "Provide a valid YAML definition (either as a string, list, or dict) for an object when creating or updating. NOTE: I(kind), I(api_version), I(name),
and I(namespace) will be overwritten by corresponding values found in the provided I(resource_definition)."
aliases:
- definition
- inline
src:
description:
- "Provide a path to a file containing a valid YAML definition of an object or objects to be created or updated. Mutually
exclusive with I(resource_definition). NOTE: I(kind), I(api_version), I(name), and I(namespace) will be
overwritten by corresponding values found in the configuration read in from the I(src) file."
- Reads from the local file system. To read from the Ansible controller's file system, use the file lookup
plugin or template lookup plugin, combined with the from_yaml filter, and pass the result to
I(resource_definition). See Examples below.
'''
| class Moduledocfragment(object):
documentation = '\noptions:\n resource_definition:\n description:\n - "Provide a valid YAML definition (either as a string, list, or dict) for an object when creating or updating. NOTE: I(kind), I(api_version), I(name),\n and I(namespace) will be overwritten by corresponding values found in the provided I(resource_definition)."\n aliases:\n - definition\n - inline\n src:\n description:\n - "Provide a path to a file containing a valid YAML definition of an object or objects to be created or updated. Mutually\n exclusive with I(resource_definition). NOTE: I(kind), I(api_version), I(name), and I(namespace) will be\n overwritten by corresponding values found in the configuration read in from the I(src) file."\n - Reads from the local file system. To read from the Ansible controller\'s file system, use the file lookup\n plugin or template lookup plugin, combined with the from_yaml filter, and pass the result to\n I(resource_definition). See Examples below.\n' |
"""Apply a simple test to see if the user is old enough to rent a car."""
answer = input('Hello, who are you?\n')
while not all(word.isalpha() for word in answer.split()):
answer = input(
"Names usually contain letters. Let's try this again.\n"
"Hello, who are you?\n"
)
name = answer.title().strip()
answer = input(f'When were you born, {name}?\n')
while not answer.isnumeric():
answer = input(
"Years are usually numeric. Let's try this again.\n"
f"When were you born {name}?\n"
)
year = int(answer)
print(f'Good to meet you, {name}.')
if (age := 2019 - year) >= 21:
print(f'{age} is old enough to rent a car.')
else:
print(f'{age} is too young to rent a car.')
| """Apply a simple test to see if the user is old enough to rent a car."""
answer = input('Hello, who are you?\n')
while not all((word.isalpha() for word in answer.split())):
answer = input("Names usually contain letters. Let's try this again.\nHello, who are you?\n")
name = answer.title().strip()
answer = input(f'When were you born, {name}?\n')
while not answer.isnumeric():
answer = input(f"Years are usually numeric. Let's try this again.\nWhen were you born {name}?\n")
year = int(answer)
print(f'Good to meet you, {name}.')
if (age := (2019 - year)) >= 21:
print(f'{age} is old enough to rent a car.')
else:
print(f'{age} is too young to rent a car.') |
"""Errors."""
class ProxyError(Exception):
pass
class NoProxyError(Exception):
pass
class ResolveError(Exception):
pass
class ProxyConnError(ProxyError):
errmsg = 'connection_failed'
class ProxyRecvError(ProxyError):
errmsg = 'connection_is_reset'
class ProxySendError(ProxyError):
errmsg = 'connection_is_reset'
class ProxyTimeoutError(ProxyError):
errmsg = 'connection_timeout'
class ProxyEmptyRecvError(ProxyError):
errmsg = 'empty_response'
class BadStatusError(Exception): # BadStatusLine
errmsg = 'bad_status'
class BadResponseError(Exception):
errmsg = 'bad_response'
class BadStatusLine(Exception):
errmsg = 'bad_status_line'
class ErrorOnStream(Exception):
errmsg = 'error_on_stream'
| """Errors."""
class Proxyerror(Exception):
pass
class Noproxyerror(Exception):
pass
class Resolveerror(Exception):
pass
class Proxyconnerror(ProxyError):
errmsg = 'connection_failed'
class Proxyrecverror(ProxyError):
errmsg = 'connection_is_reset'
class Proxysenderror(ProxyError):
errmsg = 'connection_is_reset'
class Proxytimeouterror(ProxyError):
errmsg = 'connection_timeout'
class Proxyemptyrecverror(ProxyError):
errmsg = 'empty_response'
class Badstatuserror(Exception):
errmsg = 'bad_status'
class Badresponseerror(Exception):
errmsg = 'bad_response'
class Badstatusline(Exception):
errmsg = 'bad_status_line'
class Erroronstream(Exception):
errmsg = 'error_on_stream' |
# -*- coding: utf-8 -*-
# ----------------------------------------------------------------------
# CISCO-PPPOE-MIB
# Compiled MIB
# Do not modify this file directly
# Run ./noc mib make_cmib instead
# ----------------------------------------------------------------------
# Copyright (C) 2007-2014 The NOC Project
# See LICENSE for details
# ----------------------------------------------------------------------
# MIB Name
NAME = "CISCO-PPPOE-MIB"
# Metadata
LAST_UPDATED = "2011-04-25"
COMPILED = "2014-11-21"
# MIB Data: name -> oid
MIB = {
"CISCO-PPPOE-MIB::ciscoPppoeMIB": "1.3.6.1.4.1.9.9.194",
"CISCO-PPPOE-MIB::ciscoPppoeMIBObjects": "1.3.6.1.4.1.9.9.194.1",
"CISCO-PPPOE-MIB::cPppoeSystemSessionInfo": "1.3.6.1.4.1.9.9.194.1.1",
"CISCO-PPPOE-MIB::cPppoeSystemCurrSessions": "1.3.6.1.4.1.9.9.194.1.1.1",
"CISCO-PPPOE-MIB::cPppoeSystemHighWaterSessions": "1.3.6.1.4.1.9.9.194.1.1.2",
"CISCO-PPPOE-MIB::cPppoeSystemMaxAllowedSessions": "1.3.6.1.4.1.9.9.194.1.1.3",
"CISCO-PPPOE-MIB::cPppoeSystemThresholdSessions": "1.3.6.1.4.1.9.9.194.1.1.4",
"CISCO-PPPOE-MIB::cPppoeSystemExceededSessionErrors": "1.3.6.1.4.1.9.9.194.1.1.5",
"CISCO-PPPOE-MIB::cPppoeSystemPerMacSessionlimit": "1.3.6.1.4.1.9.9.194.1.1.6",
"CISCO-PPPOE-MIB::cPppoeSystemPerMacIWFSessionlimit": "1.3.6.1.4.1.9.9.194.1.1.7",
"CISCO-PPPOE-MIB::cPppoeSystemPerMacThrottleRatelimit": "1.3.6.1.4.1.9.9.194.1.1.8",
"CISCO-PPPOE-MIB::cPppoeSystemPerVLANlimit": "1.3.6.1.4.1.9.9.194.1.1.9",
"CISCO-PPPOE-MIB::cPppoeSystemPerVLANthrottleRatelimit": "1.3.6.1.4.1.9.9.194.1.1.10",
"CISCO-PPPOE-MIB::cPppoeSystemPerVClimit": "1.3.6.1.4.1.9.9.194.1.1.11",
"CISCO-PPPOE-MIB::cPppoeSystemPerVCThrottleRatelimit": "1.3.6.1.4.1.9.9.194.1.1.12",
"CISCO-PPPOE-MIB::cPppoeSystemSessionLossThreshold": "1.3.6.1.4.1.9.9.194.1.1.13",
"CISCO-PPPOE-MIB::cPppoeSystemSessionLossPercent": "1.3.6.1.4.1.9.9.194.1.1.14",
"CISCO-PPPOE-MIB::cPppoeVcCfgInfo": "1.3.6.1.4.1.9.9.194.1.2",
"CISCO-PPPOE-MIB::cPppoeVcCfgTable": "1.3.6.1.4.1.9.9.194.1.2.1",
"CISCO-PPPOE-MIB::cPppoeVcCfgEntry": "1.3.6.1.4.1.9.9.194.1.2.1.1",
"CISCO-PPPOE-MIB::cPppoeVcEnable": "1.3.6.1.4.1.9.9.194.1.2.1.1.1",
"CISCO-PPPOE-MIB::cPppoeVcSessionsInfo": "1.3.6.1.4.1.9.9.194.1.3",
"CISCO-PPPOE-MIB::cPppoeVcSessionsTable": "1.3.6.1.4.1.9.9.194.1.3.1",
"CISCO-PPPOE-MIB::cPppoeVcSessionsEntry": "1.3.6.1.4.1.9.9.194.1.3.1.1",
"CISCO-PPPOE-MIB::cPppoeVcCurrSessions": "1.3.6.1.4.1.9.9.194.1.3.1.1.1",
"CISCO-PPPOE-MIB::cPppoeVcHighWaterSessions": "1.3.6.1.4.1.9.9.194.1.3.1.1.2",
"CISCO-PPPOE-MIB::cPppoeVcMaxAllowedSessions": "1.3.6.1.4.1.9.9.194.1.3.1.1.3",
"CISCO-PPPOE-MIB::cPppoeVcThresholdSessions": "1.3.6.1.4.1.9.9.194.1.3.1.1.4",
"CISCO-PPPOE-MIB::cPppoeVcExceededSessionErrors": "1.3.6.1.4.1.9.9.194.1.3.1.1.5",
"CISCO-PPPOE-MIB::cPppoeSessionsPerInterfaceInfo": "1.3.6.1.4.1.9.9.194.1.4",
"CISCO-PPPOE-MIB::cPppoeSessionsPerInterfaceTable": "1.3.6.1.4.1.9.9.194.1.4.1",
"CISCO-PPPOE-MIB::cPppoeSessionsPerInterfaceEntry": "1.3.6.1.4.1.9.9.194.1.4.1.1",
"CISCO-PPPOE-MIB::cPppoeTotalSessions": "1.3.6.1.4.1.9.9.194.1.4.1.1.1",
"CISCO-PPPOE-MIB::cPppoePtaSessions": "1.3.6.1.4.1.9.9.194.1.4.1.1.2",
"CISCO-PPPOE-MIB::cPppoeFwdedSessions": "1.3.6.1.4.1.9.9.194.1.4.1.1.3",
"CISCO-PPPOE-MIB::cPppoeTransSessions": "1.3.6.1.4.1.9.9.194.1.4.1.1.4",
"CISCO-PPPOE-MIB::cPppoePerInterfaceSessionLossThreshold": "1.3.6.1.4.1.9.9.194.1.4.1.1.5",
"CISCO-PPPOE-MIB::cPppoePerInterfaceSessionLossPercent": "1.3.6.1.4.1.9.9.194.1.4.1.1.6",
"CISCO-PPPOE-MIB::cPppoeSystemSessionNotifyObjects": "1.3.6.1.4.1.9.9.194.1.5",
"CISCO-PPPOE-MIB::cPppoeSystemSessionClientMacAddress": "1.3.6.1.4.1.9.9.194.1.5.1",
"CISCO-PPPOE-MIB::cPppoeSystemSessionVlanID": "1.3.6.1.4.1.9.9.194.1.5.2",
"CISCO-PPPOE-MIB::cPppoeSystemSessionInnerVlanID": "1.3.6.1.4.1.9.9.194.1.5.3",
"CISCO-PPPOE-MIB::cPppoeSystemSessionVci": "1.3.6.1.4.1.9.9.194.1.5.4",
"CISCO-PPPOE-MIB::cPppoeSystemSessionVpi": "1.3.6.1.4.1.9.9.194.1.5.5",
"CISCO-PPPOE-MIB::ciscoPppoeMIBNotificationPrefix": "1.3.6.1.4.1.9.9.194.2",
"CISCO-PPPOE-MIB::ciscoPppoeMIBNotification": "1.3.6.1.4.1.9.9.194.2.0",
"CISCO-PPPOE-MIB::cPppoeSystemSessionThresholdTrap": "1.3.6.1.4.1.9.9.194.2.0.1",
"CISCO-PPPOE-MIB::cPppoeVcSessionThresholdTrap": "1.3.6.1.4.1.9.9.194.2.0.2",
"CISCO-PPPOE-MIB::cPppoeSystemSessionPerMACLimitNotif": "1.3.6.1.4.1.9.9.194.2.0.3",
"CISCO-PPPOE-MIB::cPppoeSystemSessionPerMACThrottleNotif": "1.3.6.1.4.1.9.9.194.2.0.4",
"CISCO-PPPOE-MIB::cPppoeSystemSessionPerVLANLimitNotif": "1.3.6.1.4.1.9.9.194.2.0.5",
"CISCO-PPPOE-MIB::cPppoeSystemSessionPerVLANThrottleNotif": "1.3.6.1.4.1.9.9.194.2.0.6",
"CISCO-PPPOE-MIB::cPppoeSystemSessionPerVCLimitNotif": "1.3.6.1.4.1.9.9.194.2.0.7",
"CISCO-PPPOE-MIB::cPppoeSystemSessionPerVCThrottleNotif": "1.3.6.1.4.1.9.9.194.2.0.8",
"CISCO-PPPOE-MIB::cPppoeSystemSessionLossThresholdNotif": "1.3.6.1.4.1.9.9.194.2.0.9",
"CISCO-PPPOE-MIB::cPppoePerInterfaceSessionLossThresholdNotif": "1.3.6.1.4.1.9.9.194.2.0.10",
"CISCO-PPPOE-MIB::cPppoeSystemSessionLossPercentNotif": "1.3.6.1.4.1.9.9.194.2.0.11",
"CISCO-PPPOE-MIB::cPppoePerInterfaceSessionLossPercentNotif": "1.3.6.1.4.1.9.9.194.2.0.12",
"CISCO-PPPOE-MIB::ciscoPppoeMIBConformance": "1.3.6.1.4.1.9.9.194.3",
"CISCO-PPPOE-MIB::ciscoPppoeMIBCompliances": "1.3.6.1.4.1.9.9.194.3.1",
"CISCO-PPPOE-MIB::ciscoPppoeMIBGroups": "1.3.6.1.4.1.9.9.194.3.2",
}
| name = 'CISCO-PPPOE-MIB'
last_updated = '2011-04-25'
compiled = '2014-11-21'
mib = {'CISCO-PPPOE-MIB::ciscoPppoeMIB': '1.3.6.1.4.1.9.9.194', 'CISCO-PPPOE-MIB::ciscoPppoeMIBObjects': '1.3.6.1.4.1.9.9.194.1', 'CISCO-PPPOE-MIB::cPppoeSystemSessionInfo': '1.3.6.1.4.1.9.9.194.1.1', 'CISCO-PPPOE-MIB::cPppoeSystemCurrSessions': '1.3.6.1.4.1.9.9.194.1.1.1', 'CISCO-PPPOE-MIB::cPppoeSystemHighWaterSessions': '1.3.6.1.4.1.9.9.194.1.1.2', 'CISCO-PPPOE-MIB::cPppoeSystemMaxAllowedSessions': '1.3.6.1.4.1.9.9.194.1.1.3', 'CISCO-PPPOE-MIB::cPppoeSystemThresholdSessions': '1.3.6.1.4.1.9.9.194.1.1.4', 'CISCO-PPPOE-MIB::cPppoeSystemExceededSessionErrors': '1.3.6.1.4.1.9.9.194.1.1.5', 'CISCO-PPPOE-MIB::cPppoeSystemPerMacSessionlimit': '1.3.6.1.4.1.9.9.194.1.1.6', 'CISCO-PPPOE-MIB::cPppoeSystemPerMacIWFSessionlimit': '1.3.6.1.4.1.9.9.194.1.1.7', 'CISCO-PPPOE-MIB::cPppoeSystemPerMacThrottleRatelimit': '1.3.6.1.4.1.9.9.194.1.1.8', 'CISCO-PPPOE-MIB::cPppoeSystemPerVLANlimit': '1.3.6.1.4.1.9.9.194.1.1.9', 'CISCO-PPPOE-MIB::cPppoeSystemPerVLANthrottleRatelimit': '1.3.6.1.4.1.9.9.194.1.1.10', 'CISCO-PPPOE-MIB::cPppoeSystemPerVClimit': '1.3.6.1.4.1.9.9.194.1.1.11', 'CISCO-PPPOE-MIB::cPppoeSystemPerVCThrottleRatelimit': '1.3.6.1.4.1.9.9.194.1.1.12', 'CISCO-PPPOE-MIB::cPppoeSystemSessionLossThreshold': '1.3.6.1.4.1.9.9.194.1.1.13', 'CISCO-PPPOE-MIB::cPppoeSystemSessionLossPercent': '1.3.6.1.4.1.9.9.194.1.1.14', 'CISCO-PPPOE-MIB::cPppoeVcCfgInfo': '1.3.6.1.4.1.9.9.194.1.2', 'CISCO-PPPOE-MIB::cPppoeVcCfgTable': '1.3.6.1.4.1.9.9.194.1.2.1', 'CISCO-PPPOE-MIB::cPppoeVcCfgEntry': '1.3.6.1.4.1.9.9.194.1.2.1.1', 'CISCO-PPPOE-MIB::cPppoeVcEnable': '1.3.6.1.4.1.9.9.194.1.2.1.1.1', 'CISCO-PPPOE-MIB::cPppoeVcSessionsInfo': '1.3.6.1.4.1.9.9.194.1.3', 'CISCO-PPPOE-MIB::cPppoeVcSessionsTable': '1.3.6.1.4.1.9.9.194.1.3.1', 'CISCO-PPPOE-MIB::cPppoeVcSessionsEntry': '1.3.6.1.4.1.9.9.194.1.3.1.1', 'CISCO-PPPOE-MIB::cPppoeVcCurrSessions': '1.3.6.1.4.1.9.9.194.1.3.1.1.1', 'CISCO-PPPOE-MIB::cPppoeVcHighWaterSessions': '1.3.6.1.4.1.9.9.194.1.3.1.1.2', 'CISCO-PPPOE-MIB::cPppoeVcMaxAllowedSessions': '1.3.6.1.4.1.9.9.194.1.3.1.1.3', 'CISCO-PPPOE-MIB::cPppoeVcThresholdSessions': '1.3.6.1.4.1.9.9.194.1.3.1.1.4', 'CISCO-PPPOE-MIB::cPppoeVcExceededSessionErrors': '1.3.6.1.4.1.9.9.194.1.3.1.1.5', 'CISCO-PPPOE-MIB::cPppoeSessionsPerInterfaceInfo': '1.3.6.1.4.1.9.9.194.1.4', 'CISCO-PPPOE-MIB::cPppoeSessionsPerInterfaceTable': '1.3.6.1.4.1.9.9.194.1.4.1', 'CISCO-PPPOE-MIB::cPppoeSessionsPerInterfaceEntry': '1.3.6.1.4.1.9.9.194.1.4.1.1', 'CISCO-PPPOE-MIB::cPppoeTotalSessions': '1.3.6.1.4.1.9.9.194.1.4.1.1.1', 'CISCO-PPPOE-MIB::cPppoePtaSessions': '1.3.6.1.4.1.9.9.194.1.4.1.1.2', 'CISCO-PPPOE-MIB::cPppoeFwdedSessions': '1.3.6.1.4.1.9.9.194.1.4.1.1.3', 'CISCO-PPPOE-MIB::cPppoeTransSessions': '1.3.6.1.4.1.9.9.194.1.4.1.1.4', 'CISCO-PPPOE-MIB::cPppoePerInterfaceSessionLossThreshold': '1.3.6.1.4.1.9.9.194.1.4.1.1.5', 'CISCO-PPPOE-MIB::cPppoePerInterfaceSessionLossPercent': '1.3.6.1.4.1.9.9.194.1.4.1.1.6', 'CISCO-PPPOE-MIB::cPppoeSystemSessionNotifyObjects': '1.3.6.1.4.1.9.9.194.1.5', 'CISCO-PPPOE-MIB::cPppoeSystemSessionClientMacAddress': '1.3.6.1.4.1.9.9.194.1.5.1', 'CISCO-PPPOE-MIB::cPppoeSystemSessionVlanID': '1.3.6.1.4.1.9.9.194.1.5.2', 'CISCO-PPPOE-MIB::cPppoeSystemSessionInnerVlanID': '1.3.6.1.4.1.9.9.194.1.5.3', 'CISCO-PPPOE-MIB::cPppoeSystemSessionVci': '1.3.6.1.4.1.9.9.194.1.5.4', 'CISCO-PPPOE-MIB::cPppoeSystemSessionVpi': '1.3.6.1.4.1.9.9.194.1.5.5', 'CISCO-PPPOE-MIB::ciscoPppoeMIBNotificationPrefix': '1.3.6.1.4.1.9.9.194.2', 'CISCO-PPPOE-MIB::ciscoPppoeMIBNotification': '1.3.6.1.4.1.9.9.194.2.0', 'CISCO-PPPOE-MIB::cPppoeSystemSessionThresholdTrap': '1.3.6.1.4.1.9.9.194.2.0.1', 'CISCO-PPPOE-MIB::cPppoeVcSessionThresholdTrap': '1.3.6.1.4.1.9.9.194.2.0.2', 'CISCO-PPPOE-MIB::cPppoeSystemSessionPerMACLimitNotif': '1.3.6.1.4.1.9.9.194.2.0.3', 'CISCO-PPPOE-MIB::cPppoeSystemSessionPerMACThrottleNotif': '1.3.6.1.4.1.9.9.194.2.0.4', 'CISCO-PPPOE-MIB::cPppoeSystemSessionPerVLANLimitNotif': '1.3.6.1.4.1.9.9.194.2.0.5', 'CISCO-PPPOE-MIB::cPppoeSystemSessionPerVLANThrottleNotif': '1.3.6.1.4.1.9.9.194.2.0.6', 'CISCO-PPPOE-MIB::cPppoeSystemSessionPerVCLimitNotif': '1.3.6.1.4.1.9.9.194.2.0.7', 'CISCO-PPPOE-MIB::cPppoeSystemSessionPerVCThrottleNotif': '1.3.6.1.4.1.9.9.194.2.0.8', 'CISCO-PPPOE-MIB::cPppoeSystemSessionLossThresholdNotif': '1.3.6.1.4.1.9.9.194.2.0.9', 'CISCO-PPPOE-MIB::cPppoePerInterfaceSessionLossThresholdNotif': '1.3.6.1.4.1.9.9.194.2.0.10', 'CISCO-PPPOE-MIB::cPppoeSystemSessionLossPercentNotif': '1.3.6.1.4.1.9.9.194.2.0.11', 'CISCO-PPPOE-MIB::cPppoePerInterfaceSessionLossPercentNotif': '1.3.6.1.4.1.9.9.194.2.0.12', 'CISCO-PPPOE-MIB::ciscoPppoeMIBConformance': '1.3.6.1.4.1.9.9.194.3', 'CISCO-PPPOE-MIB::ciscoPppoeMIBCompliances': '1.3.6.1.4.1.9.9.194.3.1', 'CISCO-PPPOE-MIB::ciscoPppoeMIBGroups': '1.3.6.1.4.1.9.9.194.3.2'} |
rows, cols = [int(x) for x in input().split(' ')]
matrix = [input().split() for _ in range(rows)]
cmd = input()
while cmd != 'END':
cmd_args = cmd.split()
if cmd_args[0] != 'swap' or len(cmd_args) != 5:
print('Invalid input!')
cmd = input()
continue
row1, col1 = int(cmd_args[1]), int(cmd_args[2])
row2, col2 = int(cmd_args[3]), int(cmd_args[4])
if row1 >= rows or row2 >= rows or col1 >= cols or col2 >= cols:
print('Invalid input!')
cmd = input()
continue
matrix[row1][col1], matrix[row2][col2] = matrix[row2][col2], matrix[row1][col1]
for i in range(rows):
print(' '.join(matrix[i]))
cmd = input()
| (rows, cols) = [int(x) for x in input().split(' ')]
matrix = [input().split() for _ in range(rows)]
cmd = input()
while cmd != 'END':
cmd_args = cmd.split()
if cmd_args[0] != 'swap' or len(cmd_args) != 5:
print('Invalid input!')
cmd = input()
continue
(row1, col1) = (int(cmd_args[1]), int(cmd_args[2]))
(row2, col2) = (int(cmd_args[3]), int(cmd_args[4]))
if row1 >= rows or row2 >= rows or col1 >= cols or (col2 >= cols):
print('Invalid input!')
cmd = input()
continue
(matrix[row1][col1], matrix[row2][col2]) = (matrix[row2][col2], matrix[row1][col1])
for i in range(rows):
print(' '.join(matrix[i]))
cmd = input() |
# #1
# def last(*args):
# last = args[-1]
# try:
# return last[-1]
# except TypeError:
# return last
#2
def last(*args):
try:
return args[-1][-1]
except:
return args[-1]
| def last(*args):
try:
return args[-1][-1]
except:
return args[-1] |
def setup():
size(500, 500)
smooth()
noLoop()
def draw():
background(100)
stroke(142,36,197)
strokeWeight(110)
line(100, 150, 400, 150)
stroke(203,29,163)
strokeWeight(60)
line(100, 250, 400, 250)
stroke(204,27,27)
strokeWeight(110)
line(100, 350, 400, 350)
| def setup():
size(500, 500)
smooth()
no_loop()
def draw():
background(100)
stroke(142, 36, 197)
stroke_weight(110)
line(100, 150, 400, 150)
stroke(203, 29, 163)
stroke_weight(60)
line(100, 250, 400, 250)
stroke(204, 27, 27)
stroke_weight(110)
line(100, 350, 400, 350) |
class BadGrammarError(Exception):
pass
class EmptyGrammarError(BadGrammarError):
pass
| class Badgrammarerror(Exception):
pass
class Emptygrammarerror(BadGrammarError):
pass |
# exceptions.py - exceptions for SQLAlchemy
# Copyright (C) 2005, 2006, 2007 Michael Bayer mike_mp@zzzcomputing.com
#
# This module is part of SQLAlchemy and is released under
# the MIT License: http://www.opensource.org/licenses/mit-license.php
class SQLAlchemyError(Exception):
"""Generic error class."""
pass
class SQLError(SQLAlchemyError):
"""Raised when the execution of a SQL statement fails.
Includes accessors for the underlying exception, as well as the
SQL and bind parameters.
"""
def __init__(self, statement, params, orig):
SQLAlchemyError.__init__(self, "(%s) %s"% (orig.__class__.__name__, str(orig)))
self.statement = statement
self.params = params
self.orig = orig
def __str__(self):
return SQLAlchemyError.__str__(self) + " " + repr(self.statement) + " " + repr(self.params)
class ArgumentError(SQLAlchemyError):
"""Raised for all those conditions where invalid arguments are
sent to constructed objects. This error generally corresponds to
construction time state errors.
"""
pass
class CompileError(SQLAlchemyError):
"""Raised when an error occurs during SQL compilation"""
pass
class TimeoutError(SQLAlchemyError):
"""Raised when a connection pool times out on getting a connection."""
pass
class ConcurrentModificationError(SQLAlchemyError):
"""Raised when a concurrent modification condition is detected."""
pass
class CircularDependencyError(SQLAlchemyError):
"""Raised by topological sorts when a circular dependency is detected"""
pass
class FlushError(SQLAlchemyError):
"""Raised when an invalid condition is detected upon a ``flush()``."""
pass
class InvalidRequestError(SQLAlchemyError):
"""SQLAlchemy was asked to do something it can't do, return
nonexistent data, etc.
This error generally corresponds to runtime state errors.
"""
pass
class NoSuchTableError(InvalidRequestError):
"""SQLAlchemy was asked to load a table's definition from the
database, but the table doesn't exist.
"""
pass
class AssertionError(SQLAlchemyError):
"""Corresponds to internal state being detected in an invalid state."""
pass
class NoSuchColumnError(KeyError, SQLAlchemyError):
"""Raised by ``RowProxy`` when a nonexistent column is requested from a row."""
pass
class DBAPIError(SQLAlchemyError):
"""Something weird happened with a particular DBAPI version."""
def __init__(self, message, orig):
SQLAlchemyError.__init__(self, "(%s) (%s) %s"% (message, orig.__class__.__name__, str(orig)))
self.orig = orig
| class Sqlalchemyerror(Exception):
"""Generic error class."""
pass
class Sqlerror(SQLAlchemyError):
"""Raised when the execution of a SQL statement fails.
Includes accessors for the underlying exception, as well as the
SQL and bind parameters.
"""
def __init__(self, statement, params, orig):
SQLAlchemyError.__init__(self, '(%s) %s' % (orig.__class__.__name__, str(orig)))
self.statement = statement
self.params = params
self.orig = orig
def __str__(self):
return SQLAlchemyError.__str__(self) + ' ' + repr(self.statement) + ' ' + repr(self.params)
class Argumenterror(SQLAlchemyError):
"""Raised for all those conditions where invalid arguments are
sent to constructed objects. This error generally corresponds to
construction time state errors.
"""
pass
class Compileerror(SQLAlchemyError):
"""Raised when an error occurs during SQL compilation"""
pass
class Timeouterror(SQLAlchemyError):
"""Raised when a connection pool times out on getting a connection."""
pass
class Concurrentmodificationerror(SQLAlchemyError):
"""Raised when a concurrent modification condition is detected."""
pass
class Circulardependencyerror(SQLAlchemyError):
"""Raised by topological sorts when a circular dependency is detected"""
pass
class Flusherror(SQLAlchemyError):
"""Raised when an invalid condition is detected upon a ``flush()``."""
pass
class Invalidrequesterror(SQLAlchemyError):
"""SQLAlchemy was asked to do something it can't do, return
nonexistent data, etc.
This error generally corresponds to runtime state errors.
"""
pass
class Nosuchtableerror(InvalidRequestError):
"""SQLAlchemy was asked to load a table's definition from the
database, but the table doesn't exist.
"""
pass
class Assertionerror(SQLAlchemyError):
"""Corresponds to internal state being detected in an invalid state."""
pass
class Nosuchcolumnerror(KeyError, SQLAlchemyError):
"""Raised by ``RowProxy`` when a nonexistent column is requested from a row."""
pass
class Dbapierror(SQLAlchemyError):
"""Something weird happened with a particular DBAPI version."""
def __init__(self, message, orig):
SQLAlchemyError.__init__(self, '(%s) (%s) %s' % (message, orig.__class__.__name__, str(orig)))
self.orig = orig |
# Tutorial: http://www.learnpython.org/en/Loops
# Loops
# There are two types of loops in Python, for and while.
# The "for" loop
# For loops iterate over a given sequence. Here is an example:
primes = [2, 3, 5, 7]
for prime in primes:
print(prime)
# For loops can iterate over a sequence of numbers using the "range" and "xrange" functions. The difference between range and xrange is that the range function returns a new list with numbers of that specified range, whereas xrange returns an iterator, which is more efficient. (Python 3 uses the range function, which acts like xrange). Note that the range function is zero based.
# Prints out the numbers 0,1,2,3,4
for x in range(5):
print(x)
# Prints out 3,4,5
for x in range(3, 6):
print(x)
# Prints out 3,5,7
for x in range(3, 8, 2):
print(x)
# "while" loops
# While loops repeat as long as a certain boolean condition is met. For example:
# Prints out 0,1,2,3,4
count = 0
while count < 5:
print(count)
count += 1 # This is the same as count = count + 1
# "break" and "continue" statements
# break is used to exit a for loop or a while loop, whereas continue is used to skip the current block, and return to the "for" or "while" statement. A few examples:
# Prints out 0,1,2,3,4
count = 0
while True:
print(count)
count += 1
if count >= 5:
break
# Prints out only odd numbers - 1,3,5,7,9
for x in range(10):
# Check if x is even
if x % 2 == 0:
continue
print(x)
# Can we use "else" clause for loops?
# unlike languages like C,CPP.. we can use else for loops. When the loop condition of "for" or "while" statement fails then code part in "else" is executed. If break statement is executed inside for loop then the "else" part is skipped. Note that "else" part is executed even if there is a continue statement.
# Here are a few examples:
# Prints out 0,1,2,3,4 and then it prints "count value reached 5"
count=0
while(count<5):
print(count)
count +=1
else:
print("count value reached %d" %(count))
# Prints out 1,2,3,4
for i in range(1, 10):
if(i%5==0):
break
print(i)
else:
print("this is not printed because for loop is terminated because of break but not due to fail in condition")
# Exercise
# Loop through and print out all even numbers from the numbers list in the same order they are received. Don't print any numbers that come after 237 in the sequence.
numbers = [
951, 402, 984, 651, 360, 69, 408, 319, 601, 485, 980, 507, 725, 547, 544,
615, 83, 165, 141, 501, 263, 617, 865, 575, 219, 390, 984, 592, 236, 105, 942, 941,
386, 462, 47, 418, 907, 344, 236, 375, 823, 566, 597, 978, 328, 615, 953, 345,
399, 162, 758, 219, 918, 237, 412, 566, 826, 248, 866, 950, 626, 949, 687, 217,
815, 67, 104, 58, 512, 24, 892, 894, 767, 553, 81, 379, 843, 831, 445, 742, 717,
958, 609, 842, 451, 688, 753, 854, 685, 93, 857, 440, 380, 126, 721, 328, 753, 470,
743, 527
]
for number in numbers:
if number == 237:
break
if number % 2 == 1:
continue
print(number)
| primes = [2, 3, 5, 7]
for prime in primes:
print(prime)
for x in range(5):
print(x)
for x in range(3, 6):
print(x)
for x in range(3, 8, 2):
print(x)
count = 0
while count < 5:
print(count)
count += 1
count = 0
while True:
print(count)
count += 1
if count >= 5:
break
for x in range(10):
if x % 2 == 0:
continue
print(x)
count = 0
while count < 5:
print(count)
count += 1
else:
print('count value reached %d' % count)
for i in range(1, 10):
if i % 5 == 0:
break
print(i)
else:
print('this is not printed because for loop is terminated because of break but not due to fail in condition')
numbers = [951, 402, 984, 651, 360, 69, 408, 319, 601, 485, 980, 507, 725, 547, 544, 615, 83, 165, 141, 501, 263, 617, 865, 575, 219, 390, 984, 592, 236, 105, 942, 941, 386, 462, 47, 418, 907, 344, 236, 375, 823, 566, 597, 978, 328, 615, 953, 345, 399, 162, 758, 219, 918, 237, 412, 566, 826, 248, 866, 950, 626, 949, 687, 217, 815, 67, 104, 58, 512, 24, 892, 894, 767, 553, 81, 379, 843, 831, 445, 742, 717, 958, 609, 842, 451, 688, 753, 854, 685, 93, 857, 440, 380, 126, 721, 328, 753, 470, 743, 527]
for number in numbers:
if number == 237:
break
if number % 2 == 1:
continue
print(number) |
"""
Autogenerated by Django - used for admin site settings
"""
# uncomment when needed
# from django.contrib import admin
# Register your models here.
| """
Autogenerated by Django - used for admin site settings
""" |
with open('recovered/arc/clusters/6.0.0_r1_acdc_clustered.rsf', encoding="utf8") as data_file:
data = data_file.readlines()
cluster = set()
for line in data:
cluster.add(line.split(" ")[1])
print(len(cluster)) | with open('recovered/arc/clusters/6.0.0_r1_acdc_clustered.rsf', encoding='utf8') as data_file:
data = data_file.readlines()
cluster = set()
for line in data:
cluster.add(line.split(' ')[1])
print(len(cluster)) |
# Find square of a number without using multiplication and division operator
def main():
a = -10
if a < 0:
a = abs(a)
square = 0
for i in range(0, a):
square += a
print(square)
if __name__ == '__main__':
main()
| def main():
a = -10
if a < 0:
a = abs(a)
square = 0
for i in range(0, a):
square += a
print(square)
if __name__ == '__main__':
main() |
#!/usr/bin/python3
#from node import Node # From node package import class Node
class Node(object):
"""Represent a singly linked node."""
def __init__(self, data, next = None):
self.data = data
self.next = next
head = None
for count in range(1, 6):
head = Node(count, head) #Instance of the class Node.
while head != None:
print (head.data)
head = head.next #This is the indicate variable.
| class Node(object):
"""Represent a singly linked node."""
def __init__(self, data, next=None):
self.data = data
self.next = next
head = None
for count in range(1, 6):
head = node(count, head)
while head != None:
print(head.data)
head = head.next |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.