content stringlengths 7 1.05M | fixed_cases stringlengths 1 1.28M |
|---|---|
'''
A 2d grid map of m rows and n columns is initially filled with water.
We may perform an `addLand` operation which turns the water at position (row, col) into a land.
Given a list of positions to operate, count the number of islands after each addLand operation.
An island is surrounded by water and is formed by connecting adjacent lands horizontally or vertically.
You may assume all four edges of the grid are all surrounded by water.
Example:
Given m = 3, n = 3, positions = [[0,0], [0,1], [1,2], [2,1]].
Initially, the 2d grid grid is filled with water. (Assume 0 represents water and 1 represents land).
0 0 0
0 0 0
0 0 0
Operation #1: addLand(0, 0) turns the water at grid[0][0] into a land.
1 0 0
0 0 0 Number of islands = 1
0 0 0
Operation #2: addLand(0, 1) turns the water at grid[0][1] into a land.
1 1 0
0 0 0 Number of islands = 1
0 0 0
Operation #3: addLand(1, 2) turns the water at grid[1][2] into a land.
1 1 0
0 0 1 Number of islands = 2
0 0 0
Operation #4: addLand(2, 1) turns the water at grid[2][1] into a land.
1 1 0
0 0 1 Number of islands = 3
0 1 0
We return the result as an array: [1, 1, 2, 3]
SOLUTION:
Case 1:
The new found land has no neighbouring land vertices at all.
In this case, num_islands++ since this is a new island of its own.
Case 2:
The new land has just 1 neighbouring land vertex.
That means it will be merged into that island.
Meaning no change in num_islands.
Case 2:
2 or more neighbouring lands.
In this case, it might happen that those 2 vertices are connected using some other path.
Or it can happen that they are not connected.
If they are connected already, then it means no change in num_islands.
However, if they were not connected, then num_islands--.
So, for this problem, we'll need to know whether any 2 land vertices are connected already or not.
Which means we can use union-find.
For every new-land, just union all the neighbouring land vertices together with this new land vertex.
At the end, just return the number of disjoint sets.
'''
| """
A 2d grid map of m rows and n columns is initially filled with water.
We may perform an `addLand` operation which turns the water at position (row, col) into a land.
Given a list of positions to operate, count the number of islands after each addLand operation.
An island is surrounded by water and is formed by connecting adjacent lands horizontally or vertically.
You may assume all four edges of the grid are all surrounded by water.
Example:
Given m = 3, n = 3, positions = [[0,0], [0,1], [1,2], [2,1]].
Initially, the 2d grid grid is filled with water. (Assume 0 represents water and 1 represents land).
0 0 0
0 0 0
0 0 0
Operation #1: addLand(0, 0) turns the water at grid[0][0] into a land.
1 0 0
0 0 0 Number of islands = 1
0 0 0
Operation #2: addLand(0, 1) turns the water at grid[0][1] into a land.
1 1 0
0 0 0 Number of islands = 1
0 0 0
Operation #3: addLand(1, 2) turns the water at grid[1][2] into a land.
1 1 0
0 0 1 Number of islands = 2
0 0 0
Operation #4: addLand(2, 1) turns the water at grid[2][1] into a land.
1 1 0
0 0 1 Number of islands = 3
0 1 0
We return the result as an array: [1, 1, 2, 3]
SOLUTION:
Case 1:
The new found land has no neighbouring land vertices at all.
In this case, num_islands++ since this is a new island of its own.
Case 2:
The new land has just 1 neighbouring land vertex.
That means it will be merged into that island.
Meaning no change in num_islands.
Case 2:
2 or more neighbouring lands.
In this case, it might happen that those 2 vertices are connected using some other path.
Or it can happen that they are not connected.
If they are connected already, then it means no change in num_islands.
However, if they were not connected, then num_islands--.
So, for this problem, we'll need to know whether any 2 land vertices are connected already or not.
Which means we can use union-find.
For every new-land, just union all the neighbouring land vertices together with this new land vertex.
At the end, just return the number of disjoint sets.
""" |
class ErrorsMixin:
"""Test for errors in corner case situations
"""
async def test_bad_authentication(self):
request = await self.client.get(
self.api_url('user'),
headers=[('Authorization', 'bjchdbjshbcjd')]
)
self.json(request.response, 400)
| class Errorsmixin:
"""Test for errors in corner case situations
"""
async def test_bad_authentication(self):
request = await self.client.get(self.api_url('user'), headers=[('Authorization', 'bjchdbjshbcjd')])
self.json(request.response, 400) |
str1=str(input("Enter an unbalanced bracket sequence:"))
op=0 #number of open brackets
clo=0 #number of closed brackets
#for calculating open and closed brackets
for i in range(0,len(str1)):
if (str1[i]=="("):
op=op+1
if (str1[i]==")"):
clo=clo+1
if (op==clo):
x = "(" + str1 + ")"
stack=[] #list to add open brackets
#checinkg if x is balanced or not
for i in range(0,len(x)):
if(x[i]=="(") :
stack.append("(")
else:
if(len(stack)!=0):
stack.remove("(") #finding open bracket for closed bracket and removing it from stack
if (len(stack)==0): #checking if all opening brackets have closed brackets
print("YES")
else:
print("NO")
else:
print("NO") | str1 = str(input('Enter an unbalanced bracket sequence:'))
op = 0
clo = 0
for i in range(0, len(str1)):
if str1[i] == '(':
op = op + 1
if str1[i] == ')':
clo = clo + 1
if op == clo:
x = '(' + str1 + ')'
stack = []
for i in range(0, len(x)):
if x[i] == '(':
stack.append('(')
elif len(stack) != 0:
stack.remove('(')
if len(stack) == 0:
print('YES')
else:
print('NO')
else:
print('NO') |
def print_to_number(number):
""" Prints to the number value passed in, beginning at 1"""
for counter in range(1,number):
print (counter)
if __name__ == "__main__":
print_to_number(5) | def print_to_number(number):
""" Prints to the number value passed in, beginning at 1"""
for counter in range(1, number):
print(counter)
if __name__ == '__main__':
print_to_number(5) |
"""
@author: magician
@date: 2019/12/19
@file: rm_element.py
"""
def remove_element(nums, val: int) -> int:
"""
remove_element
:param nums:
:param val:
:return:
"""
num_list = []
for i in nums:
if i != val:
num_list.append(i)
print(num_list)
return len(num_list)
if __name__ == '__main__':
assert remove_element([3, 2, 2, 3], 3) == 2
| """
@author: magician
@date: 2019/12/19
@file: rm_element.py
"""
def remove_element(nums, val: int) -> int:
"""
remove_element
:param nums:
:param val:
:return:
"""
num_list = []
for i in nums:
if i != val:
num_list.append(i)
print(num_list)
return len(num_list)
if __name__ == '__main__':
assert remove_element([3, 2, 2, 3], 3) == 2 |
Rainbow = ['Red', 'Orange', 'Yellow', 'Green', 'Blue', 'Indigo', 'Violet']
print("the first element of the list Rainbow is:",Rainbow[0])
print("The true colors of a rainbow are:")
for i in range(len(Rainbow)):
print(Rainbow[i])
#print all the elements in one line or one item per line. Here are two examples of that, using other forms of loop:
a = [1, 2, 3, 4, 5, 6, 7, 8, 9, 0] #1
print(a)
for i in range(len(a)):
print(a[i])#2
for elem in a:
print(elem, end = ' ') #3
| rainbow = ['Red', 'Orange', 'Yellow', 'Green', 'Blue', 'Indigo', 'Violet']
print('the first element of the list Rainbow is:', Rainbow[0])
print('The true colors of a rainbow are:')
for i in range(len(Rainbow)):
print(Rainbow[i])
a = [1, 2, 3, 4, 5, 6, 7, 8, 9, 0]
print(a)
for i in range(len(a)):
print(a[i])
for elem in a:
print(elem, end=' ') |
#!/usr/bin/env python3
"""
What is an anagram? Well, two words are anagrams of each other if they both contain the same letters. For example:
'abba' & 'baab' == true
'abba' & 'bbaa' == true
'abba' & 'abbba' == false
'abba' & 'abca' == false
Write a function that will find all the anagrams of a word from a list.
You will be given two inputs a word and an array with words.
You should return an array of all the anagrams or an
empty array if there are none. For example:
anagrams('abba', ['aabb', 'abcd', 'bbaa', 'dada']) => ['aabb', 'bbaa']
anagrams('racer', ['crazer', 'carer', 'racar', 'caers', 'racer']) => ['carer', 'racer']
anagrams('laser', ['lazing', 'lazy', 'lacer']) => []
"""
def is_anagram(subject, words):
for word in words:
anagram = True
tmp = subject
if len(word) == 1: # if given word is a letter than subject must also be a letter
if len(subject) != 1:
yield {'word':word,'is_anagram':False}
continue
for char in word:
if char in tmp:
tmp = tmp[:tmp.index(char)] + tmp[tmp.index(char) + 1:]
else:
anagram = False
break
yield {'word':word,'is_anagram':anagram}
def execute(word, words):
g = is_anagram(word, words)
r = []
for col in g:
if True == col['is_anagram']:
r.append(col['word'])
return r
| """
What is an anagram? Well, two words are anagrams of each other if they both contain the same letters. For example:
'abba' & 'baab' == true
'abba' & 'bbaa' == true
'abba' & 'abbba' == false
'abba' & 'abca' == false
Write a function that will find all the anagrams of a word from a list.
You will be given two inputs a word and an array with words.
You should return an array of all the anagrams or an
empty array if there are none. For example:
anagrams('abba', ['aabb', 'abcd', 'bbaa', 'dada']) => ['aabb', 'bbaa']
anagrams('racer', ['crazer', 'carer', 'racar', 'caers', 'racer']) => ['carer', 'racer']
anagrams('laser', ['lazing', 'lazy', 'lacer']) => []
"""
def is_anagram(subject, words):
for word in words:
anagram = True
tmp = subject
if len(word) == 1:
if len(subject) != 1:
yield {'word': word, 'is_anagram': False}
continue
for char in word:
if char in tmp:
tmp = tmp[:tmp.index(char)] + tmp[tmp.index(char) + 1:]
else:
anagram = False
break
yield {'word': word, 'is_anagram': anagram}
def execute(word, words):
g = is_anagram(word, words)
r = []
for col in g:
if True == col['is_anagram']:
r.append(col['word'])
return r |
#This program shows how many birds there are in each state.
def texas() -> None:
'''function output how many birds Texas has'''
bird = 5000
print("Texas has", bird, "birds")
def california() -> None:
'''function output how many birds California has'''
bird = 8000
print("California has", bird, "birds")
def main():
texas()
california()
if __name__=="__main__":
main()
# case 1
# Texas has 5000 birds
# California has 8000 birds
# case 2
# Texas has 8000 birds
# California has 5000 birds
# case 3
# Texas has -5000 birds
# California has -8000 birds
# case 4
# Texas has 0 birds
# California has 0 birds
# case 5
# Texas has 1000 birds
# California has -1000 birds | def texas() -> None:
"""function output how many birds Texas has"""
bird = 5000
print('Texas has', bird, 'birds')
def california() -> None:
"""function output how many birds California has"""
bird = 8000
print('California has', bird, 'birds')
def main():
texas()
california()
if __name__ == '__main__':
main() |
# Figure A.6
ZIGZAG = (
0, 1, 5, 6, 14, 15, 27, 28,
2, 4, 7, 13, 16, 26, 29, 42,
3, 8, 12, 17, 25, 30, 41, 43,
9, 11, 18, 24, 31, 40, 44, 53,
10, 19, 23, 32, 39, 45, 52, 54,
20, 22, 33, 38, 46, 51, 55, 60,
21, 34, 37, 47, 50, 56, 59, 61,
35, 36, 48, 49, 57, 58, 62, 63
)
| zigzag = (0, 1, 5, 6, 14, 15, 27, 28, 2, 4, 7, 13, 16, 26, 29, 42, 3, 8, 12, 17, 25, 30, 41, 43, 9, 11, 18, 24, 31, 40, 44, 53, 10, 19, 23, 32, 39, 45, 52, 54, 20, 22, 33, 38, 46, 51, 55, 60, 21, 34, 37, 47, 50, 56, 59, 61, 35, 36, 48, 49, 57, 58, 62, 63) |
class Person:
def __init__(self, name: Name):
self.name = name
def test_barry_is_harry():
harry = Person(Name("Harry", "Percival"))
barry = harry
barry.name = Name("Barry", "Percival")
assert harry is barry and barry is harry
| class Person:
def __init__(self, name: Name):
self.name = name
def test_barry_is_harry():
harry = person(name('Harry', 'Percival'))
barry = harry
barry.name = name('Barry', 'Percival')
assert harry is barry and barry is harry |
def eh_par(n):
if n < 2:
return ''
if n % 2 != 0:
n -= 1
print(n)
return eh_par(n-2)
x = int(input())
print(eh_par(x))
| def eh_par(n):
if n < 2:
return ''
if n % 2 != 0:
n -= 1
print(n)
return eh_par(n - 2)
x = int(input())
print(eh_par(x)) |
# -*- coding: utf-8 -*-
__author__ ='Charles Keith Brown'
__email__ = 'charles.k.brown@gmail.com'
__version__ = '0.1.1'
| __author__ = 'Charles Keith Brown'
__email__ = 'charles.k.brown@gmail.com'
__version__ = '0.1.1' |
# Definition for singly-linked list.
# class ListNode(object):
# def __init__(self, val=0, next=None):
# self.val = val
# self.next = next
class Solution(object):
def lengthOfLongestSubstring(self, s):
"""
:type s: str
:rtype: int
"""
seen = {}
begin_ptr = 0
max_len = 0
for i,v in enumerate(s):
last_seen = seen.get(v, None)
if last_seen != None and last_seen >= begin_ptr:
begin_ptr = seen.get(v) + 1
cur_len = i - begin_ptr + 1
if max_len < cur_len:
max_len = cur_len
seen[v]=i # save the latest index for this letter
return max_len
# note:
# -- did not see to reset beginning index after first sighting
# -- did not try no duplicate letters
# -- need to try simple cases first, then go to advanced.
| class Solution(object):
def length_of_longest_substring(self, s):
"""
:type s: str
:rtype: int
"""
seen = {}
begin_ptr = 0
max_len = 0
for (i, v) in enumerate(s):
last_seen = seen.get(v, None)
if last_seen != None and last_seen >= begin_ptr:
begin_ptr = seen.get(v) + 1
cur_len = i - begin_ptr + 1
if max_len < cur_len:
max_len = cur_len
seen[v] = i
return max_len |
WOQL_IDGEN_JSON = {
"@type": "woql:IDGenerator",
"woql:base": {
"@type": "woql:Datatype",
"woql:datatype": {"@type": "xsd:string", "@value": "doc:Station"},
},
"woql:key_list": {
"@type": "woql:Array",
"woql:array_element": [
{
"@type": "woql:ArrayElement",
"woql:index": {"@type": "xsd:nonNegativeInteger", "@value": 1 - 1},
"woql:variable_name": {"@type": "xsd:string", "@value": "Start_ID"},
}
],
},
"woql:uri": {
"@type": "woql:Variable",
"woql:variable_name": {"@type": "xsd:string", "@value": "Start_Station_URL"},
},
}
| woql_idgen_json = {'@type': 'woql:IDGenerator', 'woql:base': {'@type': 'woql:Datatype', 'woql:datatype': {'@type': 'xsd:string', '@value': 'doc:Station'}}, 'woql:key_list': {'@type': 'woql:Array', 'woql:array_element': [{'@type': 'woql:ArrayElement', 'woql:index': {'@type': 'xsd:nonNegativeInteger', '@value': 1 - 1}, 'woql:variable_name': {'@type': 'xsd:string', '@value': 'Start_ID'}}]}, 'woql:uri': {'@type': 'woql:Variable', 'woql:variable_name': {'@type': 'xsd:string', '@value': 'Start_Station_URL'}}} |
#
# @lc app=leetcode.cn id=1632 lang=python3
#
# [1632] number-of-good-ways-to-split-a-string
#
None
# @lc code=end | None |
# Copyright 2015 The Chromium Authors. All rights reserved.
# Use of this source code is governed by a BSD-style license that can be
# found in the LICENSE file.
# Path where remote_file_reader should be installed on the device.
REMOTE_FILE_READER_DEVICE_PATH = '/data/local/tmp/remote_file_reader'
# Path where remote_file_reader is available on Cloud Storage.
REMOTE_FILE_READER_CLOUD_PATH = 'gs://mojo/devtools/remote_file_reader'
| remote_file_reader_device_path = '/data/local/tmp/remote_file_reader'
remote_file_reader_cloud_path = 'gs://mojo/devtools/remote_file_reader' |
def setup():
pass
def draw():
fill(255, 0, 0)
ellipse(mouseX, mouseY, 20, 20) | def setup():
pass
def draw():
fill(255, 0, 0)
ellipse(mouseX, mouseY, 20, 20) |
class ValidationError(Exception):
"""
Error in validation stage
"""
pass
_CODE_TO_DESCRIPTIONS = {
-1: (
'EINTERNAL',
(
'An internal error has occurred. Please submit a bug report, '
'detailing the exact circumstances in which this error occurred'
)
),
-2: ('EARGS', 'You have passed invalid arguments to this command'),
-3: (
'EAGAIN',
(
'(always at the request level) A temporary congestion or server '
'malfunction prevented your request from being processed. '
'No data was altered. Retry. Retries must be spaced with '
'exponential backoff'
)
),
-4: (
'ERATELIMIT',
(
'You have exceeded your command weight per time quota. Please '
'wait a few seconds, then try again (this should never happen '
'in sane real-life applications)'
)
),
-5: ('EFAILED', 'The upload failed. Please restart it from scratch'),
-6: (
'ETOOMANY',
'Too many concurrent IP addresses are accessing this upload target URL'
),
-7: (
'ERANGE',
(
'The upload file packet is out of range or not starting and '
'ending on a chunk boundary'
)
),
-8: (
'EEXPIRED',
(
'The upload target URL you are trying to access has expired. '
'Please request a fresh one'
)
),
-9: ('ENOENT', 'Object (typically, node or user) not found'),
-10: ('ECIRCULAR', 'Circular linkage attempted'),
-11: (
'EACCESS',
'Access violation (e.g., trying to write to a read-only share)'
),
-12: ('EEXIST', 'Trying to create an object that already exists'),
-13: ('EINCOMPLETE', 'Trying to access an incomplete resource'),
-14: ('EKEY', 'A decryption operation failed (never returned by the API)'),
-15: ('ESID', 'Invalid or expired user session, please relogin'),
-16: ('EBLOCKED', 'User blocked'),
-17: ('EOVERQUOTA', 'Request over quota'),
-18: (
'ETEMPUNAVAIL',
'Resource temporarily not available, please try again later'
),
-19: ('ETOOMANYCONNECTIONS', 'many connections on this resource'),
-20: ('EWRITE', 'Write failed'),
-21: ('EREAD', 'Read failed'),
-22: ('EAPPKEY', 'Invalid application key; request not processed'),
}
class RequestError(Exception):
"""
Error in API request
"""
def __init__(self, message):
code = message
self.code = code
code_desc, long_desc = _CODE_TO_DESCRIPTIONS[code]
self.message = f'{code_desc}, {long_desc}'
def __str__(self):
return self.message
| class Validationerror(Exception):
"""
Error in validation stage
"""
pass
_code_to_descriptions = {-1: ('EINTERNAL', 'An internal error has occurred. Please submit a bug report, detailing the exact circumstances in which this error occurred'), -2: ('EARGS', 'You have passed invalid arguments to this command'), -3: ('EAGAIN', '(always at the request level) A temporary congestion or server malfunction prevented your request from being processed. No data was altered. Retry. Retries must be spaced with exponential backoff'), -4: ('ERATELIMIT', 'You have exceeded your command weight per time quota. Please wait a few seconds, then try again (this should never happen in sane real-life applications)'), -5: ('EFAILED', 'The upload failed. Please restart it from scratch'), -6: ('ETOOMANY', 'Too many concurrent IP addresses are accessing this upload target URL'), -7: ('ERANGE', 'The upload file packet is out of range or not starting and ending on a chunk boundary'), -8: ('EEXPIRED', 'The upload target URL you are trying to access has expired. Please request a fresh one'), -9: ('ENOENT', 'Object (typically, node or user) not found'), -10: ('ECIRCULAR', 'Circular linkage attempted'), -11: ('EACCESS', 'Access violation (e.g., trying to write to a read-only share)'), -12: ('EEXIST', 'Trying to create an object that already exists'), -13: ('EINCOMPLETE', 'Trying to access an incomplete resource'), -14: ('EKEY', 'A decryption operation failed (never returned by the API)'), -15: ('ESID', 'Invalid or expired user session, please relogin'), -16: ('EBLOCKED', 'User blocked'), -17: ('EOVERQUOTA', 'Request over quota'), -18: ('ETEMPUNAVAIL', 'Resource temporarily not available, please try again later'), -19: ('ETOOMANYCONNECTIONS', 'many connections on this resource'), -20: ('EWRITE', 'Write failed'), -21: ('EREAD', 'Read failed'), -22: ('EAPPKEY', 'Invalid application key; request not processed')}
class Requesterror(Exception):
"""
Error in API request
"""
def __init__(self, message):
code = message
self.code = code
(code_desc, long_desc) = _CODE_TO_DESCRIPTIONS[code]
self.message = f'{code_desc}, {long_desc}'
def __str__(self):
return self.message |
#!/usr/bin/env python
# -*- coding: utf-8 -*-
class CacheDecorator:
def __init__(self):
self.cache = {}
self.func = None
def cachedFunc(self, *args):
if args not in self.cache:
print("Ergebnis berechnet")
self.cache[args] = self.func(*args)
else:
print("Ergebnis geladen")
return self.cache[args]
def __call__(self, func):
self.func = func
return self.cachedFunc
@CacheDecorator()
def fak(n):
ergebnis = 1
for i in range(2, n+1):
ergebnis *= i
return ergebnis
print(fak(10))
print(fak(20))
print(fak(20))
print(fak(10))
| class Cachedecorator:
def __init__(self):
self.cache = {}
self.func = None
def cached_func(self, *args):
if args not in self.cache:
print('Ergebnis berechnet')
self.cache[args] = self.func(*args)
else:
print('Ergebnis geladen')
return self.cache[args]
def __call__(self, func):
self.func = func
return self.cachedFunc
@cache_decorator()
def fak(n):
ergebnis = 1
for i in range(2, n + 1):
ergebnis *= i
return ergebnis
print(fak(10))
print(fak(20))
print(fak(20))
print(fak(10)) |
def MA(series, period=5):
"""Calculate moving average with period 5 as default """
i = 0
moving_averages = []
while i < len(numbers) - period + 1:
this_window = numbers[i: i + period]
window_average = sum(this_window) / period
moving_averages.append(window_average)
i += 1
return moving_averages
| def ma(series, period=5):
"""Calculate moving average with period 5 as default """
i = 0
moving_averages = []
while i < len(numbers) - period + 1:
this_window = numbers[i:i + period]
window_average = sum(this_window) / period
moving_averages.append(window_average)
i += 1
return moving_averages |
#!/usr/bin/env python3
def gen_repr(obj, **kwargs):
fields = ', '.join([
f'{key}={value}' for key, value in dict(obj.__dict__, **kwargs).items()
])
return f'{obj.__class__.__name__}({fields})'
def __repr__(self):
return gen_repr(self)
| def gen_repr(obj, **kwargs):
fields = ', '.join([f'{key}={value}' for (key, value) in dict(obj.__dict__, **kwargs).items()])
return f'{obj.__class__.__name__}({fields})'
def __repr__(self):
return gen_repr(self) |
# -*- coding: utf-8 -*-
#
# Copyright (c) 2020 Baidu.com, Inc. All Rights Reserved
#
"""
Authors: liyuncong(liyuncong@baidu.com)
Date: 2020/5/25 14:54
""" | """
Authors: liyuncong(liyuncong@baidu.com)
Date: 2020/5/25 14:54
""" |
# Challenge 58, intermediate
# https://www.reddit.com/r/dailyprogrammer/comments/u8jn9/5282012_challenge_58_intermediate/
# Take an input number and return next palindrome
# f(808) = 818
# f(999) = 1001 -- need to take char length increases into account
# f(2133) = 2222
# what is f(3 ^ 39)?
# what is f(7 ^ 100)?
# Basic principle:
# split number up into halves and make palindrome from 1st half
# if new palindrome is <= old number, increase 1st half by 1 and try again
# even-length numbers are trivial
# odd-length numbers: 1st half includes middle char
# Edge cases:
# Increasing char length -- 999 to 1001.
def p(input_number):
# get front half of number
if len(str(input_number)) % 2 == 0: # even-length
number = str(input_number)
front_half = number[:int(len(number) / 2)]
# make palindrome using front_half and check if > number
new_palindrome = int(front_half + front_half[::-1])
if new_palindrome <= int(number):
new_front = str(int(front_half) + 1)
# check if 99 99 becomes 100 001 instead of 10001
if len(new_front) > len(str(front_half)):
newest_palindrome = int(new_front + new_front[::-1][1:])
return newest_palindrome
# return simple inverted palindrome
else:
newer_palindrome = int(new_front + new_front[::-1])
return newer_palindrome
else:
return new_palindrome
else: # odd length version of above
number = str(input_number)
front_half = number[:int((len(number) + 1) / 2)]
new_palindrome = int(front_half + front_half[::-1][1:])
if new_palindrome <= int(number):
new_front = str(int(front_half) + 1)
# check if 999 becomes 100 001 instead of 1001:
if len(new_front) > len(str(front_half)):
new_front = new_front[:-1]
newest_palindrome = int(new_front + new_front[::-1])
return newest_palindrome
else:
newer_palindrome = int(new_front + new_front[::-1][1:])
return newer_palindrome
else:
return new_palindrome
print(p(3 ** 39))
print(p(7 ** 100))
| def p(input_number):
if len(str(input_number)) % 2 == 0:
number = str(input_number)
front_half = number[:int(len(number) / 2)]
new_palindrome = int(front_half + front_half[::-1])
if new_palindrome <= int(number):
new_front = str(int(front_half) + 1)
if len(new_front) > len(str(front_half)):
newest_palindrome = int(new_front + new_front[::-1][1:])
return newest_palindrome
else:
newer_palindrome = int(new_front + new_front[::-1])
return newer_palindrome
else:
return new_palindrome
else:
number = str(input_number)
front_half = number[:int((len(number) + 1) / 2)]
new_palindrome = int(front_half + front_half[::-1][1:])
if new_palindrome <= int(number):
new_front = str(int(front_half) + 1)
if len(new_front) > len(str(front_half)):
new_front = new_front[:-1]
newest_palindrome = int(new_front + new_front[::-1])
return newest_palindrome
else:
newer_palindrome = int(new_front + new_front[::-1][1:])
return newer_palindrome
else:
return new_palindrome
print(p(3 ** 39))
print(p(7 ** 100)) |
__all__ = [
'MongoengineMigrateError',
'MigrationGraphError',
'ActionError',
'SchemaError',
'MigrationError',
'InconsistencyError'
]
class MongoengineMigrateError(Exception):
"""Generic error"""
class MigrationGraphError(MongoengineMigrateError):
"""Error related to migration modules names, dependencies, etc."""
class ActionError(MongoengineMigrateError):
"""Error related to Action itself"""
class SchemaError(MongoengineMigrateError):
"""Error related to schema errors"""
class MigrationError(MongoengineMigrateError):
"""Error which could occur during migration"""
class InconsistencyError(MigrationError):
"""Error which could occur during migration if data inconsistency
was detected
"""
| __all__ = ['MongoengineMigrateError', 'MigrationGraphError', 'ActionError', 'SchemaError', 'MigrationError', 'InconsistencyError']
class Mongoenginemigrateerror(Exception):
"""Generic error"""
class Migrationgrapherror(MongoengineMigrateError):
"""Error related to migration modules names, dependencies, etc."""
class Actionerror(MongoengineMigrateError):
"""Error related to Action itself"""
class Schemaerror(MongoengineMigrateError):
"""Error related to schema errors"""
class Migrationerror(MongoengineMigrateError):
"""Error which could occur during migration"""
class Inconsistencyerror(MigrationError):
"""Error which could occur during migration if data inconsistency
was detected
""" |
#!/usr/bin/python
# test 1: seed top level, no MIP map
command += testtex_command (parent + " -res 256 256 -d uint8 -o out1.tif --testicwrite 1 blah")
# test 2: seed top level, automip
command += testtex_command (parent + " -res 256 256 -d uint8 -o out2.tif --testicwrite 1 --automip blah")
# test 3: procedural MIP map
command += testtex_command (parent + " -res 256 256 -d uint8 -o out3.tif --testicwrite 2 blah")
# test 4: procedural top level, automip
command += testtex_command (parent + " -res 256 256 -d uint8 -o out4.tif --testicwrite 2 --automip blah")
outputs = [ "out1.tif", "out2.tif", "out3.tif", "out4.tif" ]
| command += testtex_command(parent + ' -res 256 256 -d uint8 -o out1.tif --testicwrite 1 blah')
command += testtex_command(parent + ' -res 256 256 -d uint8 -o out2.tif --testicwrite 1 --automip blah')
command += testtex_command(parent + ' -res 256 256 -d uint8 -o out3.tif --testicwrite 2 blah')
command += testtex_command(parent + ' -res 256 256 -d uint8 -o out4.tif --testicwrite 2 --automip blah')
outputs = ['out1.tif', 'out2.tif', 'out3.tif', 'out4.tif'] |
# --- internal paths --- #
mimic_root_dir = '/cluster/work/grlab/clinical/mimic/MIMIC-III/cdb_1.4/'
root_dir = '/cluster/work/grlab/clinical/Inselspital/DataReleases/01-19-2017/InselSpital/'
# --- all about mimic --- #
source_data = mimic_root_dir + 'source_data/'
derived = mimic_root_dir + 'derived_stephanie/'
chartevents_path = source_data + 'CHARTEVENTS.csv'
labevents_path = source_data + 'LABEVENTS.csv'
outputevents_path = source_data + 'OUTPUTEVENTS.csv'
inputevents_cv_path = source_data + 'INPUTEVENTS_CV.csv'
inputevents_mv_path = source_data + 'INPUTEVENTS_MV.csv'
datetimeevents_path = source_data + 'DATETIMEEVENTS.csv'
procedureevents_mv_path = source_data + 'PROCEDUREEVENTS_MV.csv'
admissions_path = source_data + 'ADMISSIONS.csv'
patients_path = source_data + 'PATIENTS.csv'
icustays_path = source_data + 'ICUSTAYS.csv'
services_path = source_data + 'SERVICES.csv'
csv_folder = derived + 'derived_csvs/'
# --- all about our data on leomed --- #
validation_dir = root_dir + 'external_validation/'
misc_dir = root_dir + 'misc_derived/stephanie/'
vis_dir = validation_dir + 'vis/'
D_ITEMS_path = validation_dir + 'ref_lists/D_ITEMS.csv'
D_LABITEMS_path = validation_dir + 'ref_lists/D_LABITEMS.csv'
GDOC_path = validation_dir + 'ref_lists/mimic_vars.csv'
chunks_file = validation_dir + 'chunks.csv'
csvs_dir = validation_dir + 'csvs/'
hdf5_dir = validation_dir + 'hdf5/'
# mimic is always reduced
merged_dir = validation_dir + 'merged/'
endpoints_dir = validation_dir + 'endpoints/'
predictions_dir = validation_dir + 'predictions/'
id2string = root_dir + 'misc_derived/visualisation/id2string_v6.npy'
mid2string = root_dir + 'misc_derived/visualisation/mid2string_v6.npy'
| mimic_root_dir = '/cluster/work/grlab/clinical/mimic/MIMIC-III/cdb_1.4/'
root_dir = '/cluster/work/grlab/clinical/Inselspital/DataReleases/01-19-2017/InselSpital/'
source_data = mimic_root_dir + 'source_data/'
derived = mimic_root_dir + 'derived_stephanie/'
chartevents_path = source_data + 'CHARTEVENTS.csv'
labevents_path = source_data + 'LABEVENTS.csv'
outputevents_path = source_data + 'OUTPUTEVENTS.csv'
inputevents_cv_path = source_data + 'INPUTEVENTS_CV.csv'
inputevents_mv_path = source_data + 'INPUTEVENTS_MV.csv'
datetimeevents_path = source_data + 'DATETIMEEVENTS.csv'
procedureevents_mv_path = source_data + 'PROCEDUREEVENTS_MV.csv'
admissions_path = source_data + 'ADMISSIONS.csv'
patients_path = source_data + 'PATIENTS.csv'
icustays_path = source_data + 'ICUSTAYS.csv'
services_path = source_data + 'SERVICES.csv'
csv_folder = derived + 'derived_csvs/'
validation_dir = root_dir + 'external_validation/'
misc_dir = root_dir + 'misc_derived/stephanie/'
vis_dir = validation_dir + 'vis/'
d_items_path = validation_dir + 'ref_lists/D_ITEMS.csv'
d_labitems_path = validation_dir + 'ref_lists/D_LABITEMS.csv'
gdoc_path = validation_dir + 'ref_lists/mimic_vars.csv'
chunks_file = validation_dir + 'chunks.csv'
csvs_dir = validation_dir + 'csvs/'
hdf5_dir = validation_dir + 'hdf5/'
merged_dir = validation_dir + 'merged/'
endpoints_dir = validation_dir + 'endpoints/'
predictions_dir = validation_dir + 'predictions/'
id2string = root_dir + 'misc_derived/visualisation/id2string_v6.npy'
mid2string = root_dir + 'misc_derived/visualisation/mid2string_v6.npy' |
"""Functionality related to interactions between DIT and companies."""
INTERACTION_EMAIL_INGESTION_FEATURE_FLAG_NAME = 'interaction-email-ingestion'
INTERACTION_EMAIL_NOTIFICATION_FEATURE_FLAG_NAME = 'interaction-email-notification'
MAILBOX_INGESTION_FEATURE_FLAG_NAME = 'mailbox-ingestion'
MAILBOX_NOTIFICATION_FEATURE_FLAG_NAME = 'mailbox-notification'
| """Functionality related to interactions between DIT and companies."""
interaction_email_ingestion_feature_flag_name = 'interaction-email-ingestion'
interaction_email_notification_feature_flag_name = 'interaction-email-notification'
mailbox_ingestion_feature_flag_name = 'mailbox-ingestion'
mailbox_notification_feature_flag_name = 'mailbox-notification' |
class CompositorNodeZcombine:
use_alpha = None
use_antialias_z = None
def update(self):
pass
| class Compositornodezcombine:
use_alpha = None
use_antialias_z = None
def update(self):
pass |
def tetra(n):
t = (n * (n + 1) * (n + 2)) / 6
return t
print(tetra(5)) | def tetra(n):
t = n * (n + 1) * (n + 2) / 6
return t
print(tetra(5)) |
class Platform(object):
def __init__(self, id=None, name=None, slug=None, napalm_driver=None, rpc_client=None):
self.id = id
self.name = name
self.slug = slug
self.napalm_driver = napalm_driver
self.rpc_client = rpc_client
@classmethod
def from_dict(cls, contents):
if contents is None:
return cls()
return cls(**contents)
| class Platform(object):
def __init__(self, id=None, name=None, slug=None, napalm_driver=None, rpc_client=None):
self.id = id
self.name = name
self.slug = slug
self.napalm_driver = napalm_driver
self.rpc_client = rpc_client
@classmethod
def from_dict(cls, contents):
if contents is None:
return cls()
return cls(**contents) |
class Solution(object):
def combine(self, n, k):
ans = []
def dfs(list_start, list_end, k, start, depth, curr, ans):
if depth == k:
ans.append(curr[::])
for i in range(start, list_end):
curr.append(list_start+i)
dfs(list_start, list_end, k, i+1, depth+1, curr, ans)
curr.pop() # backtrack
dfs(1,n, k, 0, 0, [], ans )
return ans
abc = Solution()
print (abc.combine(4,3)) | class Solution(object):
def combine(self, n, k):
ans = []
def dfs(list_start, list_end, k, start, depth, curr, ans):
if depth == k:
ans.append(curr[:])
for i in range(start, list_end):
curr.append(list_start + i)
dfs(list_start, list_end, k, i + 1, depth + 1, curr, ans)
curr.pop()
dfs(1, n, k, 0, 0, [], ans)
return ans
abc = solution()
print(abc.combine(4, 3)) |
def getDimensions(tf):
X = tf.constant([1, 0])
Y = tf.constant([0, 1])
BOTH = tf.constant([1, 1])
return X, Y, BOTH
def compute_centroid(tf, points):
# points {[2, ?]} tensor of float_64
"""Computes the centroid of the points."""
return tf.reduce_mean(points, 0)
def move_to_center(tf, points, centroid=None):
# points {[2, ?]} tensor of float_64
"moves the list of points to the origin"
center_points = centroid
if centroid is None:
center_points = compute_centroid(tf, points)
return points - center_points
def rotate(tf, points, theta):
# points {[2, ?]} tensor of float_64
# theta a tensor containing an angle
top = tf.pack([tf.cos(theta), -tf.sin(theta)])
bottom = tf.pack([tf.sin(theta), tf.cos(theta)])
rotation_matrix = tf.pack([top, bottom])
return tf.matmul(points, rotation_matrix, name="rotate_matrices")
def rotate_around_center(tf, points, theta):
centroid = compute_centroid(tf, points)
return rotate(tf, (points - centroid), theta) + centroid
def create_mult_func(tf, amount, list):
def f1():
return tf.scalar_mul(amount, list)
return f1
def create_no_op_func(tensor):
def f1():
return tensor
return f1
def callForEachDimension(tf, points, dim, callback):
"""dim is which dimenision is active (currently only 2 x, y)
callback is a function that takes in the list of points in the x or y dim and returns function that returns a list of of values"""
yes = tf.constant(1)
x_list, y_list = tf.split(1, 2, points)
x_dim, y_dim = tf.split(0, 2, dim)
is_dim_X = tf.reduce_all(tf.equal(x_dim, yes, name="is_dim_x"))
is_dim_Y = tf.reduce_all(tf.equal(y_dim, yes, name="is_dim_Y"))
x_list_dimed = tf.cond(is_dim_X, callback(tf, x_list, 0), create_no_op_func(x_list))
y_list_dimed = tf.cond(is_dim_Y, callback(tf, y_list, 1), create_no_op_func(y_list))
return tf.concat(1, [x_list_dimed, y_list_dimed])
def create_stretch(amount):
def f1(tf, points, dim_called):
return create_mult_func(tf, amount, points)
return f1
def stretch(tf, points, dim, amount):
"""points is a 2 by ??? tensor, dim is a 1 by 2 tensor, amount is tensor scalor"""
return callForEachDimension(tf, points, dim, create_stretch(amount))
def stretch_around_center(tf, points, dim, amount):
"""Stretches the points around their center"""
centroid = compute_centroid(tf, points)
return stretch(tf, points- centroid, dim, amount) + centroid
def flip(tf, points, mirror_point, flip_type):
"""points is a 2 by ??? tensor, dim is a 1 by 2 tensor, amount is tensor scalor"""
temp_point = mirror_point - points
return points + (2 * temp_point)
def compute_flip_point(tf, centroid):
two = tf.constant(2.)
x, y = tf.split(0, 2, centroid)
x_rand = tf.random_normal([], mean=x, stddev=tf.maximum(two, (x - tf.sqrt(x))))
y_rand = tf.random_normal([], mean=y, stddev=tf.maximum(two, (y - tf.sqrt(y))))
return tf.concat(0, [x_rand, y_rand])
def flip_around_center(tf, points, flip_type):
"""flip the points around their center"""
centroid = compute_centroid(tf, points)
flipPoint = compute_flip_point(tf, centroid)
flipped_points = flip(tf, points, flipPoint, flip_type)
flipped_center = compute_centroid(tf, flipped_points)
offset = centroid - flipped_center
return flipped_points + offset
#return offset
def create_shear_array(original_tensor, amount):
def set_shear(tf, shear_line, dim_called):
indices = [[1 - dim_called, 0]] # the of coordinate to update.
values = tf.reshape(amount, [1]) # A list of values corresponding to the respective
# coordinate in indices.
def f1():
shape = tf.shape(shear_line) # The shape of the corresponding dense tensor, same as `c`.
shape = tf.to_int64(shape)
delta = tf.SparseTensor(indices, values, shape)
denseDelta = tf.sparse_tensor_to_dense(delta)
combined_shear = denseDelta + shear_line
return combined_shear
return f1
return set_shear
def shear_around_center(tf, points, flip_type, amount):
"""shear the points around their center"""
centroid = compute_centroid(tf, points)
shear = tf.constant([[1., 0.], [0., 1.]])
shear = callForEachDimension(tf, shear, flip_type, create_shear_array(shear, amount))
shear = tf.Print(shear, [shear], "resulting shear array")
result = tf.matmul(points, shear)
sheared_center = compute_centroid(tf, result)
offset = centroid - sheared_center
return result + offset
return offset
def create_min_func(tf, list, dim):
def f1():
return tf.reshape(tf.reduce_min(list), shape=[1,1])
return f1
def create_max_func(tf, list, dim):
def f1():
return tf.reshape(tf.reduce_max(list), shape=[1,1])
return f1
def compute_extremes(tf, points):
"""Returns extreme points
min list = extremes[0]
max list = extremes[1]
minxX = extremes[0][0]
maxY = extremes[1][1]"""
X, Y, BOTH = getDimensions(tf)
minValues = callForEachDimension(tf, points, BOTH, create_min_func)
maxValues = callForEachDimension(tf, points, BOTH, create_max_func)
return tf.concat(0, [minValues, maxValues])
| def get_dimensions(tf):
x = tf.constant([1, 0])
y = tf.constant([0, 1])
both = tf.constant([1, 1])
return (X, Y, BOTH)
def compute_centroid(tf, points):
"""Computes the centroid of the points."""
return tf.reduce_mean(points, 0)
def move_to_center(tf, points, centroid=None):
"""moves the list of points to the origin"""
center_points = centroid
if centroid is None:
center_points = compute_centroid(tf, points)
return points - center_points
def rotate(tf, points, theta):
top = tf.pack([tf.cos(theta), -tf.sin(theta)])
bottom = tf.pack([tf.sin(theta), tf.cos(theta)])
rotation_matrix = tf.pack([top, bottom])
return tf.matmul(points, rotation_matrix, name='rotate_matrices')
def rotate_around_center(tf, points, theta):
centroid = compute_centroid(tf, points)
return rotate(tf, points - centroid, theta) + centroid
def create_mult_func(tf, amount, list):
def f1():
return tf.scalar_mul(amount, list)
return f1
def create_no_op_func(tensor):
def f1():
return tensor
return f1
def call_for_each_dimension(tf, points, dim, callback):
"""dim is which dimenision is active (currently only 2 x, y)
callback is a function that takes in the list of points in the x or y dim and returns function that returns a list of of values"""
yes = tf.constant(1)
(x_list, y_list) = tf.split(1, 2, points)
(x_dim, y_dim) = tf.split(0, 2, dim)
is_dim_x = tf.reduce_all(tf.equal(x_dim, yes, name='is_dim_x'))
is_dim_y = tf.reduce_all(tf.equal(y_dim, yes, name='is_dim_Y'))
x_list_dimed = tf.cond(is_dim_X, callback(tf, x_list, 0), create_no_op_func(x_list))
y_list_dimed = tf.cond(is_dim_Y, callback(tf, y_list, 1), create_no_op_func(y_list))
return tf.concat(1, [x_list_dimed, y_list_dimed])
def create_stretch(amount):
def f1(tf, points, dim_called):
return create_mult_func(tf, amount, points)
return f1
def stretch(tf, points, dim, amount):
"""points is a 2 by ??? tensor, dim is a 1 by 2 tensor, amount is tensor scalor"""
return call_for_each_dimension(tf, points, dim, create_stretch(amount))
def stretch_around_center(tf, points, dim, amount):
"""Stretches the points around their center"""
centroid = compute_centroid(tf, points)
return stretch(tf, points - centroid, dim, amount) + centroid
def flip(tf, points, mirror_point, flip_type):
"""points is a 2 by ??? tensor, dim is a 1 by 2 tensor, amount is tensor scalor"""
temp_point = mirror_point - points
return points + 2 * temp_point
def compute_flip_point(tf, centroid):
two = tf.constant(2.0)
(x, y) = tf.split(0, 2, centroid)
x_rand = tf.random_normal([], mean=x, stddev=tf.maximum(two, x - tf.sqrt(x)))
y_rand = tf.random_normal([], mean=y, stddev=tf.maximum(two, y - tf.sqrt(y)))
return tf.concat(0, [x_rand, y_rand])
def flip_around_center(tf, points, flip_type):
"""flip the points around their center"""
centroid = compute_centroid(tf, points)
flip_point = compute_flip_point(tf, centroid)
flipped_points = flip(tf, points, flipPoint, flip_type)
flipped_center = compute_centroid(tf, flipped_points)
offset = centroid - flipped_center
return flipped_points + offset
def create_shear_array(original_tensor, amount):
def set_shear(tf, shear_line, dim_called):
indices = [[1 - dim_called, 0]]
values = tf.reshape(amount, [1])
def f1():
shape = tf.shape(shear_line)
shape = tf.to_int64(shape)
delta = tf.SparseTensor(indices, values, shape)
dense_delta = tf.sparse_tensor_to_dense(delta)
combined_shear = denseDelta + shear_line
return combined_shear
return f1
return set_shear
def shear_around_center(tf, points, flip_type, amount):
"""shear the points around their center"""
centroid = compute_centroid(tf, points)
shear = tf.constant([[1.0, 0.0], [0.0, 1.0]])
shear = call_for_each_dimension(tf, shear, flip_type, create_shear_array(shear, amount))
shear = tf.Print(shear, [shear], 'resulting shear array')
result = tf.matmul(points, shear)
sheared_center = compute_centroid(tf, result)
offset = centroid - sheared_center
return result + offset
return offset
def create_min_func(tf, list, dim):
def f1():
return tf.reshape(tf.reduce_min(list), shape=[1, 1])
return f1
def create_max_func(tf, list, dim):
def f1():
return tf.reshape(tf.reduce_max(list), shape=[1, 1])
return f1
def compute_extremes(tf, points):
"""Returns extreme points
min list = extremes[0]
max list = extremes[1]
minxX = extremes[0][0]
maxY = extremes[1][1]"""
(x, y, both) = get_dimensions(tf)
min_values = call_for_each_dimension(tf, points, BOTH, create_min_func)
max_values = call_for_each_dimension(tf, points, BOTH, create_max_func)
return tf.concat(0, [minValues, maxValues]) |
# -*- coding: utf-8 -*-
qte = int(input())
lista = {}
for i in range(qte):
v = int(input())
if(v in lista):
lista[v] += 1
else:
lista[v] = 1
chaves = lista.keys()
chaves = sorted(chaves)
for k in chaves:
print("{} aparece {} vez(es)".format(k,lista[k])) | qte = int(input())
lista = {}
for i in range(qte):
v = int(input())
if v in lista:
lista[v] += 1
else:
lista[v] = 1
chaves = lista.keys()
chaves = sorted(chaves)
for k in chaves:
print('{} aparece {} vez(es)'.format(k, lista[k])) |
ES_HOST = 'localhost:9200'
ES_INDEX = 'pending-mrcoc'
ES_DOC_TYPE = 'cooccurence'
API_PREFIX = 'mrcoc'
API_VERSION = ''
| es_host = 'localhost:9200'
es_index = 'pending-mrcoc'
es_doc_type = 'cooccurence'
api_prefix = 'mrcoc'
api_version = '' |
DEBUG = True
SECRET_KEY = 'no'
SQLALCHEMY_DATABASE_URI = 'sqlite:///master.sqlite3'
CELERY_BROKER_URL = 'amqp://guest:guest@localhost:5672//'
GITHUB_CLIENT_ID = 'da79a6b5868e690ab984'
GITHUB_CLIENT_SECRET = '1701d3bd20bbb29012592fd3a9c64b827e0682d6'
ALLOWED_EXTENSIONS = set(['csv', 'tsv', 'ods', 'xls', 'xlsx', 'txt'])
| debug = True
secret_key = 'no'
sqlalchemy_database_uri = 'sqlite:///master.sqlite3'
celery_broker_url = 'amqp://guest:guest@localhost:5672//'
github_client_id = 'da79a6b5868e690ab984'
github_client_secret = '1701d3bd20bbb29012592fd3a9c64b827e0682d6'
allowed_extensions = set(['csv', 'tsv', 'ods', 'xls', 'xlsx', 'txt']) |
dict = {'a': 1, 'b': 2}
list = [1,2,3]
str = 'hh'
num = 123
num2 = 0.4
class Test:
def test(self):
print("gg")
t = Test()
print(type(dict))
print(type(list))
print(type(str))
print(type(num))
print(type(num2))
print(type(Test))
print(type(t))
| dict = {'a': 1, 'b': 2}
list = [1, 2, 3]
str = 'hh'
num = 123
num2 = 0.4
class Test:
def test(self):
print('gg')
t = test()
print(type(dict))
print(type(list))
print(type(str))
print(type(num))
print(type(num2))
print(type(Test))
print(type(t)) |
# -*- coding: utf-8 -*-
description = "Denex detector setup"
group = "optional"
includes = ["det_common"]
excludes = ["det2"]
tango_base = "tango://phys.maria.frm2:10000/maria/"
devices = dict(
detimg = device("nicos.devices.tango.ImageChannel",
description = "Denex detector image",
tangodevice = tango_base + "fastcomtec/detector",
fmtstr = "%d cts",
unit = "",
lowlevel = True,
),
det = device("nicos_mlz.maria.devices.detector.MariaDetector",
description = "Denex detector",
shutter = "shutter",
timers = ["timer"],
monitors = ["mon0", "mon1"],
images = ["detimg"],
counters = ["roi1", "roi2", "roi3", "roi4", "roi5", "roi6", "full"],
postprocess = [
("roi1", "detimg", "timer"),
("roi2", "detimg", "timer"),
("roi3", "detimg", "timer"),
("roi4", "detimg", "timer"),
("roi5", "detimg", "timer"),
("roi6", "detimg", "timer"),
("full", "detimg", "timer"),
],
liveinterval = 1.,
),
)
startupcode = "SetDetectors(det)"
| description = 'Denex detector setup'
group = 'optional'
includes = ['det_common']
excludes = ['det2']
tango_base = 'tango://phys.maria.frm2:10000/maria/'
devices = dict(detimg=device('nicos.devices.tango.ImageChannel', description='Denex detector image', tangodevice=tango_base + 'fastcomtec/detector', fmtstr='%d cts', unit='', lowlevel=True), det=device('nicos_mlz.maria.devices.detector.MariaDetector', description='Denex detector', shutter='shutter', timers=['timer'], monitors=['mon0', 'mon1'], images=['detimg'], counters=['roi1', 'roi2', 'roi3', 'roi4', 'roi5', 'roi6', 'full'], postprocess=[('roi1', 'detimg', 'timer'), ('roi2', 'detimg', 'timer'), ('roi3', 'detimg', 'timer'), ('roi4', 'detimg', 'timer'), ('roi5', 'detimg', 'timer'), ('roi6', 'detimg', 'timer'), ('full', 'detimg', 'timer')], liveinterval=1.0))
startupcode = 'SetDetectors(det)' |
"""
the only requirements of a CAPTCHA module is that it's generate function returns a tuple of (challenge, solution) strings
and that it takes one argument -- the modifiers (if there are any)
the challenge string should be a data URI
https://developer.mozilla.org/en-US/docs/Web/HTTP/Basics_of_HTTP/Data_URIs
prototypical implementation below:
"""
def generate(mod):
return ("data:,lol", "swej") | """
the only requirements of a CAPTCHA module is that it's generate function returns a tuple of (challenge, solution) strings
and that it takes one argument -- the modifiers (if there are any)
the challenge string should be a data URI
https://developer.mozilla.org/en-US/docs/Web/HTTP/Basics_of_HTTP/Data_URIs
prototypical implementation below:
"""
def generate(mod):
return ('data:,lol', 'swej') |
class Solution:
chars = [None, None, "abc", "def",
"ghi", "jkl", "mno",
"pqrs", "tuv", "wxyz"]
def letterCombinations(self, digits):
"""
:type digits: str
:rtype: List[str]
"""
if len(digits) == 0:
return []
if len(digits) == 1:
return list(self.chars[int(digits)])
cs, co = self.chars[int(digits[0])], self.letterCombinations(digits[1:])
return [x + y for x in cs for y in co]
if __name__ == '__main__':
print(Solution().letterCombinations("2"))
print(Solution().letterCombinations("234"))
| class Solution:
chars = [None, None, 'abc', 'def', 'ghi', 'jkl', 'mno', 'pqrs', 'tuv', 'wxyz']
def letter_combinations(self, digits):
"""
:type digits: str
:rtype: List[str]
"""
if len(digits) == 0:
return []
if len(digits) == 1:
return list(self.chars[int(digits)])
(cs, co) = (self.chars[int(digits[0])], self.letterCombinations(digits[1:]))
return [x + y for x in cs for y in co]
if __name__ == '__main__':
print(solution().letterCombinations('2'))
print(solution().letterCombinations('234')) |
n = int(input())
a = list(map(int, input().split(" ")))
a.sort()
for i in range(1, len(a)):
a[i] += a[i - 1]
print(sum(a))
| n = int(input())
a = list(map(int, input().split(' ')))
a.sort()
for i in range(1, len(a)):
a[i] += a[i - 1]
print(sum(a)) |
# arr[i] may be present at arr[i+1] or arr[i-1].
# TC: O(log(N)) | SC: O(1)
def search(nums, key):
start = 0
end = len(nums)-1
while start <= end:
mid = start+((end-start)//2)
if nums[mid] == key:
return mid
if mid < len(nums)-1 and nums[mid+1] == key:
return mid+1
if mid > 0 and nums[mid-1] == key:
return mid-1
if nums[mid] < key:
start = mid+2
else:
end = mid-2
return -1
if __name__ == '__main__':
arr = [10, 3, 40, 20, 50, 80, 70]
print(search(arr, 40))
print(search(arr, 10))
print(search(arr, 70))
print(search(arr, 90))
| def search(nums, key):
start = 0
end = len(nums) - 1
while start <= end:
mid = start + (end - start) // 2
if nums[mid] == key:
return mid
if mid < len(nums) - 1 and nums[mid + 1] == key:
return mid + 1
if mid > 0 and nums[mid - 1] == key:
return mid - 1
if nums[mid] < key:
start = mid + 2
else:
end = mid - 2
return -1
if __name__ == '__main__':
arr = [10, 3, 40, 20, 50, 80, 70]
print(search(arr, 40))
print(search(arr, 10))
print(search(arr, 70))
print(search(arr, 90)) |
expected_output = {
"version": {
"bootldr": "System Bootstrap, Version 17.5.2r, RELEASE SOFTWARE (P)",
"build_label": "BLD_POLARIS_DEV_LATEST_20210302_012043",
"chassis": "C9300-24P",
"chassis_sn": "FCW2223G0B9",
"compiled_by": "mcpre",
"compiled_date": "Tue 02-Mar-21 00:07",
"copyright_years": "1986-2021",
"location": "Bengaluru",
"curr_config_register": "0x102",
"disks": {
"crashinfo:.": {
"disk_size": "1638400",
"type_of_disk": "Crash Files"
},
"flash:.": {
"disk_size": "11264000",
"type_of_disk": "Flash"
}
},
"hostname": "ssr-cat9300",
"image_id": "CAT9K_IOSXE",
"image_type": "developer image",
"label": "[S2C-build-polaris_dev-BLD_POLARIS_DEV_LATEST_20210302_012043-/nobackup/mcpre/B 149]",
"last_reload_reason": "Reload Command",
"air_license_level": "AIR DNA Advantage",
"license_package": {
"dna-advantage": {
"license_level": "dna-advantage",
"license_type": "Subscription Smart License",
"next_reload_license_level": "dna-advantage"
},
"network-advantage": {
"license_level": "network-advantage",
"license_type": "Smart License",
"next_reload_license_level": "network-advantage"
}
},
"main_mem": "1333273",
"mem_size": {
"non-volatile configuration": "2048",
"physical": "8388608"
},
"next_reload_air_license_level": "AIR DNA Advantage",
"number_of_intfs": {
"Forty Gigabit Ethernet": "2",
"Gigabit Ethernet": "28",
"Ten Gigabit Ethernet": "8",
"TwentyFive Gigabit Ethernet": "2",
"Virtual Ethernet": "1"
},
"os": "IOS-XE",
"platform": "Catalyst L3 Switch",
"processor_type": "X86",
"returned_to_rom_by": "Reload Command",
"rom": "IOS-XE ROMMON",
"rtr_type": "C9300-24P",
"switch_num": {
"1": {
"active": True,
"mac_address": "00:b6:70:ff:06:5e",
"mb_assembly_num": "73-18271-03",
"mb_rev_num": "A0",
"mb_sn": "FOC22221AD2",
"mode": "BUNDLE",
"model": "C9300-24P",
"model_num": "C9300-24P",
"model_rev_num": "A0",
"ports": "41",
"sw_image": "CAT9K_IOSXE",
"sw_ver": "17.06.01",
"system_sn": "FCW2223G0B9",
"uptime": "20 minutes"
}
},
"system_image": "flash:cat9k_iosxe.BLD_POLARIS_DEV_LATEST_20210302_012043.SSA.bin",
"uptime": "19 minutes",
"uptime_this_cp": "20 minutes",
"version": "17.6.20210302:012459",
"version_short": "17.6",
"xe_version": "BLD_POLARIS_DEV_LATEST_20210302_012043"
}
}
| expected_output = {'version': {'bootldr': 'System Bootstrap, Version 17.5.2r, RELEASE SOFTWARE (P)', 'build_label': 'BLD_POLARIS_DEV_LATEST_20210302_012043', 'chassis': 'C9300-24P', 'chassis_sn': 'FCW2223G0B9', 'compiled_by': 'mcpre', 'compiled_date': 'Tue 02-Mar-21 00:07', 'copyright_years': '1986-2021', 'location': 'Bengaluru', 'curr_config_register': '0x102', 'disks': {'crashinfo:.': {'disk_size': '1638400', 'type_of_disk': 'Crash Files'}, 'flash:.': {'disk_size': '11264000', 'type_of_disk': 'Flash'}}, 'hostname': 'ssr-cat9300', 'image_id': 'CAT9K_IOSXE', 'image_type': 'developer image', 'label': '[S2C-build-polaris_dev-BLD_POLARIS_DEV_LATEST_20210302_012043-/nobackup/mcpre/B 149]', 'last_reload_reason': 'Reload Command', 'air_license_level': 'AIR DNA Advantage', 'license_package': {'dna-advantage': {'license_level': 'dna-advantage', 'license_type': 'Subscription Smart License', 'next_reload_license_level': 'dna-advantage'}, 'network-advantage': {'license_level': 'network-advantage', 'license_type': 'Smart License', 'next_reload_license_level': 'network-advantage'}}, 'main_mem': '1333273', 'mem_size': {'non-volatile configuration': '2048', 'physical': '8388608'}, 'next_reload_air_license_level': 'AIR DNA Advantage', 'number_of_intfs': {'Forty Gigabit Ethernet': '2', 'Gigabit Ethernet': '28', 'Ten Gigabit Ethernet': '8', 'TwentyFive Gigabit Ethernet': '2', 'Virtual Ethernet': '1'}, 'os': 'IOS-XE', 'platform': 'Catalyst L3 Switch', 'processor_type': 'X86', 'returned_to_rom_by': 'Reload Command', 'rom': 'IOS-XE ROMMON', 'rtr_type': 'C9300-24P', 'switch_num': {'1': {'active': True, 'mac_address': '00:b6:70:ff:06:5e', 'mb_assembly_num': '73-18271-03', 'mb_rev_num': 'A0', 'mb_sn': 'FOC22221AD2', 'mode': 'BUNDLE', 'model': 'C9300-24P', 'model_num': 'C9300-24P', 'model_rev_num': 'A0', 'ports': '41', 'sw_image': 'CAT9K_IOSXE', 'sw_ver': '17.06.01', 'system_sn': 'FCW2223G0B9', 'uptime': '20 minutes'}}, 'system_image': 'flash:cat9k_iosxe.BLD_POLARIS_DEV_LATEST_20210302_012043.SSA.bin', 'uptime': '19 minutes', 'uptime_this_cp': '20 minutes', 'version': '17.6.20210302:012459', 'version_short': '17.6', 'xe_version': 'BLD_POLARIS_DEV_LATEST_20210302_012043'}} |
user_number = input("Please enter your digit : ")
total = 0
for i in range(1, 5):
number = user_number * i
total = total + int(number)
print(total) | user_number = input('Please enter your digit : ')
total = 0
for i in range(1, 5):
number = user_number * i
total = total + int(number)
print(total) |
primary_separator = '\n'
secondary_separator = ','
default_filename_classification = 'tests/test_classification.data'
dafault_filename_regression = 'tests/test_regression.data'
def load_data(data, isfile=True):
if isfile:
with open(data) as data_file:
data_set = data_file.read()
else:
data_set = data
data_set = data_set.split(primary_separator)
data_set = [x.split(secondary_separator) for x in data_set]
features = [[float(x) for x in [*y[:-1]]] for y in data_set]
labels = [float(x[-1]) for x in data_set]
return features, labels
| primary_separator = '\n'
secondary_separator = ','
default_filename_classification = 'tests/test_classification.data'
dafault_filename_regression = 'tests/test_regression.data'
def load_data(data, isfile=True):
if isfile:
with open(data) as data_file:
data_set = data_file.read()
else:
data_set = data
data_set = data_set.split(primary_separator)
data_set = [x.split(secondary_separator) for x in data_set]
features = [[float(x) for x in [*y[:-1]]] for y in data_set]
labels = [float(x[-1]) for x in data_set]
return (features, labels) |
def getColors(color):
colors=set()
if color not in inverseRules.keys():
return colors
for c in inverseRules[color]:
colors.add(c)
colors.update(getColors(c))
return(colors)
with open('day7/input.txt') as f:
rules=dict([l.split(' contain') for l in f.read().replace(' bags', '').replace(' bag', '').replace('.', '').replace(' no other', '0 ').splitlines()])
for key in rules:
rules[key]=[d[2:].strip() for d in rules[key].split(', ')]
inverseRules=dict() #key is contained directly by value
for key in rules:
for color in rules[key]:
if color not in inverseRules.keys():
inverseRules[color]=[key]
else:
inverseRules[color].append(key)
print(len(getColors('shiny gold'))) | def get_colors(color):
colors = set()
if color not in inverseRules.keys():
return colors
for c in inverseRules[color]:
colors.add(c)
colors.update(get_colors(c))
return colors
with open('day7/input.txt') as f:
rules = dict([l.split(' contain') for l in f.read().replace(' bags', '').replace(' bag', '').replace('.', '').replace(' no other', '0 ').splitlines()])
for key in rules:
rules[key] = [d[2:].strip() for d in rules[key].split(', ')]
inverse_rules = dict()
for key in rules:
for color in rules[key]:
if color not in inverseRules.keys():
inverseRules[color] = [key]
else:
inverseRules[color].append(key)
print(len(get_colors('shiny gold'))) |
# fig06_01.py
"""Using a dictionary to represent an instructor's grade book."""
grade_book = {
'Susan' : [92,85,100],
'Eduardo' : [83,95,79],
'Azizi': [91,89,82],
'Pantipa': [97,91,92]
}
all_grades_total = 0
all_grades_count = 0
for name, grades in grade_book.items():
total = sum(grades)
print(f'Average for {name} is {total/len(grades):.2f}')
all_grades_total += total
all_grades_count += len(grades)
print(f"Class's average is: {all_grades_total/all_grades_count:.2f}")
| """Using a dictionary to represent an instructor's grade book."""
grade_book = {'Susan': [92, 85, 100], 'Eduardo': [83, 95, 79], 'Azizi': [91, 89, 82], 'Pantipa': [97, 91, 92]}
all_grades_total = 0
all_grades_count = 0
for (name, grades) in grade_book.items():
total = sum(grades)
print(f'Average for {name} is {total / len(grades):.2f}')
all_grades_total += total
all_grades_count += len(grades)
print(f"Class's average is: {all_grades_total / all_grades_count:.2f}") |
#
# PySNMP MIB module OMNI-gx2Dm200-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/OMNI-gx2Dm200-MIB
# Produced by pysmi-0.3.4 at Wed May 1 14:33:11 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")
SingleValueConstraint, ValueSizeConstraint, ValueRangeConstraint, ConstraintsIntersection, ConstraintsUnion = mibBuilder.importSymbols("ASN1-REFINEMENT", "SingleValueConstraint", "ValueSizeConstraint", "ValueRangeConstraint", "ConstraintsIntersection", "ConstraintsUnion")
gx2Dm200, = mibBuilder.importSymbols("GX2HFC-MIB", "gx2Dm200")
trapChangedObjectId, trapNETrapLastTrapTimeStamp, trapNetworkElemSerialNum, trapNetworkElemModelNumber, trapNetworkElemAdminState, trapNetworkElemAlarmStatus, trapPerceivedSeverity, trapNetworkElemAvailStatus, trapChangedValueDisplayString, trapChangedValueInteger, trapIdentifier, trapText, trapNetworkElemOperState = mibBuilder.importSymbols("NLSBBN-TRAPS-MIB", "trapChangedObjectId", "trapNETrapLastTrapTimeStamp", "trapNetworkElemSerialNum", "trapNetworkElemModelNumber", "trapNetworkElemAdminState", "trapNetworkElemAlarmStatus", "trapPerceivedSeverity", "trapNetworkElemAvailStatus", "trapChangedValueDisplayString", "trapChangedValueInteger", "trapIdentifier", "trapText", "trapNetworkElemOperState")
NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance")
NotificationType, iso, ObjectIdentity, IpAddress, Integer32, Unsigned32, Gauge32, ModuleIdentity, NotificationType, MibScalar, MibTable, MibTableRow, MibTableColumn, Counter32, Bits, MibIdentifier, Counter64, TimeTicks = mibBuilder.importSymbols("SNMPv2-SMI", "NotificationType", "iso", "ObjectIdentity", "IpAddress", "Integer32", "Unsigned32", "Gauge32", "ModuleIdentity", "NotificationType", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Counter32", "Bits", "MibIdentifier", "Counter64", "TimeTicks")
TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString")
class Float(Counter32):
pass
gx2Dm200Descriptor = MibIdentifier((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 1))
gx2Dm200AnalogTable = MibTable((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2), )
if mibBuilder.loadTexts: gx2Dm200AnalogTable.setStatus('mandatory')
if mibBuilder.loadTexts: gx2Dm200AnalogTable.setDescription('This table contains gx2Dm200 specific parameters with nominal and current values.')
gx2Dm200AnalogEntry = MibTableRow((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1), ).setIndexNames((0, "OMNI-gx2Dm200-MIB", "gx2Dm200AnalogTableIndex"))
if mibBuilder.loadTexts: gx2Dm200AnalogEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gx2Dm200AnalogEntry.setDescription('This list contains the analog parameters and descriptions.')
gx2Dm200DigitalTable = MibTable((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3), )
if mibBuilder.loadTexts: gx2Dm200DigitalTable.setStatus('mandatory')
if mibBuilder.loadTexts: gx2Dm200DigitalTable.setDescription('This table contains gx2Dm200m specific parameters with nominal and current values.')
gx2Dm200DigitalEntry = MibTableRow((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2), ).setIndexNames((0, "OMNI-gx2Dm200-MIB", "gx2Dm200DigitalTableIndex"))
if mibBuilder.loadTexts: gx2Dm200DigitalEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gx2Dm200DigitalEntry.setDescription('This list contains digital parameters and descriptions.')
gx2Dm200StatusTable = MibTable((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4), )
if mibBuilder.loadTexts: gx2Dm200StatusTable.setStatus('mandatory')
if mibBuilder.loadTexts: gx2Dm200StatusTable.setDescription('This table contains gx2Dm200 specific parameters with nominal and current values.')
gx2Dm200StatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3), ).setIndexNames((0, "OMNI-gx2Dm200-MIB", "gx2Dm200StatusTableIndex"))
if mibBuilder.loadTexts: gx2Dm200StatusEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gx2Dm200StatusEntry.setDescription('This list contains Status parameters and descriptions.')
gx2Dm200FactoryTable = MibTable((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5), )
if mibBuilder.loadTexts: gx2Dm200FactoryTable.setStatus('mandatory')
if mibBuilder.loadTexts: gx2Dm200FactoryTable.setDescription('This table contains gx2Dm200 specific parameters with nominal and current values.')
gx2Dm200FactoryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4), ).setIndexNames((0, "OMNI-gx2Dm200-MIB", "gx2Dm200FactoryTableIndex"))
if mibBuilder.loadTexts: gx2Dm200FactoryEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gx2Dm200FactoryEntry.setDescription('This list contains Factory parameters and descriptions.')
gx2Dm200AnalogTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gx2Dm200AnalogTableIndex.setStatus('mandatory')
if mibBuilder.loadTexts: gx2Dm200AnalogTableIndex.setDescription('The value of this object identifies the network element. This index is equal to the hfcCommonTableIndex for the same element.')
dm200labelOffsetNomMonitor = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200labelOffsetNomMonitor.setStatus('optional')
if mibBuilder.loadTexts: dm200labelOffsetNomMonitor.setDescription('The value of this object provides the label of the Offset Monitor Analog parameter.')
dm200uomOffsetNomMonitor = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200uomOffsetNomMonitor.setStatus('optional')
if mibBuilder.loadTexts: dm200uomOffsetNomMonitor.setDescription('The value of this object provides the Unit of Measure of the Offset Monitor Analog parameter. The unit of measure for this parameter is dB')
dm200majorHighOffsetNomMonitor = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 4), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200majorHighOffsetNomMonitor.setStatus('obsolete')
if mibBuilder.loadTexts: dm200majorHighOffsetNomMonitor.setDescription('The value of this object provides the Major High alarm value of the Offset Monitor Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.')
dm200majorLowOffsetNomMonitor = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 5), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200majorLowOffsetNomMonitor.setStatus('obsolete')
if mibBuilder.loadTexts: dm200majorLowOffsetNomMonitor.setDescription('The value of this object provides the Major Low alarm value of the Offset Monitor Power Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.')
dm200minorHighOffsetNomMonitor = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 6), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200minorHighOffsetNomMonitor.setStatus('obsolete')
if mibBuilder.loadTexts: dm200minorHighOffsetNomMonitor.setDescription('The value of this object provides the Minor High alarm value of the Offset Monitor Power Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.')
dm200minorLowOffsetNomMonitor = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 7), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200minorLowOffsetNomMonitor.setStatus('obsolete')
if mibBuilder.loadTexts: dm200minorLowOffsetNomMonitor.setDescription('The value of this object provides the Minor Low alarm value of the Offset Monitor Power Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.')
dm200currentValueOffsetNomMonitor = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 8), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200currentValueOffsetNomMonitor.setStatus('mandatory')
if mibBuilder.loadTexts: dm200currentValueOffsetNomMonitor.setDescription('The value of this object provides the Current value of the Offset Monitor Power Analog parameter.')
dm200stateFlagOffsetNomMonitor = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200stateFlagOffsetNomMonitor.setStatus('mandatory')
if mibBuilder.loadTexts: dm200stateFlagOffsetNomMonitor.setDescription('The value of this object provides the state of the Offset Monitor Power Analog parameter. (1-hidden 2-read-only, 3-updateable).')
dm200minValueOffsetNomMonitor = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 10), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200minValueOffsetNomMonitor.setStatus('mandatory')
if mibBuilder.loadTexts: dm200minValueOffsetNomMonitor.setDescription('The value of this object provides the minimum value the Offset Monitor Power Analog parameter can achive.')
dm200maxValueOffsetNomMonitor = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 11), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200maxValueOffsetNomMonitor.setStatus('mandatory')
if mibBuilder.loadTexts: dm200maxValueOffsetNomMonitor.setDescription('The value of this object provides the maximum value the Offset Monitor Power Analog parameter can achive.')
dm200alarmStateOffsetNomMonitor = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("noAlarm", 1), ("majorLowAlarm", 2), ("minorLowAlarm", 3), ("minorHighAlarm", 4), ("majorHighAlarm", 5), ("informational", 6)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200alarmStateOffsetNomMonitor.setStatus('mandatory')
if mibBuilder.loadTexts: dm200alarmStateOffsetNomMonitor.setDescription('The value of this object provides the curent alarm state of the Offset Monitor Power Analog parameter.')
dm200labelAttenSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 13), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200labelAttenSetting.setStatus('optional')
if mibBuilder.loadTexts: dm200labelAttenSetting.setDescription('The value of this object provides the label of the Attenuator Setting Current Analog parameter.')
dm200uomAttenSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 14), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200uomAttenSetting.setStatus('optional')
if mibBuilder.loadTexts: dm200uomAttenSetting.setDescription('The value of this object provides the Unit of Measure of the Attenuator Setting Analog parameter. The unit of measure for this parameter is dB')
dm200majorHighAttenSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 15), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200majorHighAttenSetting.setStatus('obsolete')
if mibBuilder.loadTexts: dm200majorHighAttenSetting.setDescription('The value of this object provides the Major High alarm value of the Attenuator Setting Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.')
dm200majorLowAttenSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 16), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200majorLowAttenSetting.setStatus('obsolete')
if mibBuilder.loadTexts: dm200majorLowAttenSetting.setDescription('The value of this object provides the Major Low alarm value of the Attenuator Setting Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.')
dm200minorHighAttenSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 17), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200minorHighAttenSetting.setStatus('obsolete')
if mibBuilder.loadTexts: dm200minorHighAttenSetting.setDescription('The value of this object provides the Minor High alarm value of the Attenuator Setting Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.')
dm200minorLowAttenSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 18), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200minorLowAttenSetting.setStatus('obsolete')
if mibBuilder.loadTexts: dm200minorLowAttenSetting.setDescription('The value of this object provides the Minor Low alarm value of the Attenuator Setting Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.')
dm200currentValueAttenSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 19), Float()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dm200currentValueAttenSetting.setStatus('mandatory')
if mibBuilder.loadTexts: dm200currentValueAttenSetting.setDescription('The value of this object provides the Current value of the Attenuator Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.')
dm200stateFlagAttenSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200stateFlagAttenSetting.setStatus('mandatory')
if mibBuilder.loadTexts: dm200stateFlagAttenSetting.setDescription('The value of this object provides the state of the Attenuator Setting Analog parameter. (1-hidden 2-read-only, 3-updateable).')
dm200minValueAttenSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 21), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200minValueAttenSetting.setStatus('mandatory')
if mibBuilder.loadTexts: dm200minValueAttenSetting.setDescription('The value of this object provides the minimum value the Attenuator Setting Analog parameter can achive. This value is a floating point number that is represented as an IEEE 32 bit number.')
dm200maxValueAttenSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 22), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200maxValueAttenSetting.setStatus('mandatory')
if mibBuilder.loadTexts: dm200maxValueAttenSetting.setDescription('The value of this object provides the maximum value the Attenuator Setting Analog parameter can achive. This value is a floating point number that is represented as an IEEE 32 bit number.')
dm200alarmStateAttenSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 23), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("noAlarm", 1), ("majorLowAlarm", 2), ("minorLowAlarm", 3), ("minorHighAlarm", 4), ("majorHighAlarm", 5), ("informational", 6)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200alarmStateAttenSetting.setStatus('mandatory')
if mibBuilder.loadTexts: dm200alarmStateAttenSetting.setDescription('The value of this object provides the curent alarm state of the Attenuator Setting Analog parameter.')
dm200labelLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 24), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200labelLaserPower.setStatus('optional')
if mibBuilder.loadTexts: dm200labelLaserPower.setDescription('The value of this object provides the label of the Laser Optical Power Analog parameter.')
dm200uomLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 25), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200uomLaserPower.setStatus('optional')
if mibBuilder.loadTexts: dm200uomLaserPower.setDescription('The value of this object provides the Unit of Measure of the Laser Optical Power Analog parameter. The unit of measure for this parameter is dBm')
dm200majorHighLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 26), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200majorHighLaserPower.setStatus('mandatory')
if mibBuilder.loadTexts: dm200majorHighLaserPower.setDescription('The value of this object provides the Major High alarm value of the Laser Optical Power Analog parameter.')
dm200majorLowLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 27), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200majorLowLaserPower.setStatus('mandatory')
if mibBuilder.loadTexts: dm200majorLowLaserPower.setDescription('The value of this object provides the Major Low alarm value of the Laser Optical Power Analog parameter.')
dm200minorHighLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 28), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200minorHighLaserPower.setStatus('obsolete')
if mibBuilder.loadTexts: dm200minorHighLaserPower.setDescription('The value of this object provides the Minor High alarm value of the Laser Optical Power Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.')
dm200minorLowLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 29), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200minorLowLaserPower.setStatus('obsolete')
if mibBuilder.loadTexts: dm200minorLowLaserPower.setDescription('The value of this object provides the Minor Low alarm value of the Laser Optical Power Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.')
dm200currentValueLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 30), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200currentValueLaserPower.setStatus('mandatory')
if mibBuilder.loadTexts: dm200currentValueLaserPower.setDescription('The value of this object provides the Current value of the Laser Optical Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.')
dm200stateFlagLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 31), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200stateFlagLaserPower.setStatus('mandatory')
if mibBuilder.loadTexts: dm200stateFlagLaserPower.setDescription('The value of this object provides the state of the Laser Optical Power Analog parameter. (1-hidden 2-read-only, 3-updateable).')
dm200minValueLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 32), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200minValueLaserPower.setStatus('mandatory')
if mibBuilder.loadTexts: dm200minValueLaserPower.setDescription('The value of this object provides the minimum value the Laser Optical Power Analog parameter can achive.')
dm200maxValueLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 33), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200maxValueLaserPower.setStatus('mandatory')
if mibBuilder.loadTexts: dm200maxValueLaserPower.setDescription('The value of this object provides the maximum value the Laser Optical Power Analog parameter can achive.')
dm200alarmStateLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 34), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("noAlarm", 1), ("majorLowAlarm", 2), ("minorLowAlarm", 3), ("minorHighAlarm", 4), ("majorHighAlarm", 5), ("informational", 6)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200alarmStateLaserPower.setStatus('mandatory')
if mibBuilder.loadTexts: dm200alarmStateLaserPower.setDescription('The value of this object provides the curent alarm state of the Laser Optical Power Analog parameter.')
dm200labelLaserTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 35), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200labelLaserTemp.setStatus('optional')
if mibBuilder.loadTexts: dm200labelLaserTemp.setDescription('The value of this object provides the label of the Laser Temperature Analog parameter.')
dm200uomLaserTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 36), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200uomLaserTemp.setStatus('optional')
if mibBuilder.loadTexts: dm200uomLaserTemp.setDescription('The value of this object provides the Unit of Measure of the Laser Temperature Analog parameter. The unit of measure for this parameter is degrees C')
dm200majorHighLaserTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 37), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200majorHighLaserTemp.setStatus('mandatory')
if mibBuilder.loadTexts: dm200majorHighLaserTemp.setDescription('The value of this object provides the Major High alarm value of the Laser Temperature Analog parameter.')
dm200majorLowLaserTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 38), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200majorLowLaserTemp.setStatus('mandatory')
if mibBuilder.loadTexts: dm200majorLowLaserTemp.setDescription('The value of this object provides the Major Low alarm value of the Laser Temperature Analog parameter.')
dm200minorHighLaserTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 39), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200minorHighLaserTemp.setStatus('obsolete')
if mibBuilder.loadTexts: dm200minorHighLaserTemp.setDescription('The value of this object provides the Minor High alarm value of the Laser Temperature Analog parameter.')
dm200minorLowLaserTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 40), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200minorLowLaserTemp.setStatus('obsolete')
if mibBuilder.loadTexts: dm200minorLowLaserTemp.setDescription('The value of this object provides the Minor Low alarm value of the Laser Temperature Analog parameter.')
dm200currentValueLaserTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 41), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200currentValueLaserTemp.setStatus('mandatory')
if mibBuilder.loadTexts: dm200currentValueLaserTemp.setDescription('The value of this object provides the Current value of the Laser Temperature Analog parameter.')
dm200stateFlagLaserTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 42), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200stateFlagLaserTemp.setStatus('mandatory')
if mibBuilder.loadTexts: dm200stateFlagLaserTemp.setDescription('The value of this object provides the state of the Laser Temperature Analog parameter. (1-hidden 2-read-only, 3-updateable).')
dm200minValueLaserTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 43), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200minValueLaserTemp.setStatus('mandatory')
if mibBuilder.loadTexts: dm200minValueLaserTemp.setDescription('The value of this object provides the minimum value the Laser Temperature Analog parameter can achive.')
dm200maxValueLaserTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 44), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200maxValueLaserTemp.setStatus('mandatory')
if mibBuilder.loadTexts: dm200maxValueLaserTemp.setDescription('The value of this object provides the maximum value the Laser Temperature Analog parameter can achive.')
dm200alarmStateLaserTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 45), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("noAlarm", 1), ("majorLowAlarm", 2), ("minorLowAlarm", 3), ("minorHighAlarm", 4), ("majorHighAlarm", 5), ("informational", 6)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200alarmStateLaserTemp.setStatus('mandatory')
if mibBuilder.loadTexts: dm200alarmStateLaserTemp.setDescription('The value of this object provides the curent alarm state of the Laser Temperature Analog parameter.')
dm200labelLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 46), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200labelLaserCurrent.setStatus('optional')
if mibBuilder.loadTexts: dm200labelLaserCurrent.setDescription('The value of this object provides the label of the Laser Bias Current Analog parameter.')
dm200uomLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 47), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200uomLaserCurrent.setStatus('optional')
if mibBuilder.loadTexts: dm200uomLaserCurrent.setDescription('The value of this object provides the Unit of Measure of the Laser Bias Current Analog parameter. The unit of measure for this parameter is mA')
dm200majorHighLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 48), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200majorHighLaserCurrent.setStatus('mandatory')
if mibBuilder.loadTexts: dm200majorHighLaserCurrent.setDescription('The value of this object provides the Major High alarm value of the Laser Bias Current Analog parameter.')
dm200majorLowLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 49), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200majorLowLaserCurrent.setStatus('mandatory')
if mibBuilder.loadTexts: dm200majorLowLaserCurrent.setDescription('The value of this object provides the Major Low alarm value of the Laser Bias Current Analog parameter.')
dm200minorHighLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 50), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200minorHighLaserCurrent.setStatus('obsolete')
if mibBuilder.loadTexts: dm200minorHighLaserCurrent.setDescription('The value of this object provides the Minor High alarm value of the Laser Bias Current Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.')
dm200minorLowLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 51), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200minorLowLaserCurrent.setStatus('obsolete')
if mibBuilder.loadTexts: dm200minorLowLaserCurrent.setDescription('The value of this object provides the Minor Low alarm value of the Laser Bias Current Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.')
dm200currentValueLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 52), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200currentValueLaserCurrent.setStatus('mandatory')
if mibBuilder.loadTexts: dm200currentValueLaserCurrent.setDescription('The value of this object provides the Current value of the Laser Bias Current Analog parameter.')
dm200stateFlagLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 53), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200stateFlagLaserCurrent.setStatus('mandatory')
if mibBuilder.loadTexts: dm200stateFlagLaserCurrent.setDescription('The value of this object provides the state of the Laser Bias Current Analog parameter. (1-hidden 2-read-only, 3-updateable).')
dm200minValueLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 54), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200minValueLaserCurrent.setStatus('mandatory')
if mibBuilder.loadTexts: dm200minValueLaserCurrent.setDescription('The value of this object provides the minimum value the Laser Bias Current Analog parameter can achive.')
dm200maxValueLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 55), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200maxValueLaserCurrent.setStatus('mandatory')
if mibBuilder.loadTexts: dm200maxValueLaserCurrent.setDescription('The value of this object provides the maximum value the Laser Bias Current Analog parameter can achive.')
dm200alarmStateLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 56), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("noAlarm", 1), ("majorLowAlarm", 2), ("minorLowAlarm", 3), ("minorHighAlarm", 4), ("majorHighAlarm", 5), ("informational", 6)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200alarmStateLaserCurrent.setStatus('mandatory')
if mibBuilder.loadTexts: dm200alarmStateLaserCurrent.setDescription('The value of this object provides the curent alarm state of the Laser Bias Current Analog parameter.')
dm200labelTecCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 57), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200labelTecCurrent.setStatus('optional')
if mibBuilder.loadTexts: dm200labelTecCurrent.setDescription('The value of this object provides the label of the TEC Current Analog parameter.')
dm200uomTecCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 58), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200uomTecCurrent.setStatus('optional')
if mibBuilder.loadTexts: dm200uomTecCurrent.setDescription('The value of this object provides the Unit of Measure of the TEC Current Analog parameter. The unit of measure for this parameter is mA')
dm200majorHighTecCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 59), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200majorHighTecCurrent.setStatus('mandatory')
if mibBuilder.loadTexts: dm200majorHighTecCurrent.setDescription('The value of this object provides the Major High alarm value of the TEC Current Analog parameter.')
dm200majorLowTecCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 60), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200majorLowTecCurrent.setStatus('mandatory')
if mibBuilder.loadTexts: dm200majorLowTecCurrent.setDescription('The value of this object provides the Major Low alarm value of the TEC Current Analog parameter.')
dm200minorHighTecCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 61), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200minorHighTecCurrent.setStatus('obsolete')
if mibBuilder.loadTexts: dm200minorHighTecCurrent.setDescription('The value of this object provides the Minor High alarm value of the TEC Current Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.')
dm200minorLowTecCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 62), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200minorLowTecCurrent.setStatus('obsolete')
if mibBuilder.loadTexts: dm200minorLowTecCurrent.setDescription('The value of this object provides the Minor Low alarm value of the TEC Current Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.')
dm200currentValueTecCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 63), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200currentValueTecCurrent.setStatus('mandatory')
if mibBuilder.loadTexts: dm200currentValueTecCurrent.setDescription('The value of this object provides the Current value of the TEC Current Analog parameter.')
dm200stateFlagTecCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 64), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200stateFlagTecCurrent.setStatus('mandatory')
if mibBuilder.loadTexts: dm200stateFlagTecCurrent.setDescription('The value of this object provides the state of the TEC Current Analog parameter. (1-hidden 2-read-only, 3-updateable).')
dm200minValueTecCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 65), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200minValueTecCurrent.setStatus('mandatory')
if mibBuilder.loadTexts: dm200minValueTecCurrent.setDescription('The value of this object provides the minimum value the TEC Current Analog parameter can achive.')
dm200maxValueTecCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 66), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200maxValueTecCurrent.setStatus('mandatory')
if mibBuilder.loadTexts: dm200maxValueTecCurrent.setDescription('The value of this object provides the maximum value the TEC Current Analog parameter can achive.')
dm200alarmStateTecCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 67), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("noAlarm", 1), ("majorLowAlarm", 2), ("minorLowAlarm", 3), ("minorHighAlarm", 4), ("majorHighAlarm", 5), ("informational", 6)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200alarmStateTecCurrent.setStatus('mandatory')
if mibBuilder.loadTexts: dm200alarmStateTecCurrent.setDescription('The value of this object provides the curent alarm state of the TEC Current Analog parameter.')
dm200labelModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 68), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200labelModTemp.setStatus('optional')
if mibBuilder.loadTexts: dm200labelModTemp.setDescription('The value of this object provides the label of the Module Temperature Analog parameter.')
dm200uomModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 69), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200uomModTemp.setStatus('optional')
if mibBuilder.loadTexts: dm200uomModTemp.setDescription('The value of this object provides the Unit of Measure of the Module Temperature Analog parameter. The unit of measure for this parameter is degrees C')
dm200majorHighModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 70), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200majorHighModTemp.setStatus('mandatory')
if mibBuilder.loadTexts: dm200majorHighModTemp.setDescription('The value of this object provides the Major High alarm value of the Module Temperature Analog parameter.')
dm200majorLowModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 71), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200majorLowModTemp.setStatus('mandatory')
if mibBuilder.loadTexts: dm200majorLowModTemp.setDescription('The value of this object provides the Major Low alarm value of the Module Temperature Analog parameter.')
dm200minorHighModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 72), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200minorHighModTemp.setStatus('mandatory')
if mibBuilder.loadTexts: dm200minorHighModTemp.setDescription('The value of this object provides the Minor High alarm value of the Module Temperature Analog parameter.')
dm200minorLowModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 73), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200minorLowModTemp.setStatus('mandatory')
if mibBuilder.loadTexts: dm200minorLowModTemp.setDescription('The value of this object provides the Minor Low alarm value of the Module Temperature Analog parameter.')
dm200currentValueModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 74), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200currentValueModTemp.setStatus('mandatory')
if mibBuilder.loadTexts: dm200currentValueModTemp.setDescription('The value of this object provides the Current value of the Module Temperature Analog parameter.')
dm200stateFlagModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 75), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200stateFlagModTemp.setStatus('mandatory')
if mibBuilder.loadTexts: dm200stateFlagModTemp.setDescription('The value of this object provides the state of the Module Temperature Analog parameter. (1-hidden 2-read-only, 3-updateable).')
dm200minValueModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 76), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200minValueModTemp.setStatus('mandatory')
if mibBuilder.loadTexts: dm200minValueModTemp.setDescription('The value of this object provides the minimum value the Module Temperature Analog parameter can achive.')
dm200maxValueModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 77), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200maxValueModTemp.setStatus('mandatory')
if mibBuilder.loadTexts: dm200maxValueModTemp.setDescription('The value of this object provides the maximum value the Module Temperature Analog parameter can achive.')
dm200alarmStateModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 78), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("noAlarm", 1), ("majorLowAlarm", 2), ("minorLowAlarm", 3), ("minorHighAlarm", 4), ("majorHighAlarm", 5), ("informational", 6)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200alarmStateModTemp.setStatus('mandatory')
if mibBuilder.loadTexts: dm200alarmStateModTemp.setDescription('The value of this object provides the curent alarm state of the Module Temperature Analog parameter.')
dm200labelFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 79), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200labelFanCurrent.setStatus('optional')
if mibBuilder.loadTexts: dm200labelFanCurrent.setDescription('The value of this object provides the label of the Fan Current Analog parameter.')
dm200uomFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 80), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200uomFanCurrent.setStatus('optional')
if mibBuilder.loadTexts: dm200uomFanCurrent.setDescription('The value of this object provides the Unit of Measure of the Fan Current Analog parameter. The unit of measure for this parameter is mA')
dm200majorHighFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 81), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200majorHighFanCurrent.setStatus('mandatory')
if mibBuilder.loadTexts: dm200majorHighFanCurrent.setDescription('The value of this object provides the Major High alarm value of the Fan Current Analog parameter.')
dm200majorLowFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 82), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200majorLowFanCurrent.setStatus('mandatory')
if mibBuilder.loadTexts: dm200majorLowFanCurrent.setDescription('The value of this object provides the Major Low alarm value of the Fan Current Analog parameter.')
dm200minorHighFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 83), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200minorHighFanCurrent.setStatus('obsolete')
if mibBuilder.loadTexts: dm200minorHighFanCurrent.setDescription('The value of this object provides the Minor High alarm value of the Fan Current Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.')
dm200minorLowFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 84), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200minorLowFanCurrent.setStatus('obsolete')
if mibBuilder.loadTexts: dm200minorLowFanCurrent.setDescription('The value of this object provides the Minor Low alarm value of the Fan Current Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.')
dm200currentValueFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 85), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200currentValueFanCurrent.setStatus('mandatory')
if mibBuilder.loadTexts: dm200currentValueFanCurrent.setDescription('The value of this object provides the Current value of the Fan Current Analog parameter.')
dm200stateFlagFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 86), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200stateFlagFanCurrent.setStatus('mandatory')
if mibBuilder.loadTexts: dm200stateFlagFanCurrent.setDescription('The value of this object provides the state of the Fan Current Analog parameter. (1-hidden 2-read-only, 3-updateable).')
dm200minValueFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 87), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200minValueFanCurrent.setStatus('mandatory')
if mibBuilder.loadTexts: dm200minValueFanCurrent.setDescription('The value of this object provides the minimum value the Fan Current Analog parameter can achive.')
dm200maxValueFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 88), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200maxValueFanCurrent.setStatus('mandatory')
if mibBuilder.loadTexts: dm200maxValueFanCurrent.setDescription('The value of this object provides the maximum value the Fan Current Analog parameter can achive.')
dm200alarmStateFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 89), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("noAlarm", 1), ("majorLowAlarm", 2), ("minorLowAlarm", 3), ("minorHighAlarm", 4), ("majorHighAlarm", 5), ("informational", 6)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200alarmStateFanCurrent.setStatus('mandatory')
if mibBuilder.loadTexts: dm200alarmStateFanCurrent.setDescription('The value of this object provides the curent alarm state of the Fan Current Analog parameter.')
gx2Dm200DigitalTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gx2Dm200DigitalTableIndex.setStatus('mandatory')
if mibBuilder.loadTexts: gx2Dm200DigitalTableIndex.setDescription('The value of this object identifies the network element. This index is equal to the hfcCommonTableIndex for the same element.')
dm200labelRfInput = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200labelRfInput.setStatus('optional')
if mibBuilder.loadTexts: dm200labelRfInput.setDescription('The value of this object provides the label of the RF Input Control Digital parameter.')
dm200enumRfInput = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200enumRfInput.setStatus('optional')
if mibBuilder.loadTexts: dm200enumRfInput.setDescription('The value of this object represents the Enumeration values possible for the Digital parameter. Each Enumerated values is separated by a common. The first value has a enumerated value of 1.')
dm200valueRfInput = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("off", 1), ("on", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dm200valueRfInput.setStatus('mandatory')
if mibBuilder.loadTexts: dm200valueRfInput.setDescription('The value of this object is the current value of the parameter.')
dm200stateflagRfInput = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200stateflagRfInput.setStatus('mandatory')
if mibBuilder.loadTexts: dm200stateflagRfInput.setDescription('The value of this object provides the state of the RF Input Control Digital parameter. (1-hidden 2-read-only, 3-updateable).')
dm200labelOptOutput = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 6), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200labelOptOutput.setStatus('optional')
if mibBuilder.loadTexts: dm200labelOptOutput.setDescription('The value of this object provides the label of the Optical Output Control Digital parameter.')
dm200enumOptOutput = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 7), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200enumOptOutput.setStatus('optional')
if mibBuilder.loadTexts: dm200enumOptOutput.setDescription('The value of this object represents the Enumeration values possible for the Digital parameter. Each Enumerated values is separated by a common. The first value has a enumerated value of 1.')
dm200valueOptOutput = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("off", 1), ("on", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dm200valueOptOutput.setStatus('mandatory')
if mibBuilder.loadTexts: dm200valueOptOutput.setDescription('The value of this object is the current value of the parameter.')
dm200stateflagOptOutput = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200stateflagOptOutput.setStatus('mandatory')
if mibBuilder.loadTexts: dm200stateflagOptOutput.setDescription('The value of this object provides the state of the the parameter. (1-hidden, 2-read-only, 3-updateable).')
dm200labelSbsControl = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 10), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200labelSbsControl.setStatus('optional')
if mibBuilder.loadTexts: dm200labelSbsControl.setDescription('The value of this object provides the label of the SBS Control Digital parameter.')
dm200enumSbsControl = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 11), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200enumSbsControl.setStatus('optional')
if mibBuilder.loadTexts: dm200enumSbsControl.setDescription('The value of this object represents the Enumeration values possible for the Digital parameter. Each Enumerated values is separated by a common. The first value has a enumerated value of 1.')
dm200valueSbsControl = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("off", 1), ("on", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dm200valueSbsControl.setStatus('mandatory')
if mibBuilder.loadTexts: dm200valueSbsControl.setDescription('The value of this object is the current value of the parameter.')
dm200stateflagSbsControl = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200stateflagSbsControl.setStatus('mandatory')
if mibBuilder.loadTexts: dm200stateflagSbsControl.setDescription('The value of this object provides the state of the the parameter. (1-hidden, 2-read-only, 3-updateable).')
dm200labelFactoryDefault = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 14), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200labelFactoryDefault.setStatus('optional')
if mibBuilder.loadTexts: dm200labelFactoryDefault.setDescription('The value of this object provides the label of the Factory Default Digital parameter.')
dm200enumFactoryDefault = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 15), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200enumFactoryDefault.setStatus('optional')
if mibBuilder.loadTexts: dm200enumFactoryDefault.setDescription('The value of this object represents the Enumeration values possible for the Digital parameter. Each Enumerated values is separated by a common. The first value has a enumerated value of 1..')
dm200valueFactoryDefault = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("off", 1), ("on", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dm200valueFactoryDefault.setStatus('mandatory')
if mibBuilder.loadTexts: dm200valueFactoryDefault.setDescription('The value of this object is the current value of the parameter. Return value is meaningless')
dm200stateflagFactoryDefault = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 17), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200stateflagFactoryDefault.setStatus('mandatory')
if mibBuilder.loadTexts: dm200stateflagFactoryDefault.setDescription('The value of this object provides the state of the the parameter. (1-hidden, 2-read-only, 3-updateable).')
gx2Dm200StatusTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gx2Dm200StatusTableIndex.setStatus('mandatory')
if mibBuilder.loadTexts: gx2Dm200StatusTableIndex.setDescription('The value of this object identifies the network element. This index is equal to the hfcCommonTableIndex for the same element.')
dm200labelBoot = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200labelBoot.setStatus('optional')
if mibBuilder.loadTexts: dm200labelBoot.setDescription('The value of this object provides the label of the Boot Status Status parameter.')
dm200valueBoot = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("ok", 1), ("undetermined", 2), ("warning", 3), ("minor", 4), ("major", 5), ("critical", 6)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200valueBoot.setStatus('mandatory')
if mibBuilder.loadTexts: dm200valueBoot.setDescription('The value of this object provides the current state of the parameter (1-ok, 2-undetermined 3-warning, 4-minor, 5-major, 6-critical).')
dm200stateflagBoot = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200stateflagBoot.setStatus('mandatory')
if mibBuilder.loadTexts: dm200stateflagBoot.setDescription('The value of this object provides the state of the the parameter. (1-hidden, 2-read-only, 3-updateable).')
dm200labelFlash = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200labelFlash.setStatus('optional')
if mibBuilder.loadTexts: dm200labelFlash.setDescription('The value of this object provides the label of the Flash Status Status parameter.')
dm200valueFlash = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("ok", 1), ("undetermined", 2), ("warning", 3), ("minor", 4), ("major", 5), ("critical", 6)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200valueFlash.setStatus('mandatory')
if mibBuilder.loadTexts: dm200valueFlash.setDescription('The value of this object provides the current state of the parameter (1-ok, 2-undetermined 3-warning, 4-minor, 5-major, 6-critical).')
dm200stateflagFlash = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200stateflagFlash.setStatus('mandatory')
if mibBuilder.loadTexts: dm200stateflagFlash.setDescription('The value of this object provides the state of the the parameter. (1-hidden, 2-read-only, 3-updateable).')
dm200labelFactoryDataCRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 8), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200labelFactoryDataCRC.setStatus('optional')
if mibBuilder.loadTexts: dm200labelFactoryDataCRC.setDescription('The value of this object provides the label of the Factory Data CRC Status parameter.')
dm200valueFactoryDataCRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("ok", 1), ("undetermined", 2), ("warning", 3), ("minor", 4), ("major", 5), ("critical", 6)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200valueFactoryDataCRC.setStatus('mandatory')
if mibBuilder.loadTexts: dm200valueFactoryDataCRC.setDescription('The value of this object provides the current state of the parameter (1-ok, 2-undetermined 3-warning, 4-minor, 5-major, 6-critical).')
dm200stateflagFactoryDataCRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200stateflagFactoryDataCRC.setStatus('mandatory')
if mibBuilder.loadTexts: dm200stateflagFactoryDataCRC.setDescription('The value of this object provides the state of the the parameter. (1-hidden, 2-read-only, 3-updateable).')
dm200labelLaserDataCRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 11), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200labelLaserDataCRC.setStatus('optional')
if mibBuilder.loadTexts: dm200labelLaserDataCRC.setDescription('The value of this object provides the label of the Laser Data CRC Status parameter.')
dm200valueLaserDataCRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("ok", 1), ("undetermined", 2), ("warning", 3), ("minor", 4), ("major", 5), ("critical", 6)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200valueLaserDataCRC.setStatus('mandatory')
if mibBuilder.loadTexts: dm200valueLaserDataCRC.setDescription('The value of this object provides the current state of the parameter (1-ok, 2-undetermined 3-warning, 4-minor, 5-major, 6-critical).')
dm200stateflagLaserDataCRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200stateflagLaserDataCRC.setStatus('mandatory')
if mibBuilder.loadTexts: dm200stateflagLaserDataCRC.setDescription('The value of this object provides the state of the the parameter. (1-hidden, 2-read-only, 3-updateable).')
dm200labelAlarmDataCrc = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 14), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200labelAlarmDataCrc.setStatus('optional')
if mibBuilder.loadTexts: dm200labelAlarmDataCrc.setDescription('The value of this object provides the label of the Alarm Data Crc parameter.')
dm200valueAlarmDataCrc = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 15), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("ok", 1), ("undetermined", 2), ("warning", 3), ("minor", 4), ("major", 5), ("critical", 6)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200valueAlarmDataCrc.setStatus('mandatory')
if mibBuilder.loadTexts: dm200valueAlarmDataCrc.setDescription('The value of this object provides the current state of the parameter (1-ok, 2-undetermined 3-warning, 4-minor, 5-major, 6-critical).')
dm200stateflagAlarmDataCrc = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200stateflagAlarmDataCrc.setStatus('mandatory')
if mibBuilder.loadTexts: dm200stateflagAlarmDataCrc.setDescription('The value of this object provides the state of the the parameter. (1-hidden, 2-read-only, 3-updateable).')
dm200labelRFInputStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 17), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200labelRFInputStatus.setStatus('optional')
if mibBuilder.loadTexts: dm200labelRFInputStatus.setDescription('The value of this object provides the label of the Alarm Data Crc parameter.')
dm200valueRFInputStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("ok", 1), ("undetermined", 2), ("warning", 3), ("minor", 4), ("major", 5), ("critical", 6)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200valueRFInputStatus.setStatus('mandatory')
if mibBuilder.loadTexts: dm200valueRFInputStatus.setDescription('The value of this object provides the current state of the parameter (1-ok, 2-undetermined 3-warning, 4-minor, 5-major, 6-critical).')
dm200stateflagRFInputStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200stateflagRFInputStatus.setStatus('mandatory')
if mibBuilder.loadTexts: dm200stateflagRFInputStatus.setDescription('The value of this object provides the state of the the parameter. (1-hidden, 2-read-only, 3-updateable).')
gx2Dm200FactoryTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gx2Dm200FactoryTableIndex.setStatus('mandatory')
if mibBuilder.loadTexts: gx2Dm200FactoryTableIndex.setDescription('The value of this object identifies the network element. This index is equal to the hfcCommonTableIndex for the same element.')
dm200bootControlByte = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200bootControlByte.setStatus('mandatory')
if mibBuilder.loadTexts: dm200bootControlByte.setDescription('The value of this object indicates which bank the firmware is currently being boot from.')
dm200bootStatusByte = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200bootStatusByte.setStatus('mandatory')
if mibBuilder.loadTexts: dm200bootStatusByte.setDescription('This object indicates the status of the last boot. Bit 2 = Bank 0/1 Active (0 = Bank 0, 1 = Bank 1), Bit 1 = Bank 1 Fail and Bit 0 = Bank 0 Fail (0 = Pass, 1 = Fail)')
dm200bank1CRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200bank1CRC.setStatus('mandatory')
if mibBuilder.loadTexts: dm200bank1CRC.setDescription('This object provides the CRC code of bank 0. The display formate for the data is Hex.')
dm200bank2CRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200bank2CRC.setStatus('mandatory')
if mibBuilder.loadTexts: dm200bank2CRC.setDescription('This object provides the CRC code of bank 1.The display formate for the data is Hex.')
dm200prgEEPROMByte = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200prgEEPROMByte.setStatus('mandatory')
if mibBuilder.loadTexts: dm200prgEEPROMByte.setDescription('This object indicates if the EEPROM has been programmed')
dm200factoryCRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4, 7), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200factoryCRC.setStatus('mandatory')
if mibBuilder.loadTexts: dm200factoryCRC.setDescription('This object provides the CRC code for the Factory data.')
dm200calculateCRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("factory", 1), ("na", 2), ("alarm", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200calculateCRC.setStatus('obsolete')
if mibBuilder.loadTexts: dm200calculateCRC.setDescription('This object indicates which of the Enums will have the CRC calculated.')
dm200hourMeter = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4, 9), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200hourMeter.setStatus('mandatory')
if mibBuilder.loadTexts: dm200hourMeter.setDescription('This object provides the hour meter reading of the module.')
dm200flashPrgCntA = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4, 10), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200flashPrgCntA.setStatus('mandatory')
if mibBuilder.loadTexts: dm200flashPrgCntA.setDescription('This object provides the number of times Bank 1 flash has been programmed.')
dm200flashPrgCntB = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4, 11), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200flashPrgCntB.setStatus('mandatory')
if mibBuilder.loadTexts: dm200flashPrgCntB.setDescription('This object provides the number of times Bank 1 flash has been programmed.')
dm200flashBankARev = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4, 12), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200flashBankARev.setStatus('mandatory')
if mibBuilder.loadTexts: dm200flashBankARev.setDescription('This object provides the revision of flash bank 0. The rev is 2 characters.')
dm200flashBankBRev = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4, 13), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dm200flashBankBRev.setStatus('mandatory')
if mibBuilder.loadTexts: dm200flashBankBRev.setDescription('This object provides the revision of flash bank 1. The rev is 2 characters.')
trapDM200ConfigChangeInteger = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (0,1)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp"))
if mibBuilder.loadTexts: trapDM200ConfigChangeInteger.setDescription("This trap is issued if configuration of a single variable with integer type was changed (via ANY interface). TrapChangedValueInteger variable may contain current reading of that variable. trapPerceivedSeverity - 'indeterminate'")
trapDM200ConfigChangeDisplayString = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (0,2)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueDisplayString"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp"))
if mibBuilder.loadTexts: trapDM200ConfigChangeDisplayString.setDescription("This trap is issued if configuration of a single variable with DispalayString type was changed (via ANY interface). TrapChangedValueDisplayString variable may contain current reading of that variable. trapPerceivedSeverity - 'indeterminate'")
trapDM200fanCurrentAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (0,3)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp"))
if mibBuilder.loadTexts: trapDM200fanCurrentAlarm.setDescription('This trap is issued when the Fan Current parameter goes out of range. trapAdditionalInfoInteger variable contains current reading of the this parameter.')
trapDM200ModuleTempAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (0,4)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp"))
if mibBuilder.loadTexts: trapDM200ModuleTempAlarm.setDescription('This trap is issued when the Module Temperature parameter goes out of range. trapAdditionalInfoInteger variable contains current reading of the this parameter.')
trapDM200omiOffsetAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (0,5)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp"))
if mibBuilder.loadTexts: trapDM200omiOffsetAlarm.setDescription('This trap is issued when the OMI Offset goes out of range.')
trapDM200tecCurrentAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (0,6)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp"))
if mibBuilder.loadTexts: trapDM200tecCurrentAlarm.setDescription('This trap is issued when the TEC Current parameter goes out of range. trapAdditionalInfoInteger variable contains current reading of the this parameter.')
trapDM200LaserCurrentAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (0,7)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp"))
if mibBuilder.loadTexts: trapDM200LaserCurrentAlarm.setDescription('This trap is issued when the Laser Current parameter goes out of range. trapAdditionalInfoInteger variable contains current reading of the this parameter.')
trapDM200LaserTempAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (0,8)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp"))
if mibBuilder.loadTexts: trapDM200LaserTempAlarm.setDescription('This trap is issued when the Laser Temp parameter goes out of range. trapAdditionalInfoInteger variable contains current reading of the this parameter.')
trapDM200LaserPowerAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (0,9)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp"))
if mibBuilder.loadTexts: trapDM200LaserPowerAlarm.setDescription('This trap is issued when the Laser Power parameter goes out of range. trapAdditionalInfoInteger variable contains current reading of the this parameter.')
trapDM200FlashAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (0,10)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp"))
if mibBuilder.loadTexts: trapDM200FlashAlarm.setDescription('This trap is issued when the Laser Modules detects an error during Flash memory operations.')
trapDM200BankBootAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (0,11)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp"))
if mibBuilder.loadTexts: trapDM200BankBootAlarm.setDescription('This trap is issued when the Laser Modules detects an error while booting from bank 0 or bank 1.')
trapDM200AlarmDataCRCAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (0,12)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp"))
if mibBuilder.loadTexts: trapDM200AlarmDataCRCAlarm.setDescription('This trap is issued when the Alarm Data CRC is incorrect.')
trapDM200FactoryDataCRCAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (0,13)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp"))
if mibBuilder.loadTexts: trapDM200FactoryDataCRCAlarm.setDescription('This trap is issued when the Factory Data CRC is incorrect.')
trapDM200CalDataCRCAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (0,14)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp"))
if mibBuilder.loadTexts: trapDM200CalDataCRCAlarm.setDescription('This trap is issued when the Cal Data CRC is incorrect.')
trapDM200ResetFacDefault = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (0,15)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp"))
if mibBuilder.loadTexts: trapDM200ResetFacDefault.setDescription('This trap is issued when the DM200 resets to factory defaults')
trapDM200UserRFOffAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (0,16)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp"))
if mibBuilder.loadTexts: trapDM200UserRFOffAlarm.setDescription('This trap is issued when the the User RF is turned off.')
trapDM200UserOpticalOffAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (0,17)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp"))
if mibBuilder.loadTexts: trapDM200UserOpticalOffAlarm.setDescription('This trap is issued when the User Optical Power is turned off.')
trapDM200UserSBSOffAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (0,18)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp"))
if mibBuilder.loadTexts: trapDM200UserSBSOffAlarm.setDescription('This trap is issued when the User SBS is turned off.')
trapDM200RFInputAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (0,19)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp"))
if mibBuilder.loadTexts: trapDM200RFInputAlarm.setDescription('This trap is issued when the Laser Modules RF input parameter goes out of range. trapAdditionalInfoInteger variable contains current reading of the this parameter.')
trapDM200RFOverloadAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (0,20)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp"))
if mibBuilder.loadTexts: trapDM200RFOverloadAlarm.setDescription('This trap is issued when the Laser Modules RF overload parameter goes out of range. trapAdditionalInfoInteger variable contains current reading of the this parameter.')
mibBuilder.exportSymbols("OMNI-gx2Dm200-MIB", dm200minorHighLaserPower=dm200minorHighLaserPower, dm200labelBoot=dm200labelBoot, gx2Dm200StatusTableIndex=gx2Dm200StatusTableIndex, dm200labelModTemp=dm200labelModTemp, dm200maxValueOffsetNomMonitor=dm200maxValueOffsetNomMonitor, trapDM200omiOffsetAlarm=trapDM200omiOffsetAlarm, dm200minValueOffsetNomMonitor=dm200minValueOffsetNomMonitor, dm200uomTecCurrent=dm200uomTecCurrent, dm200currentValueTecCurrent=dm200currentValueTecCurrent, dm200stateFlagLaserTemp=dm200stateFlagLaserTemp, dm200stateFlagAttenSetting=dm200stateFlagAttenSetting, dm200stateflagFactoryDefault=dm200stateflagFactoryDefault, dm200maxValueFanCurrent=dm200maxValueFanCurrent, dm200majorLowLaserPower=dm200majorLowLaserPower, dm200alarmStateTecCurrent=dm200alarmStateTecCurrent, gx2Dm200AnalogEntry=gx2Dm200AnalogEntry, dm200maxValueModTemp=dm200maxValueModTemp, dm200majorLowOffsetNomMonitor=dm200majorLowOffsetNomMonitor, dm200alarmStateModTemp=dm200alarmStateModTemp, dm200alarmStateAttenSetting=dm200alarmStateAttenSetting, gx2Dm200DigitalTableIndex=gx2Dm200DigitalTableIndex, dm200bootControlByte=dm200bootControlByte, dm200factoryCRC=dm200factoryCRC, Float=Float, dm200majorHighLaserPower=dm200majorHighLaserPower, dm200minorHighOffsetNomMonitor=dm200minorHighOffsetNomMonitor, dm200currentValueLaserPower=dm200currentValueLaserPower, dm200labelOffsetNomMonitor=dm200labelOffsetNomMonitor, dm200minValueFanCurrent=dm200minValueFanCurrent, trapDM200UserSBSOffAlarm=trapDM200UserSBSOffAlarm, dm200flashPrgCntB=dm200flashPrgCntB, dm200alarmStateLaserTemp=dm200alarmStateLaserTemp, dm200stateflagFlash=dm200stateflagFlash, gx2Dm200DigitalTable=gx2Dm200DigitalTable, trapDM200ConfigChangeInteger=trapDM200ConfigChangeInteger, dm200labelFlash=dm200labelFlash, gx2Dm200AnalogTableIndex=gx2Dm200AnalogTableIndex, dm200labelLaserTemp=dm200labelLaserTemp, dm200stateFlagFanCurrent=dm200stateFlagFanCurrent, dm200labelOptOutput=dm200labelOptOutput, gx2Dm200StatusTable=gx2Dm200StatusTable, dm200majorLowAttenSetting=dm200majorLowAttenSetting, dm200maxValueLaserPower=dm200maxValueLaserPower, dm200valueOptOutput=dm200valueOptOutput, dm200minorHighTecCurrent=dm200minorHighTecCurrent, trapDM200fanCurrentAlarm=trapDM200fanCurrentAlarm, dm200uomModTemp=dm200uomModTemp, gx2Dm200AnalogTable=gx2Dm200AnalogTable, dm200bank2CRC=dm200bank2CRC, dm200uomFanCurrent=dm200uomFanCurrent, dm200majorLowModTemp=dm200majorLowModTemp, dm200minorHighAttenSetting=dm200minorHighAttenSetting, dm200valueBoot=dm200valueBoot, trapDM200AlarmDataCRCAlarm=trapDM200AlarmDataCRCAlarm, dm200alarmStateOffsetNomMonitor=dm200alarmStateOffsetNomMonitor, trapDM200RFOverloadAlarm=trapDM200RFOverloadAlarm, dm200labelFactoryDataCRC=dm200labelFactoryDataCRC, dm200stateflagAlarmDataCrc=dm200stateflagAlarmDataCrc, dm200majorHighFanCurrent=dm200majorHighFanCurrent, dm200majorLowFanCurrent=dm200majorLowFanCurrent, dm200minorLowLaserTemp=dm200minorLowLaserTemp, gx2Dm200StatusEntry=gx2Dm200StatusEntry, dm200labelFanCurrent=dm200labelFanCurrent, dm200currentValueOffsetNomMonitor=dm200currentValueOffsetNomMonitor, dm200majorHighModTemp=dm200majorHighModTemp, dm200currentValueFanCurrent=dm200currentValueFanCurrent, dm200labelTecCurrent=dm200labelTecCurrent, dm200minorLowModTemp=dm200minorLowModTemp, trapDM200ConfigChangeDisplayString=trapDM200ConfigChangeDisplayString, dm200minorLowLaserCurrent=dm200minorLowLaserCurrent, dm200minValueModTemp=dm200minValueModTemp, trapDM200BankBootAlarm=trapDM200BankBootAlarm, dm200stateflagOptOutput=dm200stateflagOptOutput, dm200prgEEPROMByte=dm200prgEEPROMByte, trapDM200tecCurrentAlarm=trapDM200tecCurrentAlarm, trapDM200LaserTempAlarm=trapDM200LaserTempAlarm, dm200valueRfInput=dm200valueRfInput, dm200enumSbsControl=dm200enumSbsControl, dm200stateflagSbsControl=dm200stateflagSbsControl, dm200stateflagFactoryDataCRC=dm200stateflagFactoryDataCRC, dm200valueFactoryDefault=dm200valueFactoryDefault, trapDM200FactoryDataCRCAlarm=trapDM200FactoryDataCRCAlarm, dm200uomLaserTemp=dm200uomLaserTemp, dm200minorLowTecCurrent=dm200minorLowTecCurrent, dm200minorHighModTemp=dm200minorHighModTemp, dm200labelAttenSetting=dm200labelAttenSetting, dm200alarmStateFanCurrent=dm200alarmStateFanCurrent, dm200minorHighLaserTemp=dm200minorHighLaserTemp, dm200majorHighTecCurrent=dm200majorHighTecCurrent, dm200majorHighOffsetNomMonitor=dm200majorHighOffsetNomMonitor, gx2Dm200DigitalEntry=gx2Dm200DigitalEntry, dm200currentValueAttenSetting=dm200currentValueAttenSetting, dm200majorHighLaserCurrent=dm200majorHighLaserCurrent, dm200labelRfInput=dm200labelRfInput, dm200labelAlarmDataCrc=dm200labelAlarmDataCrc, dm200uomLaserPower=dm200uomLaserPower, trapDM200RFInputAlarm=trapDM200RFInputAlarm, dm200currentValueModTemp=dm200currentValueModTemp, dm200uomOffsetNomMonitor=dm200uomOffsetNomMonitor, dm200labelRFInputStatus=dm200labelRFInputStatus, dm200minValueTecCurrent=dm200minValueTecCurrent, dm200alarmStateLaserPower=dm200alarmStateLaserPower, gx2Dm200Descriptor=gx2Dm200Descriptor, dm200majorLowLaserCurrent=dm200majorLowLaserCurrent, dm200labelLaserDataCRC=dm200labelLaserDataCRC, dm200stateFlagLaserCurrent=dm200stateFlagLaserCurrent, dm200minorHighFanCurrent=dm200minorHighFanCurrent, dm200maxValueTecCurrent=dm200maxValueTecCurrent, dm200majorLowTecCurrent=dm200majorLowTecCurrent, dm200majorHighAttenSetting=dm200majorHighAttenSetting, dm200valueFlash=dm200valueFlash, dm200majorHighLaserTemp=dm200majorHighLaserTemp, dm200stateFlagOffsetNomMonitor=dm200stateFlagOffsetNomMonitor, dm200valueAlarmDataCrc=dm200valueAlarmDataCrc, dm200stateFlagTecCurrent=dm200stateFlagTecCurrent, trapDM200FlashAlarm=trapDM200FlashAlarm, dm200minValueLaserCurrent=dm200minValueLaserCurrent, dm200stateflagRFInputStatus=dm200stateflagRFInputStatus, dm200maxValueLaserTemp=dm200maxValueLaserTemp, dm200currentValueLaserTemp=dm200currentValueLaserTemp, dm200majorLowLaserTemp=dm200majorLowLaserTemp, dm200calculateCRC=dm200calculateCRC, dm200labelLaserPower=dm200labelLaserPower, dm200flashBankBRev=dm200flashBankBRev, dm200flashBankARev=dm200flashBankARev, dm200bootStatusByte=dm200bootStatusByte, dm200minValueLaserPower=dm200minValueLaserPower, dm200labelLaserCurrent=dm200labelLaserCurrent, dm200minorHighLaserCurrent=dm200minorHighLaserCurrent, dm200currentValueLaserCurrent=dm200currentValueLaserCurrent, dm200uomLaserCurrent=dm200uomLaserCurrent, gx2Dm200FactoryTable=gx2Dm200FactoryTable, dm200valueRFInputStatus=dm200valueRFInputStatus, dm200labelFactoryDefault=dm200labelFactoryDefault, dm200stateFlagLaserPower=dm200stateFlagLaserPower, dm200minorLowFanCurrent=dm200minorLowFanCurrent, trapDM200UserOpticalOffAlarm=trapDM200UserOpticalOffAlarm, gx2Dm200FactoryEntry=gx2Dm200FactoryEntry, dm200minValueLaserTemp=dm200minValueLaserTemp, dm200alarmStateLaserCurrent=dm200alarmStateLaserCurrent, dm200labelSbsControl=dm200labelSbsControl, dm200valueFactoryDataCRC=dm200valueFactoryDataCRC, dm200enumRfInput=dm200enumRfInput, dm200stateflagLaserDataCRC=dm200stateflagLaserDataCRC, dm200enumFactoryDefault=dm200enumFactoryDefault, dm200bank1CRC=dm200bank1CRC, dm200hourMeter=dm200hourMeter, dm200maxValueLaserCurrent=dm200maxValueLaserCurrent, trapDM200UserRFOffAlarm=trapDM200UserRFOffAlarm, trapDM200LaserCurrentAlarm=trapDM200LaserCurrentAlarm, trapDM200ModuleTempAlarm=trapDM200ModuleTempAlarm, dm200flashPrgCntA=dm200flashPrgCntA, dm200enumOptOutput=dm200enumOptOutput, trapDM200ResetFacDefault=trapDM200ResetFacDefault, dm200minorLowAttenSetting=dm200minorLowAttenSetting, dm200stateflagRfInput=dm200stateflagRfInput, dm200minValueAttenSetting=dm200minValueAttenSetting, dm200maxValueAttenSetting=dm200maxValueAttenSetting, dm200valueLaserDataCRC=dm200valueLaserDataCRC, gx2Dm200FactoryTableIndex=gx2Dm200FactoryTableIndex, dm200minorLowOffsetNomMonitor=dm200minorLowOffsetNomMonitor, dm200valueSbsControl=dm200valueSbsControl, trapDM200LaserPowerAlarm=trapDM200LaserPowerAlarm, dm200stateFlagModTemp=dm200stateFlagModTemp, trapDM200CalDataCRCAlarm=trapDM200CalDataCRCAlarm, dm200stateflagBoot=dm200stateflagBoot, dm200minorLowLaserPower=dm200minorLowLaserPower, dm200uomAttenSetting=dm200uomAttenSetting)
| (octet_string, object_identifier, integer) = mibBuilder.importSymbols('ASN1', 'OctetString', 'ObjectIdentifier', 'Integer')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(single_value_constraint, value_size_constraint, value_range_constraint, constraints_intersection, constraints_union) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'SingleValueConstraint', 'ValueSizeConstraint', 'ValueRangeConstraint', 'ConstraintsIntersection', 'ConstraintsUnion')
(gx2_dm200,) = mibBuilder.importSymbols('GX2HFC-MIB', 'gx2Dm200')
(trap_changed_object_id, trap_ne_trap_last_trap_time_stamp, trap_network_elem_serial_num, trap_network_elem_model_number, trap_network_elem_admin_state, trap_network_elem_alarm_status, trap_perceived_severity, trap_network_elem_avail_status, trap_changed_value_display_string, trap_changed_value_integer, trap_identifier, trap_text, trap_network_elem_oper_state) = mibBuilder.importSymbols('NLSBBN-TRAPS-MIB', 'trapChangedObjectId', 'trapNETrapLastTrapTimeStamp', 'trapNetworkElemSerialNum', 'trapNetworkElemModelNumber', 'trapNetworkElemAdminState', 'trapNetworkElemAlarmStatus', 'trapPerceivedSeverity', 'trapNetworkElemAvailStatus', 'trapChangedValueDisplayString', 'trapChangedValueInteger', 'trapIdentifier', 'trapText', 'trapNetworkElemOperState')
(notification_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance')
(notification_type, iso, object_identity, ip_address, integer32, unsigned32, gauge32, module_identity, notification_type, mib_scalar, mib_table, mib_table_row, mib_table_column, counter32, bits, mib_identifier, counter64, time_ticks) = mibBuilder.importSymbols('SNMPv2-SMI', 'NotificationType', 'iso', 'ObjectIdentity', 'IpAddress', 'Integer32', 'Unsigned32', 'Gauge32', 'ModuleIdentity', 'NotificationType', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Counter32', 'Bits', 'MibIdentifier', 'Counter64', 'TimeTicks')
(textual_convention, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DisplayString')
class Float(Counter32):
pass
gx2_dm200_descriptor = mib_identifier((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 1))
gx2_dm200_analog_table = mib_table((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2))
if mibBuilder.loadTexts:
gx2Dm200AnalogTable.setStatus('mandatory')
if mibBuilder.loadTexts:
gx2Dm200AnalogTable.setDescription('This table contains gx2Dm200 specific parameters with nominal and current values.')
gx2_dm200_analog_entry = mib_table_row((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1)).setIndexNames((0, 'OMNI-gx2Dm200-MIB', 'gx2Dm200AnalogTableIndex'))
if mibBuilder.loadTexts:
gx2Dm200AnalogEntry.setStatus('mandatory')
if mibBuilder.loadTexts:
gx2Dm200AnalogEntry.setDescription('This list contains the analog parameters and descriptions.')
gx2_dm200_digital_table = mib_table((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3))
if mibBuilder.loadTexts:
gx2Dm200DigitalTable.setStatus('mandatory')
if mibBuilder.loadTexts:
gx2Dm200DigitalTable.setDescription('This table contains gx2Dm200m specific parameters with nominal and current values.')
gx2_dm200_digital_entry = mib_table_row((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2)).setIndexNames((0, 'OMNI-gx2Dm200-MIB', 'gx2Dm200DigitalTableIndex'))
if mibBuilder.loadTexts:
gx2Dm200DigitalEntry.setStatus('mandatory')
if mibBuilder.loadTexts:
gx2Dm200DigitalEntry.setDescription('This list contains digital parameters and descriptions.')
gx2_dm200_status_table = mib_table((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4))
if mibBuilder.loadTexts:
gx2Dm200StatusTable.setStatus('mandatory')
if mibBuilder.loadTexts:
gx2Dm200StatusTable.setDescription('This table contains gx2Dm200 specific parameters with nominal and current values.')
gx2_dm200_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3)).setIndexNames((0, 'OMNI-gx2Dm200-MIB', 'gx2Dm200StatusTableIndex'))
if mibBuilder.loadTexts:
gx2Dm200StatusEntry.setStatus('mandatory')
if mibBuilder.loadTexts:
gx2Dm200StatusEntry.setDescription('This list contains Status parameters and descriptions.')
gx2_dm200_factory_table = mib_table((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5))
if mibBuilder.loadTexts:
gx2Dm200FactoryTable.setStatus('mandatory')
if mibBuilder.loadTexts:
gx2Dm200FactoryTable.setDescription('This table contains gx2Dm200 specific parameters with nominal and current values.')
gx2_dm200_factory_entry = mib_table_row((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4)).setIndexNames((0, 'OMNI-gx2Dm200-MIB', 'gx2Dm200FactoryTableIndex'))
if mibBuilder.loadTexts:
gx2Dm200FactoryEntry.setStatus('mandatory')
if mibBuilder.loadTexts:
gx2Dm200FactoryEntry.setDescription('This list contains Factory parameters and descriptions.')
gx2_dm200_analog_table_index = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
gx2Dm200AnalogTableIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
gx2Dm200AnalogTableIndex.setDescription('The value of this object identifies the network element. This index is equal to the hfcCommonTableIndex for the same element.')
dm200label_offset_nom_monitor = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200labelOffsetNomMonitor.setStatus('optional')
if mibBuilder.loadTexts:
dm200labelOffsetNomMonitor.setDescription('The value of this object provides the label of the Offset Monitor Analog parameter.')
dm200uom_offset_nom_monitor = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200uomOffsetNomMonitor.setStatus('optional')
if mibBuilder.loadTexts:
dm200uomOffsetNomMonitor.setDescription('The value of this object provides the Unit of Measure of the Offset Monitor Analog parameter. The unit of measure for this parameter is dB')
dm200major_high_offset_nom_monitor = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 4), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200majorHighOffsetNomMonitor.setStatus('obsolete')
if mibBuilder.loadTexts:
dm200majorHighOffsetNomMonitor.setDescription('The value of this object provides the Major High alarm value of the Offset Monitor Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.')
dm200major_low_offset_nom_monitor = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 5), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200majorLowOffsetNomMonitor.setStatus('obsolete')
if mibBuilder.loadTexts:
dm200majorLowOffsetNomMonitor.setDescription('The value of this object provides the Major Low alarm value of the Offset Monitor Power Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.')
dm200minor_high_offset_nom_monitor = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 6), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200minorHighOffsetNomMonitor.setStatus('obsolete')
if mibBuilder.loadTexts:
dm200minorHighOffsetNomMonitor.setDescription('The value of this object provides the Minor High alarm value of the Offset Monitor Power Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.')
dm200minor_low_offset_nom_monitor = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 7), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200minorLowOffsetNomMonitor.setStatus('obsolete')
if mibBuilder.loadTexts:
dm200minorLowOffsetNomMonitor.setDescription('The value of this object provides the Minor Low alarm value of the Offset Monitor Power Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.')
dm200current_value_offset_nom_monitor = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 8), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200currentValueOffsetNomMonitor.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200currentValueOffsetNomMonitor.setDescription('The value of this object provides the Current value of the Offset Monitor Power Analog parameter.')
dm200state_flag_offset_nom_monitor = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200stateFlagOffsetNomMonitor.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200stateFlagOffsetNomMonitor.setDescription('The value of this object provides the state of the Offset Monitor Power Analog parameter. (1-hidden 2-read-only, 3-updateable).')
dm200min_value_offset_nom_monitor = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 10), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200minValueOffsetNomMonitor.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200minValueOffsetNomMonitor.setDescription('The value of this object provides the minimum value the Offset Monitor Power Analog parameter can achive.')
dm200max_value_offset_nom_monitor = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 11), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200maxValueOffsetNomMonitor.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200maxValueOffsetNomMonitor.setDescription('The value of this object provides the maximum value the Offset Monitor Power Analog parameter can achive.')
dm200alarm_state_offset_nom_monitor = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('noAlarm', 1), ('majorLowAlarm', 2), ('minorLowAlarm', 3), ('minorHighAlarm', 4), ('majorHighAlarm', 5), ('informational', 6)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200alarmStateOffsetNomMonitor.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200alarmStateOffsetNomMonitor.setDescription('The value of this object provides the curent alarm state of the Offset Monitor Power Analog parameter.')
dm200label_atten_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 13), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200labelAttenSetting.setStatus('optional')
if mibBuilder.loadTexts:
dm200labelAttenSetting.setDescription('The value of this object provides the label of the Attenuator Setting Current Analog parameter.')
dm200uom_atten_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 14), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200uomAttenSetting.setStatus('optional')
if mibBuilder.loadTexts:
dm200uomAttenSetting.setDescription('The value of this object provides the Unit of Measure of the Attenuator Setting Analog parameter. The unit of measure for this parameter is dB')
dm200major_high_atten_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 15), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200majorHighAttenSetting.setStatus('obsolete')
if mibBuilder.loadTexts:
dm200majorHighAttenSetting.setDescription('The value of this object provides the Major High alarm value of the Attenuator Setting Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.')
dm200major_low_atten_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 16), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200majorLowAttenSetting.setStatus('obsolete')
if mibBuilder.loadTexts:
dm200majorLowAttenSetting.setDescription('The value of this object provides the Major Low alarm value of the Attenuator Setting Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.')
dm200minor_high_atten_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 17), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200minorHighAttenSetting.setStatus('obsolete')
if mibBuilder.loadTexts:
dm200minorHighAttenSetting.setDescription('The value of this object provides the Minor High alarm value of the Attenuator Setting Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.')
dm200minor_low_atten_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 18), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200minorLowAttenSetting.setStatus('obsolete')
if mibBuilder.loadTexts:
dm200minorLowAttenSetting.setDescription('The value of this object provides the Minor Low alarm value of the Attenuator Setting Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.')
dm200current_value_atten_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 19), float()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dm200currentValueAttenSetting.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200currentValueAttenSetting.setDescription('The value of this object provides the Current value of the Attenuator Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.')
dm200state_flag_atten_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 20), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200stateFlagAttenSetting.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200stateFlagAttenSetting.setDescription('The value of this object provides the state of the Attenuator Setting Analog parameter. (1-hidden 2-read-only, 3-updateable).')
dm200min_value_atten_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 21), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200minValueAttenSetting.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200minValueAttenSetting.setDescription('The value of this object provides the minimum value the Attenuator Setting Analog parameter can achive. This value is a floating point number that is represented as an IEEE 32 bit number.')
dm200max_value_atten_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 22), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200maxValueAttenSetting.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200maxValueAttenSetting.setDescription('The value of this object provides the maximum value the Attenuator Setting Analog parameter can achive. This value is a floating point number that is represented as an IEEE 32 bit number.')
dm200alarm_state_atten_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 23), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('noAlarm', 1), ('majorLowAlarm', 2), ('minorLowAlarm', 3), ('minorHighAlarm', 4), ('majorHighAlarm', 5), ('informational', 6)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200alarmStateAttenSetting.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200alarmStateAttenSetting.setDescription('The value of this object provides the curent alarm state of the Attenuator Setting Analog parameter.')
dm200label_laser_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 24), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200labelLaserPower.setStatus('optional')
if mibBuilder.loadTexts:
dm200labelLaserPower.setDescription('The value of this object provides the label of the Laser Optical Power Analog parameter.')
dm200uom_laser_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 25), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200uomLaserPower.setStatus('optional')
if mibBuilder.loadTexts:
dm200uomLaserPower.setDescription('The value of this object provides the Unit of Measure of the Laser Optical Power Analog parameter. The unit of measure for this parameter is dBm')
dm200major_high_laser_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 26), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200majorHighLaserPower.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200majorHighLaserPower.setDescription('The value of this object provides the Major High alarm value of the Laser Optical Power Analog parameter.')
dm200major_low_laser_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 27), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200majorLowLaserPower.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200majorLowLaserPower.setDescription('The value of this object provides the Major Low alarm value of the Laser Optical Power Analog parameter.')
dm200minor_high_laser_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 28), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200minorHighLaserPower.setStatus('obsolete')
if mibBuilder.loadTexts:
dm200minorHighLaserPower.setDescription('The value of this object provides the Minor High alarm value of the Laser Optical Power Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.')
dm200minor_low_laser_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 29), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200minorLowLaserPower.setStatus('obsolete')
if mibBuilder.loadTexts:
dm200minorLowLaserPower.setDescription('The value of this object provides the Minor Low alarm value of the Laser Optical Power Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.')
dm200current_value_laser_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 30), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200currentValueLaserPower.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200currentValueLaserPower.setDescription('The value of this object provides the Current value of the Laser Optical Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.')
dm200state_flag_laser_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 31), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200stateFlagLaserPower.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200stateFlagLaserPower.setDescription('The value of this object provides the state of the Laser Optical Power Analog parameter. (1-hidden 2-read-only, 3-updateable).')
dm200min_value_laser_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 32), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200minValueLaserPower.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200minValueLaserPower.setDescription('The value of this object provides the minimum value the Laser Optical Power Analog parameter can achive.')
dm200max_value_laser_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 33), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200maxValueLaserPower.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200maxValueLaserPower.setDescription('The value of this object provides the maximum value the Laser Optical Power Analog parameter can achive.')
dm200alarm_state_laser_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 34), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('noAlarm', 1), ('majorLowAlarm', 2), ('minorLowAlarm', 3), ('minorHighAlarm', 4), ('majorHighAlarm', 5), ('informational', 6)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200alarmStateLaserPower.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200alarmStateLaserPower.setDescription('The value of this object provides the curent alarm state of the Laser Optical Power Analog parameter.')
dm200label_laser_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 35), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200labelLaserTemp.setStatus('optional')
if mibBuilder.loadTexts:
dm200labelLaserTemp.setDescription('The value of this object provides the label of the Laser Temperature Analog parameter.')
dm200uom_laser_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 36), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200uomLaserTemp.setStatus('optional')
if mibBuilder.loadTexts:
dm200uomLaserTemp.setDescription('The value of this object provides the Unit of Measure of the Laser Temperature Analog parameter. The unit of measure for this parameter is degrees C')
dm200major_high_laser_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 37), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200majorHighLaserTemp.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200majorHighLaserTemp.setDescription('The value of this object provides the Major High alarm value of the Laser Temperature Analog parameter.')
dm200major_low_laser_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 38), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200majorLowLaserTemp.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200majorLowLaserTemp.setDescription('The value of this object provides the Major Low alarm value of the Laser Temperature Analog parameter.')
dm200minor_high_laser_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 39), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200minorHighLaserTemp.setStatus('obsolete')
if mibBuilder.loadTexts:
dm200minorHighLaserTemp.setDescription('The value of this object provides the Minor High alarm value of the Laser Temperature Analog parameter.')
dm200minor_low_laser_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 40), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200minorLowLaserTemp.setStatus('obsolete')
if mibBuilder.loadTexts:
dm200minorLowLaserTemp.setDescription('The value of this object provides the Minor Low alarm value of the Laser Temperature Analog parameter.')
dm200current_value_laser_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 41), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200currentValueLaserTemp.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200currentValueLaserTemp.setDescription('The value of this object provides the Current value of the Laser Temperature Analog parameter.')
dm200state_flag_laser_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 42), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200stateFlagLaserTemp.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200stateFlagLaserTemp.setDescription('The value of this object provides the state of the Laser Temperature Analog parameter. (1-hidden 2-read-only, 3-updateable).')
dm200min_value_laser_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 43), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200minValueLaserTemp.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200minValueLaserTemp.setDescription('The value of this object provides the minimum value the Laser Temperature Analog parameter can achive.')
dm200max_value_laser_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 44), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200maxValueLaserTemp.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200maxValueLaserTemp.setDescription('The value of this object provides the maximum value the Laser Temperature Analog parameter can achive.')
dm200alarm_state_laser_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 45), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('noAlarm', 1), ('majorLowAlarm', 2), ('minorLowAlarm', 3), ('minorHighAlarm', 4), ('majorHighAlarm', 5), ('informational', 6)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200alarmStateLaserTemp.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200alarmStateLaserTemp.setDescription('The value of this object provides the curent alarm state of the Laser Temperature Analog parameter.')
dm200label_laser_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 46), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200labelLaserCurrent.setStatus('optional')
if mibBuilder.loadTexts:
dm200labelLaserCurrent.setDescription('The value of this object provides the label of the Laser Bias Current Analog parameter.')
dm200uom_laser_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 47), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200uomLaserCurrent.setStatus('optional')
if mibBuilder.loadTexts:
dm200uomLaserCurrent.setDescription('The value of this object provides the Unit of Measure of the Laser Bias Current Analog parameter. The unit of measure for this parameter is mA')
dm200major_high_laser_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 48), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200majorHighLaserCurrent.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200majorHighLaserCurrent.setDescription('The value of this object provides the Major High alarm value of the Laser Bias Current Analog parameter.')
dm200major_low_laser_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 49), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200majorLowLaserCurrent.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200majorLowLaserCurrent.setDescription('The value of this object provides the Major Low alarm value of the Laser Bias Current Analog parameter.')
dm200minor_high_laser_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 50), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200minorHighLaserCurrent.setStatus('obsolete')
if mibBuilder.loadTexts:
dm200minorHighLaserCurrent.setDescription('The value of this object provides the Minor High alarm value of the Laser Bias Current Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.')
dm200minor_low_laser_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 51), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200minorLowLaserCurrent.setStatus('obsolete')
if mibBuilder.loadTexts:
dm200minorLowLaserCurrent.setDescription('The value of this object provides the Minor Low alarm value of the Laser Bias Current Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.')
dm200current_value_laser_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 52), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200currentValueLaserCurrent.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200currentValueLaserCurrent.setDescription('The value of this object provides the Current value of the Laser Bias Current Analog parameter.')
dm200state_flag_laser_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 53), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200stateFlagLaserCurrent.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200stateFlagLaserCurrent.setDescription('The value of this object provides the state of the Laser Bias Current Analog parameter. (1-hidden 2-read-only, 3-updateable).')
dm200min_value_laser_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 54), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200minValueLaserCurrent.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200minValueLaserCurrent.setDescription('The value of this object provides the minimum value the Laser Bias Current Analog parameter can achive.')
dm200max_value_laser_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 55), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200maxValueLaserCurrent.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200maxValueLaserCurrent.setDescription('The value of this object provides the maximum value the Laser Bias Current Analog parameter can achive.')
dm200alarm_state_laser_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 56), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('noAlarm', 1), ('majorLowAlarm', 2), ('minorLowAlarm', 3), ('minorHighAlarm', 4), ('majorHighAlarm', 5), ('informational', 6)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200alarmStateLaserCurrent.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200alarmStateLaserCurrent.setDescription('The value of this object provides the curent alarm state of the Laser Bias Current Analog parameter.')
dm200label_tec_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 57), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200labelTecCurrent.setStatus('optional')
if mibBuilder.loadTexts:
dm200labelTecCurrent.setDescription('The value of this object provides the label of the TEC Current Analog parameter.')
dm200uom_tec_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 58), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200uomTecCurrent.setStatus('optional')
if mibBuilder.loadTexts:
dm200uomTecCurrent.setDescription('The value of this object provides the Unit of Measure of the TEC Current Analog parameter. The unit of measure for this parameter is mA')
dm200major_high_tec_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 59), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200majorHighTecCurrent.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200majorHighTecCurrent.setDescription('The value of this object provides the Major High alarm value of the TEC Current Analog parameter.')
dm200major_low_tec_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 60), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200majorLowTecCurrent.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200majorLowTecCurrent.setDescription('The value of this object provides the Major Low alarm value of the TEC Current Analog parameter.')
dm200minor_high_tec_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 61), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200minorHighTecCurrent.setStatus('obsolete')
if mibBuilder.loadTexts:
dm200minorHighTecCurrent.setDescription('The value of this object provides the Minor High alarm value of the TEC Current Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.')
dm200minor_low_tec_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 62), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200minorLowTecCurrent.setStatus('obsolete')
if mibBuilder.loadTexts:
dm200minorLowTecCurrent.setDescription('The value of this object provides the Minor Low alarm value of the TEC Current Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.')
dm200current_value_tec_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 63), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200currentValueTecCurrent.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200currentValueTecCurrent.setDescription('The value of this object provides the Current value of the TEC Current Analog parameter.')
dm200state_flag_tec_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 64), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200stateFlagTecCurrent.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200stateFlagTecCurrent.setDescription('The value of this object provides the state of the TEC Current Analog parameter. (1-hidden 2-read-only, 3-updateable).')
dm200min_value_tec_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 65), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200minValueTecCurrent.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200minValueTecCurrent.setDescription('The value of this object provides the minimum value the TEC Current Analog parameter can achive.')
dm200max_value_tec_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 66), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200maxValueTecCurrent.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200maxValueTecCurrent.setDescription('The value of this object provides the maximum value the TEC Current Analog parameter can achive.')
dm200alarm_state_tec_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 67), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('noAlarm', 1), ('majorLowAlarm', 2), ('minorLowAlarm', 3), ('minorHighAlarm', 4), ('majorHighAlarm', 5), ('informational', 6)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200alarmStateTecCurrent.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200alarmStateTecCurrent.setDescription('The value of this object provides the curent alarm state of the TEC Current Analog parameter.')
dm200label_mod_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 68), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200labelModTemp.setStatus('optional')
if mibBuilder.loadTexts:
dm200labelModTemp.setDescription('The value of this object provides the label of the Module Temperature Analog parameter.')
dm200uom_mod_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 69), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200uomModTemp.setStatus('optional')
if mibBuilder.loadTexts:
dm200uomModTemp.setDescription('The value of this object provides the Unit of Measure of the Module Temperature Analog parameter. The unit of measure for this parameter is degrees C')
dm200major_high_mod_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 70), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200majorHighModTemp.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200majorHighModTemp.setDescription('The value of this object provides the Major High alarm value of the Module Temperature Analog parameter.')
dm200major_low_mod_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 71), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200majorLowModTemp.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200majorLowModTemp.setDescription('The value of this object provides the Major Low alarm value of the Module Temperature Analog parameter.')
dm200minor_high_mod_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 72), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200minorHighModTemp.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200minorHighModTemp.setDescription('The value of this object provides the Minor High alarm value of the Module Temperature Analog parameter.')
dm200minor_low_mod_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 73), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200minorLowModTemp.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200minorLowModTemp.setDescription('The value of this object provides the Minor Low alarm value of the Module Temperature Analog parameter.')
dm200current_value_mod_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 74), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200currentValueModTemp.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200currentValueModTemp.setDescription('The value of this object provides the Current value of the Module Temperature Analog parameter.')
dm200state_flag_mod_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 75), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200stateFlagModTemp.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200stateFlagModTemp.setDescription('The value of this object provides the state of the Module Temperature Analog parameter. (1-hidden 2-read-only, 3-updateable).')
dm200min_value_mod_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 76), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200minValueModTemp.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200minValueModTemp.setDescription('The value of this object provides the minimum value the Module Temperature Analog parameter can achive.')
dm200max_value_mod_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 77), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200maxValueModTemp.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200maxValueModTemp.setDescription('The value of this object provides the maximum value the Module Temperature Analog parameter can achive.')
dm200alarm_state_mod_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 78), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('noAlarm', 1), ('majorLowAlarm', 2), ('minorLowAlarm', 3), ('minorHighAlarm', 4), ('majorHighAlarm', 5), ('informational', 6)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200alarmStateModTemp.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200alarmStateModTemp.setDescription('The value of this object provides the curent alarm state of the Module Temperature Analog parameter.')
dm200label_fan_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 79), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200labelFanCurrent.setStatus('optional')
if mibBuilder.loadTexts:
dm200labelFanCurrent.setDescription('The value of this object provides the label of the Fan Current Analog parameter.')
dm200uom_fan_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 80), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200uomFanCurrent.setStatus('optional')
if mibBuilder.loadTexts:
dm200uomFanCurrent.setDescription('The value of this object provides the Unit of Measure of the Fan Current Analog parameter. The unit of measure for this parameter is mA')
dm200major_high_fan_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 81), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200majorHighFanCurrent.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200majorHighFanCurrent.setDescription('The value of this object provides the Major High alarm value of the Fan Current Analog parameter.')
dm200major_low_fan_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 82), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200majorLowFanCurrent.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200majorLowFanCurrent.setDescription('The value of this object provides the Major Low alarm value of the Fan Current Analog parameter.')
dm200minor_high_fan_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 83), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200minorHighFanCurrent.setStatus('obsolete')
if mibBuilder.loadTexts:
dm200minorHighFanCurrent.setDescription('The value of this object provides the Minor High alarm value of the Fan Current Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.')
dm200minor_low_fan_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 84), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200minorLowFanCurrent.setStatus('obsolete')
if mibBuilder.loadTexts:
dm200minorLowFanCurrent.setDescription('The value of this object provides the Minor Low alarm value of the Fan Current Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.')
dm200current_value_fan_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 85), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200currentValueFanCurrent.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200currentValueFanCurrent.setDescription('The value of this object provides the Current value of the Fan Current Analog parameter.')
dm200state_flag_fan_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 86), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200stateFlagFanCurrent.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200stateFlagFanCurrent.setDescription('The value of this object provides the state of the Fan Current Analog parameter. (1-hidden 2-read-only, 3-updateable).')
dm200min_value_fan_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 87), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200minValueFanCurrent.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200minValueFanCurrent.setDescription('The value of this object provides the minimum value the Fan Current Analog parameter can achive.')
dm200max_value_fan_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 88), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200maxValueFanCurrent.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200maxValueFanCurrent.setDescription('The value of this object provides the maximum value the Fan Current Analog parameter can achive.')
dm200alarm_state_fan_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 89), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('noAlarm', 1), ('majorLowAlarm', 2), ('minorLowAlarm', 3), ('minorHighAlarm', 4), ('majorHighAlarm', 5), ('informational', 6)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200alarmStateFanCurrent.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200alarmStateFanCurrent.setDescription('The value of this object provides the curent alarm state of the Fan Current Analog parameter.')
gx2_dm200_digital_table_index = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
gx2Dm200DigitalTableIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
gx2Dm200DigitalTableIndex.setDescription('The value of this object identifies the network element. This index is equal to the hfcCommonTableIndex for the same element.')
dm200label_rf_input = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200labelRfInput.setStatus('optional')
if mibBuilder.loadTexts:
dm200labelRfInput.setDescription('The value of this object provides the label of the RF Input Control Digital parameter.')
dm200enum_rf_input = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 3), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200enumRfInput.setStatus('optional')
if mibBuilder.loadTexts:
dm200enumRfInput.setDescription('The value of this object represents the Enumeration values possible for the Digital parameter. Each Enumerated values is separated by a common. The first value has a enumerated value of 1.')
dm200value_rf_input = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('off', 1), ('on', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dm200valueRfInput.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200valueRfInput.setDescription('The value of this object is the current value of the parameter.')
dm200stateflag_rf_input = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200stateflagRfInput.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200stateflagRfInput.setDescription('The value of this object provides the state of the RF Input Control Digital parameter. (1-hidden 2-read-only, 3-updateable).')
dm200label_opt_output = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 6), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200labelOptOutput.setStatus('optional')
if mibBuilder.loadTexts:
dm200labelOptOutput.setDescription('The value of this object provides the label of the Optical Output Control Digital parameter.')
dm200enum_opt_output = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 7), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200enumOptOutput.setStatus('optional')
if mibBuilder.loadTexts:
dm200enumOptOutput.setDescription('The value of this object represents the Enumeration values possible for the Digital parameter. Each Enumerated values is separated by a common. The first value has a enumerated value of 1.')
dm200value_opt_output = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('off', 1), ('on', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dm200valueOptOutput.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200valueOptOutput.setDescription('The value of this object is the current value of the parameter.')
dm200stateflag_opt_output = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200stateflagOptOutput.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200stateflagOptOutput.setDescription('The value of this object provides the state of the the parameter. (1-hidden, 2-read-only, 3-updateable).')
dm200label_sbs_control = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 10), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200labelSbsControl.setStatus('optional')
if mibBuilder.loadTexts:
dm200labelSbsControl.setDescription('The value of this object provides the label of the SBS Control Digital parameter.')
dm200enum_sbs_control = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 11), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200enumSbsControl.setStatus('optional')
if mibBuilder.loadTexts:
dm200enumSbsControl.setDescription('The value of this object represents the Enumeration values possible for the Digital parameter. Each Enumerated values is separated by a common. The first value has a enumerated value of 1.')
dm200value_sbs_control = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('off', 1), ('on', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dm200valueSbsControl.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200valueSbsControl.setDescription('The value of this object is the current value of the parameter.')
dm200stateflag_sbs_control = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200stateflagSbsControl.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200stateflagSbsControl.setDescription('The value of this object provides the state of the the parameter. (1-hidden, 2-read-only, 3-updateable).')
dm200label_factory_default = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 14), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200labelFactoryDefault.setStatus('optional')
if mibBuilder.loadTexts:
dm200labelFactoryDefault.setDescription('The value of this object provides the label of the Factory Default Digital parameter.')
dm200enum_factory_default = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 15), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200enumFactoryDefault.setStatus('optional')
if mibBuilder.loadTexts:
dm200enumFactoryDefault.setDescription('The value of this object represents the Enumeration values possible for the Digital parameter. Each Enumerated values is separated by a common. The first value has a enumerated value of 1..')
dm200value_factory_default = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 16), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('off', 1), ('on', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dm200valueFactoryDefault.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200valueFactoryDefault.setDescription('The value of this object is the current value of the parameter. Return value is meaningless')
dm200stateflag_factory_default = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 17), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200stateflagFactoryDefault.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200stateflagFactoryDefault.setDescription('The value of this object provides the state of the the parameter. (1-hidden, 2-read-only, 3-updateable).')
gx2_dm200_status_table_index = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
gx2Dm200StatusTableIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
gx2Dm200StatusTableIndex.setDescription('The value of this object identifies the network element. This index is equal to the hfcCommonTableIndex for the same element.')
dm200label_boot = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200labelBoot.setStatus('optional')
if mibBuilder.loadTexts:
dm200labelBoot.setDescription('The value of this object provides the label of the Boot Status Status parameter.')
dm200value_boot = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('ok', 1), ('undetermined', 2), ('warning', 3), ('minor', 4), ('major', 5), ('critical', 6)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200valueBoot.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200valueBoot.setDescription('The value of this object provides the current state of the parameter (1-ok, 2-undetermined 3-warning, 4-minor, 5-major, 6-critical).')
dm200stateflag_boot = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200stateflagBoot.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200stateflagBoot.setDescription('The value of this object provides the state of the the parameter. (1-hidden, 2-read-only, 3-updateable).')
dm200label_flash = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 5), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200labelFlash.setStatus('optional')
if mibBuilder.loadTexts:
dm200labelFlash.setDescription('The value of this object provides the label of the Flash Status Status parameter.')
dm200value_flash = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('ok', 1), ('undetermined', 2), ('warning', 3), ('minor', 4), ('major', 5), ('critical', 6)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200valueFlash.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200valueFlash.setDescription('The value of this object provides the current state of the parameter (1-ok, 2-undetermined 3-warning, 4-minor, 5-major, 6-critical).')
dm200stateflag_flash = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200stateflagFlash.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200stateflagFlash.setDescription('The value of this object provides the state of the the parameter. (1-hidden, 2-read-only, 3-updateable).')
dm200label_factory_data_crc = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 8), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200labelFactoryDataCRC.setStatus('optional')
if mibBuilder.loadTexts:
dm200labelFactoryDataCRC.setDescription('The value of this object provides the label of the Factory Data CRC Status parameter.')
dm200value_factory_data_crc = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('ok', 1), ('undetermined', 2), ('warning', 3), ('minor', 4), ('major', 5), ('critical', 6)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200valueFactoryDataCRC.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200valueFactoryDataCRC.setDescription('The value of this object provides the current state of the parameter (1-ok, 2-undetermined 3-warning, 4-minor, 5-major, 6-critical).')
dm200stateflag_factory_data_crc = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200stateflagFactoryDataCRC.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200stateflagFactoryDataCRC.setDescription('The value of this object provides the state of the the parameter. (1-hidden, 2-read-only, 3-updateable).')
dm200label_laser_data_crc = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 11), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200labelLaserDataCRC.setStatus('optional')
if mibBuilder.loadTexts:
dm200labelLaserDataCRC.setDescription('The value of this object provides the label of the Laser Data CRC Status parameter.')
dm200value_laser_data_crc = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('ok', 1), ('undetermined', 2), ('warning', 3), ('minor', 4), ('major', 5), ('critical', 6)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200valueLaserDataCRC.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200valueLaserDataCRC.setDescription('The value of this object provides the current state of the parameter (1-ok, 2-undetermined 3-warning, 4-minor, 5-major, 6-critical).')
dm200stateflag_laser_data_crc = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200stateflagLaserDataCRC.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200stateflagLaserDataCRC.setDescription('The value of this object provides the state of the the parameter. (1-hidden, 2-read-only, 3-updateable).')
dm200label_alarm_data_crc = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 14), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200labelAlarmDataCrc.setStatus('optional')
if mibBuilder.loadTexts:
dm200labelAlarmDataCrc.setDescription('The value of this object provides the label of the Alarm Data Crc parameter.')
dm200value_alarm_data_crc = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 15), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('ok', 1), ('undetermined', 2), ('warning', 3), ('minor', 4), ('major', 5), ('critical', 6)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200valueAlarmDataCrc.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200valueAlarmDataCrc.setDescription('The value of this object provides the current state of the parameter (1-ok, 2-undetermined 3-warning, 4-minor, 5-major, 6-critical).')
dm200stateflag_alarm_data_crc = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 16), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200stateflagAlarmDataCrc.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200stateflagAlarmDataCrc.setDescription('The value of this object provides the state of the the parameter. (1-hidden, 2-read-only, 3-updateable).')
dm200label_rf_input_status = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 17), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200labelRFInputStatus.setStatus('optional')
if mibBuilder.loadTexts:
dm200labelRFInputStatus.setDescription('The value of this object provides the label of the Alarm Data Crc parameter.')
dm200value_rf_input_status = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 18), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('ok', 1), ('undetermined', 2), ('warning', 3), ('minor', 4), ('major', 5), ('critical', 6)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200valueRFInputStatus.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200valueRFInputStatus.setDescription('The value of this object provides the current state of the parameter (1-ok, 2-undetermined 3-warning, 4-minor, 5-major, 6-critical).')
dm200stateflag_rf_input_status = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 19), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200stateflagRFInputStatus.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200stateflagRFInputStatus.setDescription('The value of this object provides the state of the the parameter. (1-hidden, 2-read-only, 3-updateable).')
gx2_dm200_factory_table_index = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
gx2Dm200FactoryTableIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
gx2Dm200FactoryTableIndex.setDescription('The value of this object identifies the network element. This index is equal to the hfcCommonTableIndex for the same element.')
dm200boot_control_byte = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200bootControlByte.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200bootControlByte.setDescription('The value of this object indicates which bank the firmware is currently being boot from.')
dm200boot_status_byte = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200bootStatusByte.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200bootStatusByte.setDescription('This object indicates the status of the last boot. Bit 2 = Bank 0/1 Active (0 = Bank 0, 1 = Bank 1), Bit 1 = Bank 1 Fail and Bit 0 = Bank 0 Fail (0 = Pass, 1 = Fail)')
dm200bank1_crc = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200bank1CRC.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200bank1CRC.setDescription('This object provides the CRC code of bank 0. The display formate for the data is Hex.')
dm200bank2_crc = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200bank2CRC.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200bank2CRC.setDescription('This object provides the CRC code of bank 1.The display formate for the data is Hex.')
dm200prg_eeprom_byte = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200prgEEPROMByte.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200prgEEPROMByte.setDescription('This object indicates if the EEPROM has been programmed')
dm200factory_crc = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4, 7), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200factoryCRC.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200factoryCRC.setDescription('This object provides the CRC code for the Factory data.')
dm200calculate_crc = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('factory', 1), ('na', 2), ('alarm', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200calculateCRC.setStatus('obsolete')
if mibBuilder.loadTexts:
dm200calculateCRC.setDescription('This object indicates which of the Enums will have the CRC calculated.')
dm200hour_meter = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4, 9), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200hourMeter.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200hourMeter.setDescription('This object provides the hour meter reading of the module.')
dm200flash_prg_cnt_a = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4, 10), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200flashPrgCntA.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200flashPrgCntA.setDescription('This object provides the number of times Bank 1 flash has been programmed.')
dm200flash_prg_cnt_b = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4, 11), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200flashPrgCntB.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200flashPrgCntB.setDescription('This object provides the number of times Bank 1 flash has been programmed.')
dm200flash_bank_a_rev = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4, 12), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200flashBankARev.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200flashBankARev.setDescription('This object provides the revision of flash bank 0. The rev is 2 characters.')
dm200flash_bank_b_rev = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4, 13), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dm200flashBankBRev.setStatus('mandatory')
if mibBuilder.loadTexts:
dm200flashBankBRev.setDescription('This object provides the revision of flash bank 1. The rev is 2 characters.')
trap_dm200_config_change_integer = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (0, 1)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp'))
if mibBuilder.loadTexts:
trapDM200ConfigChangeInteger.setDescription("This trap is issued if configuration of a single variable with integer type was changed (via ANY interface). TrapChangedValueInteger variable may contain current reading of that variable. trapPerceivedSeverity - 'indeterminate'")
trap_dm200_config_change_display_string = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (0, 2)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueDisplayString'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp'))
if mibBuilder.loadTexts:
trapDM200ConfigChangeDisplayString.setDescription("This trap is issued if configuration of a single variable with DispalayString type was changed (via ANY interface). TrapChangedValueDisplayString variable may contain current reading of that variable. trapPerceivedSeverity - 'indeterminate'")
trap_dm200fan_current_alarm = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (0, 3)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp'))
if mibBuilder.loadTexts:
trapDM200fanCurrentAlarm.setDescription('This trap is issued when the Fan Current parameter goes out of range. trapAdditionalInfoInteger variable contains current reading of the this parameter.')
trap_dm200_module_temp_alarm = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (0, 4)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp'))
if mibBuilder.loadTexts:
trapDM200ModuleTempAlarm.setDescription('This trap is issued when the Module Temperature parameter goes out of range. trapAdditionalInfoInteger variable contains current reading of the this parameter.')
trap_dm200omi_offset_alarm = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (0, 5)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp'))
if mibBuilder.loadTexts:
trapDM200omiOffsetAlarm.setDescription('This trap is issued when the OMI Offset goes out of range.')
trap_dm200tec_current_alarm = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (0, 6)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp'))
if mibBuilder.loadTexts:
trapDM200tecCurrentAlarm.setDescription('This trap is issued when the TEC Current parameter goes out of range. trapAdditionalInfoInteger variable contains current reading of the this parameter.')
trap_dm200_laser_current_alarm = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (0, 7)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp'))
if mibBuilder.loadTexts:
trapDM200LaserCurrentAlarm.setDescription('This trap is issued when the Laser Current parameter goes out of range. trapAdditionalInfoInteger variable contains current reading of the this parameter.')
trap_dm200_laser_temp_alarm = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (0, 8)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp'))
if mibBuilder.loadTexts:
trapDM200LaserTempAlarm.setDescription('This trap is issued when the Laser Temp parameter goes out of range. trapAdditionalInfoInteger variable contains current reading of the this parameter.')
trap_dm200_laser_power_alarm = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (0, 9)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp'))
if mibBuilder.loadTexts:
trapDM200LaserPowerAlarm.setDescription('This trap is issued when the Laser Power parameter goes out of range. trapAdditionalInfoInteger variable contains current reading of the this parameter.')
trap_dm200_flash_alarm = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (0, 10)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp'))
if mibBuilder.loadTexts:
trapDM200FlashAlarm.setDescription('This trap is issued when the Laser Modules detects an error during Flash memory operations.')
trap_dm200_bank_boot_alarm = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (0, 11)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp'))
if mibBuilder.loadTexts:
trapDM200BankBootAlarm.setDescription('This trap is issued when the Laser Modules detects an error while booting from bank 0 or bank 1.')
trap_dm200_alarm_data_crc_alarm = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (0, 12)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp'))
if mibBuilder.loadTexts:
trapDM200AlarmDataCRCAlarm.setDescription('This trap is issued when the Alarm Data CRC is incorrect.')
trap_dm200_factory_data_crc_alarm = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (0, 13)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp'))
if mibBuilder.loadTexts:
trapDM200FactoryDataCRCAlarm.setDescription('This trap is issued when the Factory Data CRC is incorrect.')
trap_dm200_cal_data_crc_alarm = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (0, 14)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp'))
if mibBuilder.loadTexts:
trapDM200CalDataCRCAlarm.setDescription('This trap is issued when the Cal Data CRC is incorrect.')
trap_dm200_reset_fac_default = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (0, 15)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp'))
if mibBuilder.loadTexts:
trapDM200ResetFacDefault.setDescription('This trap is issued when the DM200 resets to factory defaults')
trap_dm200_user_rf_off_alarm = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (0, 16)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp'))
if mibBuilder.loadTexts:
trapDM200UserRFOffAlarm.setDescription('This trap is issued when the the User RF is turned off.')
trap_dm200_user_optical_off_alarm = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (0, 17)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp'))
if mibBuilder.loadTexts:
trapDM200UserOpticalOffAlarm.setDescription('This trap is issued when the User Optical Power is turned off.')
trap_dm200_user_sbs_off_alarm = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (0, 18)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp'))
if mibBuilder.loadTexts:
trapDM200UserSBSOffAlarm.setDescription('This trap is issued when the User SBS is turned off.')
trap_dm200_rf_input_alarm = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (0, 19)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp'))
if mibBuilder.loadTexts:
trapDM200RFInputAlarm.setDescription('This trap is issued when the Laser Modules RF input parameter goes out of range. trapAdditionalInfoInteger variable contains current reading of the this parameter.')
trap_dm200_rf_overload_alarm = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (0, 20)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp'))
if mibBuilder.loadTexts:
trapDM200RFOverloadAlarm.setDescription('This trap is issued when the Laser Modules RF overload parameter goes out of range. trapAdditionalInfoInteger variable contains current reading of the this parameter.')
mibBuilder.exportSymbols('OMNI-gx2Dm200-MIB', dm200minorHighLaserPower=dm200minorHighLaserPower, dm200labelBoot=dm200labelBoot, gx2Dm200StatusTableIndex=gx2Dm200StatusTableIndex, dm200labelModTemp=dm200labelModTemp, dm200maxValueOffsetNomMonitor=dm200maxValueOffsetNomMonitor, trapDM200omiOffsetAlarm=trapDM200omiOffsetAlarm, dm200minValueOffsetNomMonitor=dm200minValueOffsetNomMonitor, dm200uomTecCurrent=dm200uomTecCurrent, dm200currentValueTecCurrent=dm200currentValueTecCurrent, dm200stateFlagLaserTemp=dm200stateFlagLaserTemp, dm200stateFlagAttenSetting=dm200stateFlagAttenSetting, dm200stateflagFactoryDefault=dm200stateflagFactoryDefault, dm200maxValueFanCurrent=dm200maxValueFanCurrent, dm200majorLowLaserPower=dm200majorLowLaserPower, dm200alarmStateTecCurrent=dm200alarmStateTecCurrent, gx2Dm200AnalogEntry=gx2Dm200AnalogEntry, dm200maxValueModTemp=dm200maxValueModTemp, dm200majorLowOffsetNomMonitor=dm200majorLowOffsetNomMonitor, dm200alarmStateModTemp=dm200alarmStateModTemp, dm200alarmStateAttenSetting=dm200alarmStateAttenSetting, gx2Dm200DigitalTableIndex=gx2Dm200DigitalTableIndex, dm200bootControlByte=dm200bootControlByte, dm200factoryCRC=dm200factoryCRC, Float=Float, dm200majorHighLaserPower=dm200majorHighLaserPower, dm200minorHighOffsetNomMonitor=dm200minorHighOffsetNomMonitor, dm200currentValueLaserPower=dm200currentValueLaserPower, dm200labelOffsetNomMonitor=dm200labelOffsetNomMonitor, dm200minValueFanCurrent=dm200minValueFanCurrent, trapDM200UserSBSOffAlarm=trapDM200UserSBSOffAlarm, dm200flashPrgCntB=dm200flashPrgCntB, dm200alarmStateLaserTemp=dm200alarmStateLaserTemp, dm200stateflagFlash=dm200stateflagFlash, gx2Dm200DigitalTable=gx2Dm200DigitalTable, trapDM200ConfigChangeInteger=trapDM200ConfigChangeInteger, dm200labelFlash=dm200labelFlash, gx2Dm200AnalogTableIndex=gx2Dm200AnalogTableIndex, dm200labelLaserTemp=dm200labelLaserTemp, dm200stateFlagFanCurrent=dm200stateFlagFanCurrent, dm200labelOptOutput=dm200labelOptOutput, gx2Dm200StatusTable=gx2Dm200StatusTable, dm200majorLowAttenSetting=dm200majorLowAttenSetting, dm200maxValueLaserPower=dm200maxValueLaserPower, dm200valueOptOutput=dm200valueOptOutput, dm200minorHighTecCurrent=dm200minorHighTecCurrent, trapDM200fanCurrentAlarm=trapDM200fanCurrentAlarm, dm200uomModTemp=dm200uomModTemp, gx2Dm200AnalogTable=gx2Dm200AnalogTable, dm200bank2CRC=dm200bank2CRC, dm200uomFanCurrent=dm200uomFanCurrent, dm200majorLowModTemp=dm200majorLowModTemp, dm200minorHighAttenSetting=dm200minorHighAttenSetting, dm200valueBoot=dm200valueBoot, trapDM200AlarmDataCRCAlarm=trapDM200AlarmDataCRCAlarm, dm200alarmStateOffsetNomMonitor=dm200alarmStateOffsetNomMonitor, trapDM200RFOverloadAlarm=trapDM200RFOverloadAlarm, dm200labelFactoryDataCRC=dm200labelFactoryDataCRC, dm200stateflagAlarmDataCrc=dm200stateflagAlarmDataCrc, dm200majorHighFanCurrent=dm200majorHighFanCurrent, dm200majorLowFanCurrent=dm200majorLowFanCurrent, dm200minorLowLaserTemp=dm200minorLowLaserTemp, gx2Dm200StatusEntry=gx2Dm200StatusEntry, dm200labelFanCurrent=dm200labelFanCurrent, dm200currentValueOffsetNomMonitor=dm200currentValueOffsetNomMonitor, dm200majorHighModTemp=dm200majorHighModTemp, dm200currentValueFanCurrent=dm200currentValueFanCurrent, dm200labelTecCurrent=dm200labelTecCurrent, dm200minorLowModTemp=dm200minorLowModTemp, trapDM200ConfigChangeDisplayString=trapDM200ConfigChangeDisplayString, dm200minorLowLaserCurrent=dm200minorLowLaserCurrent, dm200minValueModTemp=dm200minValueModTemp, trapDM200BankBootAlarm=trapDM200BankBootAlarm, dm200stateflagOptOutput=dm200stateflagOptOutput, dm200prgEEPROMByte=dm200prgEEPROMByte, trapDM200tecCurrentAlarm=trapDM200tecCurrentAlarm, trapDM200LaserTempAlarm=trapDM200LaserTempAlarm, dm200valueRfInput=dm200valueRfInput, dm200enumSbsControl=dm200enumSbsControl, dm200stateflagSbsControl=dm200stateflagSbsControl, dm200stateflagFactoryDataCRC=dm200stateflagFactoryDataCRC, dm200valueFactoryDefault=dm200valueFactoryDefault, trapDM200FactoryDataCRCAlarm=trapDM200FactoryDataCRCAlarm, dm200uomLaserTemp=dm200uomLaserTemp, dm200minorLowTecCurrent=dm200minorLowTecCurrent, dm200minorHighModTemp=dm200minorHighModTemp, dm200labelAttenSetting=dm200labelAttenSetting, dm200alarmStateFanCurrent=dm200alarmStateFanCurrent, dm200minorHighLaserTemp=dm200minorHighLaserTemp, dm200majorHighTecCurrent=dm200majorHighTecCurrent, dm200majorHighOffsetNomMonitor=dm200majorHighOffsetNomMonitor, gx2Dm200DigitalEntry=gx2Dm200DigitalEntry, dm200currentValueAttenSetting=dm200currentValueAttenSetting, dm200majorHighLaserCurrent=dm200majorHighLaserCurrent, dm200labelRfInput=dm200labelRfInput, dm200labelAlarmDataCrc=dm200labelAlarmDataCrc, dm200uomLaserPower=dm200uomLaserPower, trapDM200RFInputAlarm=trapDM200RFInputAlarm, dm200currentValueModTemp=dm200currentValueModTemp, dm200uomOffsetNomMonitor=dm200uomOffsetNomMonitor, dm200labelRFInputStatus=dm200labelRFInputStatus, dm200minValueTecCurrent=dm200minValueTecCurrent, dm200alarmStateLaserPower=dm200alarmStateLaserPower, gx2Dm200Descriptor=gx2Dm200Descriptor, dm200majorLowLaserCurrent=dm200majorLowLaserCurrent, dm200labelLaserDataCRC=dm200labelLaserDataCRC, dm200stateFlagLaserCurrent=dm200stateFlagLaserCurrent, dm200minorHighFanCurrent=dm200minorHighFanCurrent, dm200maxValueTecCurrent=dm200maxValueTecCurrent, dm200majorLowTecCurrent=dm200majorLowTecCurrent, dm200majorHighAttenSetting=dm200majorHighAttenSetting, dm200valueFlash=dm200valueFlash, dm200majorHighLaserTemp=dm200majorHighLaserTemp, dm200stateFlagOffsetNomMonitor=dm200stateFlagOffsetNomMonitor, dm200valueAlarmDataCrc=dm200valueAlarmDataCrc, dm200stateFlagTecCurrent=dm200stateFlagTecCurrent, trapDM200FlashAlarm=trapDM200FlashAlarm, dm200minValueLaserCurrent=dm200minValueLaserCurrent, dm200stateflagRFInputStatus=dm200stateflagRFInputStatus, dm200maxValueLaserTemp=dm200maxValueLaserTemp, dm200currentValueLaserTemp=dm200currentValueLaserTemp, dm200majorLowLaserTemp=dm200majorLowLaserTemp, dm200calculateCRC=dm200calculateCRC, dm200labelLaserPower=dm200labelLaserPower, dm200flashBankBRev=dm200flashBankBRev, dm200flashBankARev=dm200flashBankARev, dm200bootStatusByte=dm200bootStatusByte, dm200minValueLaserPower=dm200minValueLaserPower, dm200labelLaserCurrent=dm200labelLaserCurrent, dm200minorHighLaserCurrent=dm200minorHighLaserCurrent, dm200currentValueLaserCurrent=dm200currentValueLaserCurrent, dm200uomLaserCurrent=dm200uomLaserCurrent, gx2Dm200FactoryTable=gx2Dm200FactoryTable, dm200valueRFInputStatus=dm200valueRFInputStatus, dm200labelFactoryDefault=dm200labelFactoryDefault, dm200stateFlagLaserPower=dm200stateFlagLaserPower, dm200minorLowFanCurrent=dm200minorLowFanCurrent, trapDM200UserOpticalOffAlarm=trapDM200UserOpticalOffAlarm, gx2Dm200FactoryEntry=gx2Dm200FactoryEntry, dm200minValueLaserTemp=dm200minValueLaserTemp, dm200alarmStateLaserCurrent=dm200alarmStateLaserCurrent, dm200labelSbsControl=dm200labelSbsControl, dm200valueFactoryDataCRC=dm200valueFactoryDataCRC, dm200enumRfInput=dm200enumRfInput, dm200stateflagLaserDataCRC=dm200stateflagLaserDataCRC, dm200enumFactoryDefault=dm200enumFactoryDefault, dm200bank1CRC=dm200bank1CRC, dm200hourMeter=dm200hourMeter, dm200maxValueLaserCurrent=dm200maxValueLaserCurrent, trapDM200UserRFOffAlarm=trapDM200UserRFOffAlarm, trapDM200LaserCurrentAlarm=trapDM200LaserCurrentAlarm, trapDM200ModuleTempAlarm=trapDM200ModuleTempAlarm, dm200flashPrgCntA=dm200flashPrgCntA, dm200enumOptOutput=dm200enumOptOutput, trapDM200ResetFacDefault=trapDM200ResetFacDefault, dm200minorLowAttenSetting=dm200minorLowAttenSetting, dm200stateflagRfInput=dm200stateflagRfInput, dm200minValueAttenSetting=dm200minValueAttenSetting, dm200maxValueAttenSetting=dm200maxValueAttenSetting, dm200valueLaserDataCRC=dm200valueLaserDataCRC, gx2Dm200FactoryTableIndex=gx2Dm200FactoryTableIndex, dm200minorLowOffsetNomMonitor=dm200minorLowOffsetNomMonitor, dm200valueSbsControl=dm200valueSbsControl, trapDM200LaserPowerAlarm=trapDM200LaserPowerAlarm, dm200stateFlagModTemp=dm200stateFlagModTemp, trapDM200CalDataCRCAlarm=trapDM200CalDataCRCAlarm, dm200stateflagBoot=dm200stateflagBoot, dm200minorLowLaserPower=dm200minorLowLaserPower, dm200uomAttenSetting=dm200uomAttenSetting) |
mybooltr= True #We declare the mybooltrue equal to True
myboolfa= False #We declare the myboolfalse equal to False
print(mybooltr == myboolfa) #It will print false because my mybooltr doesnt equal to myboolfa
print(mybooltr != myboolfa) #it will print true for the same reason
print(2 == 3) #It will print false because 2 doesnt equal to 3
print(7>7.0) #it will print false because 7 is not bigger from 7,0
print(9 >= 9.0) #it will print true for the same reason as above | mybooltr = True
myboolfa = False
print(mybooltr == myboolfa)
print(mybooltr != myboolfa)
print(2 == 3)
print(7 > 7.0)
print(9 >= 9.0) |
#
# @lc app=leetcode id=717 lang=python
#
# [717] 1-bit and 2-bit Characters
#
# https://leetcode.com/problems/1-bit-and-2-bit-characters/description/
#
# algorithms
# Easy (49.25%)
# Likes: 278
# Dislikes: 705
# Total Accepted: 44.9K
# Total Submissions: 91.1K
# Testcase Example: '[1,0,0]'
#
# We have two special characters. The first character can be represented by one
# bit 0. The second character can be represented by two bits (10 or 11).
#
# Now given a string represented by several bits. Return whether the last
# character must be a one-bit character or not. The given string will always
# end with a zero.
#
# Example 1:
#
# Input:
# bits = [1, 0, 0]
# Output: True
# Explanation:
# The only way to decode it is two-bit character and one-bit character. So the
# last character is one-bit character.
#
#
#
# Example 2:
#
# Input:
# bits = [1, 1, 1, 0]
# Output: False
# Explanation:
# The only way to decode it is two-bit character and two-bit character. So the
# last character is NOT one-bit character.
#
#
#
# Note:
# 1 .
# bits[i] is always 0 or 1.
#
#
class Solution(object):
def isOneBitCharacter(self, bits):
"""
:type bits: List[int]
:rtype: bool
"""
# hard to understand
index = 0
while index < len(bits) - 1:
if bits[index] == 1:
index += 2
else:
index += 1
return index == len(bits) - 1
| class Solution(object):
def is_one_bit_character(self, bits):
"""
:type bits: List[int]
:rtype: bool
"""
index = 0
while index < len(bits) - 1:
if bits[index] == 1:
index += 2
else:
index += 1
return index == len(bits) - 1 |
# Databricks notebook source
# MAGIC %scala
# MAGIC spark.conf.set("com.databricks.training.module_name", "Sensor_IoT")
# MAGIC val dbNamePrefix = {
# MAGIC val tags = com.databricks.logging.AttributionContext.current.tags
# MAGIC val name = tags.getOrElse(com.databricks.logging.BaseTagDefinitions.TAG_USER, java.util.UUID.randomUUID.toString.replace("-", ""))
# MAGIC val username = if (name != "unknown") name else dbutils.widgets.get("databricksUsername")
# MAGIC
# MAGIC val username_final = username.split('@')(0)
# MAGIC val module_name = spark.conf.get("com.databricks.training.module_name").toLowerCase()
# MAGIC
# MAGIC val databaseName = (username_final+"_"+module_name).replaceAll("[^a-zA-Z0-9]", "_") + "_db"
# MAGIC spark.conf.set("com.databricks.training.spark.dbName", databaseName)
# MAGIC spark.conf.set("com.databricks.training.spark.userName", username_final)
# MAGIC databaseName
# MAGIC }
# COMMAND ----------
databaseName = spark.conf.get("com.databricks.training.spark.dbName")
userName = spark.conf.get("com.databricks.training.spark.userName").replace('.', '_')
displayHTML("""User name is <b style="color:green">{}</b>.""".format(userName))
# COMMAND ----------
spark.sql("CREATE DATABASE IF NOT EXISTS {}".format(databaseName))
spark.sql("USE {}".format(databaseName))
displayHTML("""Using the database <b style="color:green">{}</b>.""".format(databaseName))
# COMMAND ----------
| database_name = spark.conf.get('com.databricks.training.spark.dbName')
user_name = spark.conf.get('com.databricks.training.spark.userName').replace('.', '_')
display_html('User name is <b style="color:green">{}</b>.'.format(userName))
spark.sql('CREATE DATABASE IF NOT EXISTS {}'.format(databaseName))
spark.sql('USE {}'.format(databaseName))
display_html('Using the database <b style="color:green">{}</b>.'.format(databaseName)) |
# from https://gist.github.com/jalavik/976294
# original XML at http://www.w3.org/Math/characters/unicode.xml
# XSL for conversion: https://gist.github.com/798546
unicode_to_latex = {
u"\u0020": "\\space ",
u"\u0023": "\\#",
u"\u0024": "\\textdollar ",
u"\u0025": "\\%",
u"\u0026": "\\&",
u"\u0027": "\\textquotesingle ",
u"\u002A": "\\ast ",
u"\u005C": "\\textbackslash ",
u"\u005E": "\\^{}",
u"\u005F": "\\_",
u"\u0060": "\\textasciigrave ",
u"\u007B": "\\lbrace ",
u"\u007C": "\\vert ",
u"\u007D": "\\rbrace ",
u"\u007E": "\\textasciitilde ",
u"\u00A1": "\\textexclamdown ",
u"\u00A2": "\\textcent ",
u"\u00A3": "\\textsterling ",
u"\u00A4": "\\textcurrency ",
u"\u00A5": "\\textyen ",
u"\u00A6": "\\textbrokenbar ",
u"\u00A7": "\\textsection ",
u"\u00A8": "\\textasciidieresis ",
u"\u00A9": "\\textcopyright ",
u"\u00AA": "\\textordfeminine ",
u"\u00AB": "\\guillemotleft ",
u"\u00AC": "\\lnot ",
u"\u00AD": "\\-",
u"\u00AE": "\\textregistered ",
u"\u00AF": "\\textasciimacron ",
u"\u00B0": "\\textdegree ",
u"\u00B1": "\\pm ",
u"\u00B2": "{^2}",
u"\u00B3": "{^3}",
u"\u00B4": "\\textasciiacute ",
u"\u00B5": "\\mathrm{\\mu}",
u"\u00B6": "\\textparagraph ",
u"\u00B7": "\\cdot ",
u"\u00B8": "\\c{}",
u"\u00B9": "{^1}",
u"\u00BA": "\\textordmasculine ",
u"\u00BB": "\\guillemotright ",
u"\u00BC": "\\textonequarter ",
u"\u00BD": "\\textonehalf ",
u"\u00BE": "\\textthreequarters ",
u"\u00BF": "\\textquestiondown ",
u"\u00C0": "\\`{A}",
u"\u00C1": "\\'{A}",
u"\u00C2": "\\^{A}",
u"\u00C3": "\\~{A}",
u"\u00C4": "\\\"{A}",
u"\u00C5": "\\AA ",
u"\u00C6": "\\AE ",
u"\u00C7": "\\c{C}",
u"\u00C8": "\\`{E}",
u"\u00C9": "\\'{E}",
u"\u00CA": "\\^{E}",
u"\u00CB": "\\\"{E}",
u"\u00CC": "\\`{I}",
u"\u00CD": "\\'{I}",
u"\u00CE": "\\^{I}",
u"\u00CF": "\\\"{I}",
u"\u00D0": "\\DH ",
u"\u00D1": "\\~{N}",
u"\u00D2": "\\`{O}",
u"\u00D3": "\\'{O}",
u"\u00D4": "\\^{O}",
u"\u00D5": "\\~{O}",
u"\u00D6": "\\\"{O}",
u"\u00D7": "\\texttimes ",
u"\u00D8": "\\O ",
u"\u00D9": "\\`{U}",
u"\u00DA": "\\'{U}",
u"\u00DB": "\\^{U}",
u"\u00DC": "\\\"{U}",
u"\u00DD": "\\'{Y}",
u"\u00DE": "\\TH ",
u"\u00DF": "\\ss ",
u"\u00E0": "\\`{a}",
u"\u00E1": "\\'{a}",
u"\u00E2": "\\^{a}",
u"\u00E3": "\\~{a}",
u"\u00E4": "\\\"{a}",
u"\u00E5": "\\aa ",
u"\u00E6": "\\ae ",
u"\u00E7": "\\c{c}",
u"\u00E8": "\\`{e}",
u"\u00E9": "\\'{e}",
u"\u00EA": "\\^{e}",
u"\u00EB": "\\\"{e}",
u"\u00EC": "\\`{\\i}",
u"\u00ED": "\\'{\\i}",
u"\u00EE": "\\^{\\i}",
u"\u00EF": "\\\"{\\i}",
u"\u00F0": "\\dh ",
u"\u00F1": "\\~{n}",
u"\u00F2": "\\`{o}",
u"\u00F3": "\\'{o}",
u"\u00F4": "\\^{o}",
u"\u00F5": "\\~{o}",
u"\u00F6": "\\\"{o}",
u"\u00F7": "\\div ",
u"\u00F8": "\\o ",
u"\u00F9": "\\`{u}",
u"\u00FA": "\\'{u}",
u"\u00FB": "\\^{u}",
u"\u00FC": "\\\"{u}",
u"\u00FD": "\\'{y}",
u"\u00FE": "\\th ",
u"\u00FF": "\\\"{y}",
u"\u0100": "\\={A}",
u"\u0101": "\\={a}",
u"\u0102": "\\u{A}",
u"\u0103": "\\u{a}",
u"\u0104": "\\k{A}",
u"\u0105": "\\k{a}",
u"\u0106": "\\'{C}",
u"\u0107": "\\'{c}",
u"\u0108": "\\^{C}",
u"\u0109": "\\^{c}",
u"\u010A": "\\.{C}",
u"\u010B": "\\.{c}",
u"\u010C": "\\v{C}",
u"\u010D": "\\v{c}",
u"\u010E": "\\v{D}",
u"\u010F": "\\v{d}",
u"\u0110": "\\DJ ",
u"\u0111": "\\dj ",
u"\u0112": "\\={E}",
u"\u0113": "\\={e}",
u"\u0114": "\\u{E}",
u"\u0115": "\\u{e}",
u"\u0116": "\\.{E}",
u"\u0117": "\\.{e}",
u"\u0118": "\\k{E}",
u"\u0119": "\\k{e}",
u"\u011A": "\\v{E}",
u"\u011B": "\\v{e}",
u"\u011C": "\\^{G}",
u"\u011D": "\\^{g}",
u"\u011E": "\\u{G}",
u"\u011F": "\\u{g}",
u"\u0120": "\\.{G}",
u"\u0121": "\\.{g}",
u"\u0122": "\\c{G}",
u"\u0123": "\\c{g}",
u"\u0124": "\\^{H}",
u"\u0125": "\\^{h}",
u"\u0126": "{\\fontencoding{LELA}\\selectfont\\char40}",
u"\u0127": "\\Elzxh ",
u"\u0128": "\\~{I}",
u"\u0129": "\\~{\\i}",
u"\u012A": "\\={I}",
u"\u012B": "\\={\\i}",
u"\u012C": "\\u{I}",
u"\u012D": "\\u{\\i}",
u"\u012E": "\\k{I}",
u"\u012F": "\\k{i}",
u"\u0130": "\\.{I}",
u"\u0131": "\\i ",
u"\u0132": "IJ",
u"\u0133": "ij",
u"\u0134": "\\^{J}",
u"\u0135": "\\^{\\j}",
u"\u0136": "\\c{K}",
u"\u0137": "\\c{k}",
u"\u0138": "{\\fontencoding{LELA}\\selectfont\\char91}",
u"\u0139": "\\'{L}",
u"\u013A": "\\'{l}",
u"\u013B": "\\c{L}",
u"\u013C": "\\c{l}",
u"\u013D": "\\v{L}",
u"\u013E": "\\v{l}",
u"\u013F": "{\\fontencoding{LELA}\\selectfont\\char201}",
u"\u0140": "{\\fontencoding{LELA}\\selectfont\\char202}",
u"\u0141": "\\L ",
u"\u0142": "\\l ",
u"\u0143": "\\'{N}",
u"\u0144": "\\'{n}",
u"\u0145": "\\c{N}",
u"\u0146": "\\c{n}",
u"\u0147": "\\v{N}",
u"\u0148": "\\v{n}",
u"\u0149": "'n",
u"\u014A": "\\NG ",
u"\u014B": "\\ng ",
u"\u014C": "\\={O}",
u"\u014D": "\\={o}",
u"\u014E": "\\u{O}",
u"\u014F": "\\u{o}",
u"\u0150": "\\H{O}",
u"\u0151": "\\H{o}",
u"\u0152": "\\OE ",
u"\u0153": "\\oe ",
u"\u0154": "\\'{R}",
u"\u0155": "\\'{r}",
u"\u0156": "\\c{R}",
u"\u0157": "\\c{r}",
u"\u0158": "\\v{R}",
u"\u0159": "\\v{r}",
u"\u015A": "\\'{S}",
u"\u015B": "\\'{s}",
u"\u015C": "\\^{S}",
u"\u015D": "\\^{s}",
u"\u015E": "\\c{S}",
u"\u015F": "\\c{s}",
u"\u0160": "\\v{S}",
u"\u0161": "\\v{s}",
u"\u0162": "\\c{T}",
u"\u0163": "\\c{t}",
u"\u0164": "\\v{T}",
u"\u0165": "\\v{t}",
u"\u0166": "{\\fontencoding{LELA}\\selectfont\\char47}",
u"\u0167": "{\\fontencoding{LELA}\\selectfont\\char63}",
u"\u0168": "\\~{U}",
u"\u0169": "\\~{u}",
u"\u016A": "\\={U}",
u"\u016B": "\\={u}",
u"\u016C": "\\u{U}",
u"\u016D": "\\u{u}",
u"\u016E": "\\r{U}",
u"\u016F": "\\r{u}",
u"\u0170": "\\H{U}",
u"\u0171": "\\H{u}",
u"\u0172": "\\k{U}",
u"\u0173": "\\k{u}",
u"\u0174": "\\^{W}",
u"\u0175": "\\^{w}",
u"\u0176": "\\^{Y}",
u"\u0177": "\\^{y}",
u"\u0178": "\\\"{Y}",
u"\u0179": "\\'{Z}",
u"\u017A": "\\'{z}",
u"\u017B": "\\.{Z}",
u"\u017C": "\\.{z}",
u"\u017D": "\\v{Z}",
u"\u017E": "\\v{z}",
u"\u0195": "\\texthvlig ",
u"\u019E": "\\textnrleg ",
u"\u01AA": "\\eth ",
u"\u01BA": "{\\fontencoding{LELA}\\selectfont\\char195}",
u"\u01C2": "\\textdoublepipe ",
u"\u01F5": "\\'{g}",
u"\u0250": "\\Elztrna ",
u"\u0252": "\\Elztrnsa ",
u"\u0254": "\\Elzopeno ",
u"\u0256": "\\Elzrtld ",
u"\u0258": "{\\fontencoding{LEIP}\\selectfont\\char61}",
u"\u0259": "\\Elzschwa ",
u"\u025B": "\\varepsilon ",
u"\u0263": "\\Elzpgamma ",
u"\u0264": "\\Elzpbgam ",
u"\u0265": "\\Elztrnh ",
u"\u026C": "\\Elzbtdl ",
u"\u026D": "\\Elzrtll ",
u"\u026F": "\\Elztrnm ",
u"\u0270": "\\Elztrnmlr ",
u"\u0271": "\\Elzltlmr ",
u"\u0272": "\\Elzltln ",
u"\u0273": "\\Elzrtln ",
u"\u0277": "\\Elzclomeg ",
u"\u0278": "\\textphi ",
u"\u0279": "\\Elztrnr ",
u"\u027A": "\\Elztrnrl ",
u"\u027B": "\\Elzrttrnr ",
u"\u027C": "\\Elzrl ",
u"\u027D": "\\Elzrtlr ",
u"\u027E": "\\Elzfhr ",
u"\u027F": "{\\fontencoding{LEIP}\\selectfont\\char202}",
u"\u0282": "\\Elzrtls ",
u"\u0283": "\\Elzesh ",
u"\u0287": "\\Elztrnt ",
u"\u0288": "\\Elzrtlt ",
u"\u028A": "\\Elzpupsil ",
u"\u028B": "\\Elzpscrv ",
u"\u028C": "\\Elzinvv ",
u"\u028D": "\\Elzinvw ",
u"\u028E": "\\Elztrny ",
u"\u0290": "\\Elzrtlz ",
u"\u0292": "\\Elzyogh ",
u"\u0294": "\\Elzglst ",
u"\u0295": "\\Elzreglst ",
u"\u0296": "\\Elzinglst ",
u"\u029E": "\\textturnk ",
u"\u02A4": "\\Elzdyogh ",
u"\u02A7": "\\Elztesh ",
u"\u02C7": "\\textasciicaron ",
u"\u02C8": "\\Elzverts ",
u"\u02CC": "\\Elzverti ",
u"\u02D0": "\\Elzlmrk ",
u"\u02D1": "\\Elzhlmrk ",
u"\u02D2": "\\Elzsbrhr ",
u"\u02D3": "\\Elzsblhr ",
u"\u02D4": "\\Elzrais ",
u"\u02D5": "\\Elzlow ",
u"\u02D8": "\\textasciibreve ",
u"\u02D9": "\\textperiodcentered ",
u"\u02DA": "\\r{}",
u"\u02DB": "\\k{}",
u"\u02DC": "\\texttildelow ",
u"\u02DD": "\\H{}",
u"\u02E5": "\\tone{55}",
u"\u02E6": "\\tone{44}",
u"\u02E7": "\\tone{33}",
u"\u02E8": "\\tone{22}",
u"\u02E9": "\\tone{11}",
u"\u0300": "\\`",
u"\u0301": "\\'",
u"\u0302": "\\^",
u"\u0303": "\\~",
u"\u0304": "\\=",
u"\u0306": "\\u",
u"\u0307": "\\.",
u"\u0308": "\\\"",
u"\u030A": "\\r",
u"\u030B": "\\H",
u"\u030C": "\\v",
u"\u030F": "\\cyrchar\\C",
u"\u0311": "{\\fontencoding{LECO}\\selectfont\\char177}",
u"\u0318": "{\\fontencoding{LECO}\\selectfont\\char184}",
u"\u0319": "{\\fontencoding{LECO}\\selectfont\\char185}",
u"\u0321": "\\Elzpalh ",
u"\u0322": "\\Elzrh ",
u"\u0327": "\\c",
u"\u0328": "\\k",
u"\u032A": "\\Elzsbbrg ",
u"\u032B": "{\\fontencoding{LECO}\\selectfont\\char203}",
u"\u032F": "{\\fontencoding{LECO}\\selectfont\\char207}",
u"\u0335": "\\Elzxl ",
u"\u0336": "\\Elzbar ",
u"\u0337": "{\\fontencoding{LECO}\\selectfont\\char215}",
u"\u0338": "{\\fontencoding{LECO}\\selectfont\\char216}",
u"\u033A": "{\\fontencoding{LECO}\\selectfont\\char218}",
u"\u033B": "{\\fontencoding{LECO}\\selectfont\\char219}",
u"\u033C": "{\\fontencoding{LECO}\\selectfont\\char220}",
u"\u033D": "{\\fontencoding{LECO}\\selectfont\\char221}",
u"\u0361": "{\\fontencoding{LECO}\\selectfont\\char225}",
u"\u0386": "\\'{A}",
u"\u0388": "\\'{E}",
u"\u0389": "\\'{H}",
u"\u038A": "\\'{}{I}",
u"\u038C": "\\'{}O",
u"\u038E": "\\mathrm{'Y}",
u"\u038F": "\\mathrm{'\\Omega}",
u"\u0390": "\\acute{\\ddot{\\iota}}",
u"\u0391": "\\Alpha ",
u"\u0392": "\\Beta ",
u"\u0393": "\\Gamma ",
u"\u0394": "\\Delta ",
u"\u0395": "\\Epsilon ",
u"\u0396": "\\Zeta ",
u"\u0397": "\\Eta ",
u"\u0398": "\\Theta ",
u"\u0399": "\\Iota ",
u"\u039A": "\\Kappa ",
u"\u039B": "\\Lambda ",
u"\u039E": "\\Xi ",
u"\u03A0": "\\Pi ",
u"\u03A1": "\\Rho ",
u"\u03A3": "\\Sigma ",
u"\u03A4": "\\Tau ",
u"\u03A5": "\\Upsilon ",
u"\u03A6": "\\Phi ",
u"\u03A7": "\\Chi ",
u"\u03A8": "\\Psi ",
u"\u03A9": "\\Omega ",
u"\u03AA": "\\mathrm{\\ddot{I}}",
u"\u03AB": "\\mathrm{\\ddot{Y}}",
u"\u03AC": "\\'{$\\alpha$}",
u"\u03AD": "\\acute{\\epsilon}",
u"\u03AE": "\\acute{\\eta}",
u"\u03AF": "\\acute{\\iota}",
u"\u03B0": "\\acute{\\ddot{\\upsilon}}",
u"\u03B1": "\\alpha ",
u"\u03B2": "\\beta ",
u"\u03B3": "\\gamma ",
u"\u03B4": "\\delta ",
u"\u03B5": "\\epsilon ",
u"\u03B6": "\\zeta ",
u"\u03B7": "\\eta ",
u"\u03B8": "\\texttheta ",
u"\u03B9": "\\iota ",
u"\u03BA": "\\kappa ",
u"\u03BB": "\\lambda ",
u"\u03BC": "\\mu ",
u"\u03BD": "\\nu ",
u"\u03BE": "\\xi ",
u"\u03C0": "\\pi ",
u"\u03C1": "\\rho ",
u"\u03C2": "\\varsigma ",
u"\u03C3": "\\sigma ",
u"\u03C4": "\\tau ",
u"\u03C5": "\\upsilon ",
u"\u03C6": "\\varphi ",
u"\u03C7": "\\chi ",
u"\u03C8": "\\psi ",
u"\u03C9": "\\omega ",
u"\u03CA": "\\ddot{\\iota}",
u"\u03CB": "\\ddot{\\upsilon}",
u"\u03CC": "\\'{o}",
u"\u03CD": "\\acute{\\upsilon}",
u"\u03CE": "\\acute{\\omega}",
u"\u03D0": "\\Pisymbol{ppi022}{87}",
u"\u03D1": "\\textvartheta ",
u"\u03D2": "\\Upsilon ",
u"\u03D5": "\\phi ",
u"\u03D6": "\\varpi ",
u"\u03DA": "\\Stigma ",
u"\u03DC": "\\Digamma ",
u"\u03DD": "\\digamma ",
u"\u03DE": "\\Koppa ",
u"\u03E0": "\\Sampi ",
u"\u03F0": "\\varkappa ",
u"\u03F1": "\\varrho ",
u"\u03F4": "\\textTheta ",
u"\u03F6": "\\backepsilon ",
u"\u0401": "\\cyrchar\\CYRYO ",
u"\u0402": "\\cyrchar\\CYRDJE ",
u"\u0403": "\\cyrchar{\\'\\CYRG}",
u"\u0404": "\\cyrchar\\CYRIE ",
u"\u0405": "\\cyrchar\\CYRDZE ",
u"\u0406": "\\cyrchar\\CYRII ",
u"\u0407": "\\cyrchar\\CYRYI ",
u"\u0408": "\\cyrchar\\CYRJE ",
u"\u0409": "\\cyrchar\\CYRLJE ",
u"\u040A": "\\cyrchar\\CYRNJE ",
u"\u040B": "\\cyrchar\\CYRTSHE ",
u"\u040C": "\\cyrchar{\\'\\CYRK}",
u"\u040E": "\\cyrchar\\CYRUSHRT ",
u"\u040F": "\\cyrchar\\CYRDZHE ",
u"\u0410": "\\cyrchar\\CYRA ",
u"\u0411": "\\cyrchar\\CYRB ",
u"\u0412": "\\cyrchar\\CYRV ",
u"\u0413": "\\cyrchar\\CYRG ",
u"\u0414": "\\cyrchar\\CYRD ",
u"\u0415": "\\cyrchar\\CYRE ",
u"\u0416": "\\cyrchar\\CYRZH ",
u"\u0417": "\\cyrchar\\CYRZ ",
u"\u0418": "\\cyrchar\\CYRI ",
u"\u0419": "\\cyrchar\\CYRISHRT ",
u"\u041A": "\\cyrchar\\CYRK ",
u"\u041B": "\\cyrchar\\CYRL ",
u"\u041C": "\\cyrchar\\CYRM ",
u"\u041D": "\\cyrchar\\CYRN ",
u"\u041E": "\\cyrchar\\CYRO ",
u"\u041F": "\\cyrchar\\CYRP ",
u"\u0420": "\\cyrchar\\CYRR ",
u"\u0421": "\\cyrchar\\CYRS ",
u"\u0422": "\\cyrchar\\CYRT ",
u"\u0423": "\\cyrchar\\CYRU ",
u"\u0424": "\\cyrchar\\CYRF ",
u"\u0425": "\\cyrchar\\CYRH ",
u"\u0426": "\\cyrchar\\CYRC ",
u"\u0427": "\\cyrchar\\CYRCH ",
u"\u0428": "\\cyrchar\\CYRSH ",
u"\u0429": "\\cyrchar\\CYRSHCH ",
u"\u042A": "\\cyrchar\\CYRHRDSN ",
u"\u042B": "\\cyrchar\\CYRERY ",
u"\u042C": "\\cyrchar\\CYRSFTSN ",
u"\u042D": "\\cyrchar\\CYREREV ",
u"\u042E": "\\cyrchar\\CYRYU ",
u"\u042F": "\\cyrchar\\CYRYA ",
u"\u0430": "\\cyrchar\\cyra ",
u"\u0431": "\\cyrchar\\cyrb ",
u"\u0432": "\\cyrchar\\cyrv ",
u"\u0433": "\\cyrchar\\cyrg ",
u"\u0434": "\\cyrchar\\cyrd ",
u"\u0435": "\\cyrchar\\cyre ",
u"\u0436": "\\cyrchar\\cyrzh ",
u"\u0437": "\\cyrchar\\cyrz ",
u"\u0438": "\\cyrchar\\cyri ",
u"\u0439": "\\cyrchar\\cyrishrt ",
u"\u043A": "\\cyrchar\\cyrk ",
u"\u043B": "\\cyrchar\\cyrl ",
u"\u043C": "\\cyrchar\\cyrm ",
u"\u043D": "\\cyrchar\\cyrn ",
u"\u043E": "\\cyrchar\\cyro ",
u"\u043F": "\\cyrchar\\cyrp ",
u"\u0440": "\\cyrchar\\cyrr ",
u"\u0441": "\\cyrchar\\cyrs ",
u"\u0442": "\\cyrchar\\cyrt ",
u"\u0443": "\\cyrchar\\cyru ",
u"\u0444": "\\cyrchar\\cyrf ",
u"\u0445": "\\cyrchar\\cyrh ",
u"\u0446": "\\cyrchar\\cyrc ",
u"\u0447": "\\cyrchar\\cyrch ",
u"\u0448": "\\cyrchar\\cyrsh ",
u"\u0449": "\\cyrchar\\cyrshch ",
u"\u044A": "\\cyrchar\\cyrhrdsn ",
u"\u044B": "\\cyrchar\\cyrery ",
u"\u044C": "\\cyrchar\\cyrsftsn ",
u"\u044D": "\\cyrchar\\cyrerev ",
u"\u044E": "\\cyrchar\\cyryu ",
u"\u044F": "\\cyrchar\\cyrya ",
u"\u0451": "\\cyrchar\\cyryo ",
u"\u0452": "\\cyrchar\\cyrdje ",
u"\u0453": "\\cyrchar{\\'\\cyrg}",
u"\u0454": "\\cyrchar\\cyrie ",
u"\u0455": "\\cyrchar\\cyrdze ",
u"\u0456": "\\cyrchar\\cyrii ",
u"\u0457": "\\cyrchar\\cyryi ",
u"\u0458": "\\cyrchar\\cyrje ",
u"\u0459": "\\cyrchar\\cyrlje ",
u"\u045A": "\\cyrchar\\cyrnje ",
u"\u045B": "\\cyrchar\\cyrtshe ",
u"\u045C": "\\cyrchar{\\'\\cyrk}",
u"\u045E": "\\cyrchar\\cyrushrt ",
u"\u045F": "\\cyrchar\\cyrdzhe ",
u"\u0460": "\\cyrchar\\CYROMEGA ",
u"\u0461": "\\cyrchar\\cyromega ",
u"\u0462": "\\cyrchar\\CYRYAT ",
u"\u0464": "\\cyrchar\\CYRIOTE ",
u"\u0465": "\\cyrchar\\cyriote ",
u"\u0466": "\\cyrchar\\CYRLYUS ",
u"\u0467": "\\cyrchar\\cyrlyus ",
u"\u0468": "\\cyrchar\\CYRIOTLYUS ",
u"\u0469": "\\cyrchar\\cyriotlyus ",
u"\u046A": "\\cyrchar\\CYRBYUS ",
u"\u046C": "\\cyrchar\\CYRIOTBYUS ",
u"\u046D": "\\cyrchar\\cyriotbyus ",
u"\u046E": "\\cyrchar\\CYRKSI ",
u"\u046F": "\\cyrchar\\cyrksi ",
u"\u0470": "\\cyrchar\\CYRPSI ",
u"\u0471": "\\cyrchar\\cyrpsi ",
u"\u0472": "\\cyrchar\\CYRFITA ",
u"\u0474": "\\cyrchar\\CYRIZH ",
u"\u0478": "\\cyrchar\\CYRUK ",
u"\u0479": "\\cyrchar\\cyruk ",
u"\u047A": "\\cyrchar\\CYROMEGARND ",
u"\u047B": "\\cyrchar\\cyromegarnd ",
u"\u047C": "\\cyrchar\\CYROMEGATITLO ",
u"\u047D": "\\cyrchar\\cyromegatitlo ",
u"\u047E": "\\cyrchar\\CYROT ",
u"\u047F": "\\cyrchar\\cyrot ",
u"\u0480": "\\cyrchar\\CYRKOPPA ",
u"\u0481": "\\cyrchar\\cyrkoppa ",
u"\u0482": "\\cyrchar\\cyrthousands ",
u"\u0488": "\\cyrchar\\cyrhundredthousands ",
u"\u0489": "\\cyrchar\\cyrmillions ",
u"\u048C": "\\cyrchar\\CYRSEMISFTSN ",
u"\u048D": "\\cyrchar\\cyrsemisftsn ",
u"\u048E": "\\cyrchar\\CYRRTICK ",
u"\u048F": "\\cyrchar\\cyrrtick ",
u"\u0490": "\\cyrchar\\CYRGUP ",
u"\u0491": "\\cyrchar\\cyrgup ",
u"\u0492": "\\cyrchar\\CYRGHCRS ",
u"\u0493": "\\cyrchar\\cyrghcrs ",
u"\u0494": "\\cyrchar\\CYRGHK ",
u"\u0495": "\\cyrchar\\cyrghk ",
u"\u0496": "\\cyrchar\\CYRZHDSC ",
u"\u0497": "\\cyrchar\\cyrzhdsc ",
u"\u0498": "\\cyrchar\\CYRZDSC ",
u"\u0499": "\\cyrchar\\cyrzdsc ",
u"\u049A": "\\cyrchar\\CYRKDSC ",
u"\u049B": "\\cyrchar\\cyrkdsc ",
u"\u049C": "\\cyrchar\\CYRKVCRS ",
u"\u049D": "\\cyrchar\\cyrkvcrs ",
u"\u049E": "\\cyrchar\\CYRKHCRS ",
u"\u049F": "\\cyrchar\\cyrkhcrs ",
u"\u04A0": "\\cyrchar\\CYRKBEAK ",
u"\u04A1": "\\cyrchar\\cyrkbeak ",
u"\u04A2": "\\cyrchar\\CYRNDSC ",
u"\u04A3": "\\cyrchar\\cyrndsc ",
u"\u04A4": "\\cyrchar\\CYRNG ",
u"\u04A5": "\\cyrchar\\cyrng ",
u"\u04A6": "\\cyrchar\\CYRPHK ",
u"\u04A7": "\\cyrchar\\cyrphk ",
u"\u04A8": "\\cyrchar\\CYRABHHA ",
u"\u04A9": "\\cyrchar\\cyrabhha ",
u"\u04AA": "\\cyrchar\\CYRSDSC ",
u"\u04AB": "\\cyrchar\\cyrsdsc ",
u"\u04AC": "\\cyrchar\\CYRTDSC ",
u"\u04AD": "\\cyrchar\\cyrtdsc ",
u"\u04AE": "\\cyrchar\\CYRY ",
u"\u04AF": "\\cyrchar\\cyry ",
u"\u04B0": "\\cyrchar\\CYRYHCRS ",
u"\u04B1": "\\cyrchar\\cyryhcrs ",
u"\u04B2": "\\cyrchar\\CYRHDSC ",
u"\u04B3": "\\cyrchar\\cyrhdsc ",
u"\u04B4": "\\cyrchar\\CYRTETSE ",
u"\u04B5": "\\cyrchar\\cyrtetse ",
u"\u04B6": "\\cyrchar\\CYRCHRDSC ",
u"\u04B7": "\\cyrchar\\cyrchrdsc ",
u"\u04B8": "\\cyrchar\\CYRCHVCRS ",
u"\u04B9": "\\cyrchar\\cyrchvcrs ",
u"\u04BA": "\\cyrchar\\CYRSHHA ",
u"\u04BB": "\\cyrchar\\cyrshha ",
u"\u04BC": "\\cyrchar\\CYRABHCH ",
u"\u04BD": "\\cyrchar\\cyrabhch ",
u"\u04BE": "\\cyrchar\\CYRABHCHDSC ",
u"\u04BF": "\\cyrchar\\cyrabhchdsc ",
u"\u04C0": "\\cyrchar\\CYRpalochka ",
u"\u04C3": "\\cyrchar\\CYRKHK ",
u"\u04C4": "\\cyrchar\\cyrkhk ",
u"\u04C7": "\\cyrchar\\CYRNHK ",
u"\u04C8": "\\cyrchar\\cyrnhk ",
u"\u04CB": "\\cyrchar\\CYRCHLDSC ",
u"\u04CC": "\\cyrchar\\cyrchldsc ",
u"\u04D4": "\\cyrchar\\CYRAE ",
u"\u04D5": "\\cyrchar\\cyrae ",
u"\u04D8": "\\cyrchar\\CYRSCHWA ",
u"\u04D9": "\\cyrchar\\cyrschwa ",
u"\u04E0": "\\cyrchar\\CYRABHDZE ",
u"\u04E1": "\\cyrchar\\cyrabhdze ",
u"\u04E8": "\\cyrchar\\CYROTLD ",
u"\u04E9": "\\cyrchar\\cyrotld ",
u"\u2002": "\\hspace{0.6em}",
u"\u2003": "\\hspace{1em}",
u"\u2004": "\\hspace{0.33em}",
u"\u2005": "\\hspace{0.25em}",
u"\u2006": "\\hspace{0.166em}",
u"\u2007": "\\hphantom{0}",
u"\u2008": "\\hphantom{,}",
u"\u2009": "\\hspace{0.167em}",
u"\u2009-0200A-0200A": "\\;",
u"\u200A": "\\mkern1mu ",
u"\u2013": "\\textendash ",
u"\u2014": "\\textemdash ",
u"\u2015": "\\rule{1em}{1pt}",
u"\u2016": "\\Vert ",
u"\u201B": "\\Elzreapos ",
u"\u201C": "\\textquotedblleft ",
u"\u201D": "\\textquotedblright ",
u"\u201E": ",,",
u"\u2020": "\\textdagger ",
u"\u2021": "\\textdaggerdbl ",
u"\u2022": "\\textbullet ",
u"\u2025": "..",
u"\u2026": "\\ldots ",
u"\u2030": "\\textperthousand ",
u"\u2031": "\\textpertenthousand ",
u"\u2032": "{'}",
u"\u2033": "{''}",
u"\u2034": "{'''}",
u"\u2035": "\\backprime ",
u"\u2039": "\\guilsinglleft ",
u"\u203A": "\\guilsinglright ",
u"\u2057": "''''",
u"\u205F": "\\mkern4mu ",
u"\u2060": "\\nolinebreak ",
u"\u20A7": "\\ensuremath{\\Elzpes}",
u"\u20AC": "\\mbox{\\texteuro} ",
u"\u20DB": "\\dddot ",
u"\u20DC": "\\ddddot ",
u"\u2102": "\\mathbb{C}",
u"\u210A": "\\mathscr{g}",
u"\u210B": "\\mathscr{H}",
u"\u210C": "\\mathfrak{H}",
u"\u210D": "\\mathbb{H}",
u"\u210F": "\\hslash ",
u"\u2110": "\\mathscr{I}",
u"\u2111": "\\mathfrak{I}",
u"\u2112": "\\mathscr{L}",
u"\u2113": "\\mathscr{l}",
u"\u2115": "\\mathbb{N}",
u"\u2116": "\\cyrchar\\textnumero ",
u"\u2118": "\\wp ",
u"\u2119": "\\mathbb{P}",
u"\u211A": "\\mathbb{Q}",
u"\u211B": "\\mathscr{R}",
u"\u211C": "\\mathfrak{R}",
u"\u211D": "\\mathbb{R}",
u"\u211E": "\\Elzxrat ",
u"\u2122": "\\texttrademark ",
u"\u2124": "\\mathbb{Z}",
u"\u2126": "\\Omega ",
u"\u2127": "\\mho ",
u"\u2128": "\\mathfrak{Z}",
u"\u2129": "\\ElsevierGlyph{2129}",
u"\u212B": "\\AA ",
u"\u212C": "\\mathscr{B}",
u"\u212D": "\\mathfrak{C}",
u"\u212F": "\\mathscr{e}",
u"\u2130": "\\mathscr{E}",
u"\u2131": "\\mathscr{F}",
u"\u2133": "\\mathscr{M}",
u"\u2134": "\\mathscr{o}",
u"\u2135": "\\aleph ",
u"\u2136": "\\beth ",
u"\u2137": "\\gimel ",
u"\u2138": "\\daleth ",
u"\u2153": "\\textfrac{1}{3}",
u"\u2154": "\\textfrac{2}{3}",
u"\u2155": "\\textfrac{1}{5}",
u"\u2156": "\\textfrac{2}{5}",
u"\u2157": "\\textfrac{3}{5}",
u"\u2158": "\\textfrac{4}{5}",
u"\u2159": "\\textfrac{1}{6}",
u"\u215A": "\\textfrac{5}{6}",
u"\u215B": "\\textfrac{1}{8}",
u"\u215C": "\\textfrac{3}{8}",
u"\u215D": "\\textfrac{5}{8}",
u"\u215E": "\\textfrac{7}{8}",
u"\u2190": "\\leftarrow ",
u"\u2191": "\\uparrow ",
u"\u2192": "\\rightarrow ",
u"\u2193": "\\downarrow ",
u"\u2194": "\\leftrightarrow ",
u"\u2195": "\\updownarrow ",
u"\u2196": "\\nwarrow ",
u"\u2197": "\\nearrow ",
u"\u2198": "\\searrow ",
u"\u2199": "\\swarrow ",
u"\u219A": "\\nleftarrow ",
u"\u219B": "\\nrightarrow ",
u"\u219C": "\\arrowwaveright ",
u"\u219D": "\\arrowwaveright ",
u"\u219E": "\\twoheadleftarrow ",
u"\u21A0": "\\twoheadrightarrow ",
u"\u21A2": "\\leftarrowtail ",
u"\u21A3": "\\rightarrowtail ",
u"\u21A6": "\\mapsto ",
u"\u21A9": "\\hookleftarrow ",
u"\u21AA": "\\hookrightarrow ",
u"\u21AB": "\\looparrowleft ",
u"\u21AC": "\\looparrowright ",
u"\u21AD": "\\leftrightsquigarrow ",
u"\u21AE": "\\nleftrightarrow ",
u"\u21B0": "\\Lsh ",
u"\u21B1": "\\Rsh ",
u"\u21B3": "\\ElsevierGlyph{21B3}",
u"\u21B6": "\\curvearrowleft ",
u"\u21B7": "\\curvearrowright ",
u"\u21BA": "\\circlearrowleft ",
u"\u21BB": "\\circlearrowright ",
u"\u21BC": "\\leftharpoonup ",
u"\u21BD": "\\leftharpoondown ",
u"\u21BE": "\\upharpoonright ",
u"\u21BF": "\\upharpoonleft ",
u"\u21C0": "\\rightharpoonup ",
u"\u21C1": "\\rightharpoondown ",
u"\u21C2": "\\downharpoonright ",
u"\u21C3": "\\downharpoonleft ",
u"\u21C4": "\\rightleftarrows ",
u"\u21C5": "\\dblarrowupdown ",
u"\u21C6": "\\leftrightarrows ",
u"\u21C7": "\\leftleftarrows ",
u"\u21C8": "\\upuparrows ",
u"\u21C9": "\\rightrightarrows ",
u"\u21CA": "\\downdownarrows ",
u"\u21CB": "\\leftrightharpoons ",
u"\u21CC": "\\rightleftharpoons ",
u"\u21CD": "\\nLeftarrow ",
u"\u21CE": "\\nLeftrightarrow ",
u"\u21CF": "\\nRightarrow ",
u"\u21D0": "\\Leftarrow ",
u"\u21D1": "\\Uparrow ",
u"\u21D2": "\\Rightarrow ",
u"\u21D3": "\\Downarrow ",
u"\u21D4": "\\Leftrightarrow ",
u"\u21D5": "\\Updownarrow ",
u"\u21DA": "\\Lleftarrow ",
u"\u21DB": "\\Rrightarrow ",
u"\u21DD": "\\rightsquigarrow ",
u"\u21F5": "\\DownArrowUpArrow ",
u"\u2200": "\\forall ",
u"\u2201": "\\complement ",
u"\u2202": "\\partial ",
u"\u2203": "\\exists ",
u"\u2204": "\\nexists ",
u"\u2205": "\\varnothing ",
u"\u2207": "\\nabla ",
u"\u2208": "\\in ",
u"\u2209": "\\not\\in ",
u"\u220B": "\\ni ",
u"\u220C": "\\not\\ni ",
u"\u220F": "\\prod ",
u"\u2210": "\\coprod ",
u"\u2211": "\\sum ",
u"\u2213": "\\mp ",
u"\u2214": "\\dotplus ",
u"\u2216": "\\setminus ",
u"\u2217": "{_\\ast}",
u"\u2218": "\\circ ",
u"\u2219": "\\bullet ",
u"\u221A": "\\surd ",
u"\u221D": "\\propto ",
u"\u221E": "\\infty ",
u"\u221F": "\\rightangle ",
u"\u2220": "\\angle ",
u"\u2221": "\\measuredangle ",
u"\u2222": "\\sphericalangle ",
u"\u2223": "\\mid ",
u"\u2224": "\\nmid ",
u"\u2225": "\\parallel ",
u"\u2226": "\\nparallel ",
u"\u2227": "\\wedge ",
u"\u2228": "\\vee ",
u"\u2229": "\\cap ",
u"\u222A": "\\cup ",
u"\u222B": "\\int ",
u"\u222C": "\\int\\!\\int ",
u"\u222D": "\\int\\!\\int\\!\\int ",
u"\u222E": "\\oint ",
u"\u222F": "\\surfintegral ",
u"\u2230": "\\volintegral ",
u"\u2231": "\\clwintegral ",
u"\u2232": "\\ElsevierGlyph{2232}",
u"\u2233": "\\ElsevierGlyph{2233}",
u"\u2234": "\\therefore ",
u"\u2235": "\\because ",
u"\u2237": "\\Colon ",
u"\u2238": "\\ElsevierGlyph{2238}",
u"\u223A": "\\mathbin{{:}\\!\\!{-}\\!\\!{:}}",
u"\u223B": "\\homothetic ",
u"\u223C": "\\sim ",
u"\u223D": "\\backsim ",
u"\u223E": "\\lazysinv ",
u"\u2240": "\\wr ",
u"\u2241": "\\not\\sim ",
u"\u2242": "\\ElsevierGlyph{2242}",
u"\u2242-00338": "\\NotEqualTilde ",
u"\u2243": "\\simeq ",
u"\u2244": "\\not\\simeq ",
u"\u2245": "\\cong ",
u"\u2246": "\\approxnotequal ",
u"\u2247": "\\not\\cong ",
u"\u2248": "\\approx ",
u"\u2249": "\\not\\approx ",
u"\u224A": "\\approxeq ",
u"\u224B": "\\tildetrpl ",
u"\u224B-00338": "\\not\\apid ",
u"\u224C": "\\allequal ",
u"\u224D": "\\asymp ",
u"\u224E": "\\Bumpeq ",
u"\u224E-00338": "\\NotHumpDownHump ",
u"\u224F": "\\bumpeq ",
u"\u224F-00338": "\\NotHumpEqual ",
u"\u2250": "\\doteq ",
u"\u2250-00338": "\\not\\doteq",
u"\u2251": "\\doteqdot ",
u"\u2252": "\\fallingdotseq ",
u"\u2253": "\\risingdotseq ",
u"\u2254": ":=",
u"\u2255": "=:",
u"\u2256": "\\eqcirc ",
u"\u2257": "\\circeq ",
u"\u2259": "\\estimates ",
u"\u225A": "\\ElsevierGlyph{225A}",
u"\u225B": "\\starequal ",
u"\u225C": "\\triangleq ",
u"\u225F": "\\ElsevierGlyph{225F}",
u"\u2260": "\\not =",
u"\u2261": "\\equiv ",
u"\u2262": "\\not\\equiv ",
u"\u2264": "\\leq ",
u"\u2265": "\\geq ",
u"\u2266": "\\leqq ",
u"\u2267": "\\geqq ",
u"\u2268": "\\lneqq ",
u"\u2268-0FE00": "\\lvertneqq ",
u"\u2269": "\\gneqq ",
u"\u2269-0FE00": "\\gvertneqq ",
u"\u226A": "\\ll ",
u"\u226A-00338": "\\NotLessLess ",
u"\u226B": "\\gg ",
u"\u226B-00338": "\\NotGreaterGreater ",
u"\u226C": "\\between ",
u"\u226D": "\\not\\kern-0.3em\\times ",
u"\u226E": "\\not<",
u"\u226F": "\\not>",
u"\u2270": "\\not\\leq ",
u"\u2271": "\\not\\geq ",
u"\u2272": "\\lessequivlnt ",
u"\u2273": "\\greaterequivlnt ",
u"\u2274": "\\ElsevierGlyph{2274}",
u"\u2275": "\\ElsevierGlyph{2275}",
u"\u2276": "\\lessgtr ",
u"\u2277": "\\gtrless ",
u"\u2278": "\\notlessgreater ",
u"\u2279": "\\notgreaterless ",
u"\u227A": "\\prec ",
u"\u227B": "\\succ ",
u"\u227C": "\\preccurlyeq ",
u"\u227D": "\\succcurlyeq ",
u"\u227E": "\\precapprox ",
u"\u227E-00338": "\\NotPrecedesTilde ",
u"\u227F": "\\succapprox ",
u"\u227F-00338": "\\NotSucceedsTilde ",
u"\u2280": "\\not\\prec ",
u"\u2281": "\\not\\succ ",
u"\u2282": "\\subset ",
u"\u2283": "\\supset ",
u"\u2284": "\\not\\subset ",
u"\u2285": "\\not\\supset ",
u"\u2286": "\\subseteq ",
u"\u2287": "\\supseteq ",
u"\u2288": "\\not\\subseteq ",
u"\u2289": "\\not\\supseteq ",
u"\u228A": "\\subsetneq ",
u"\u228A-0FE00": "\\varsubsetneqq ",
u"\u228B": "\\supsetneq ",
u"\u228B-0FE00": "\\varsupsetneq ",
u"\u228E": "\\uplus ",
u"\u228F": "\\sqsubset ",
u"\u228F-00338": "\\NotSquareSubset ",
u"\u2290": "\\sqsupset ",
u"\u2290-00338": "\\NotSquareSuperset ",
u"\u2291": "\\sqsubseteq ",
u"\u2292": "\\sqsupseteq ",
u"\u2293": "\\sqcap ",
u"\u2294": "\\sqcup ",
u"\u2295": "\\oplus ",
u"\u2296": "\\ominus ",
u"\u2297": "\\otimes ",
u"\u2298": "\\oslash ",
u"\u2299": "\\odot ",
u"\u229A": "\\circledcirc ",
u"\u229B": "\\circledast ",
u"\u229D": "\\circleddash ",
u"\u229E": "\\boxplus ",
u"\u229F": "\\boxminus ",
u"\u22A0": "\\boxtimes ",
u"\u22A1": "\\boxdot ",
u"\u22A2": "\\vdash ",
u"\u22A3": "\\dashv ",
u"\u22A4": "\\top ",
u"\u22A5": "\\perp ",
u"\u22A7": "\\truestate ",
u"\u22A8": "\\forcesextra ",
u"\u22A9": "\\Vdash ",
u"\u22AA": "\\Vvdash ",
u"\u22AB": "\\VDash ",
u"\u22AC": "\\nvdash ",
u"\u22AD": "\\nvDash ",
u"\u22AE": "\\nVdash ",
u"\u22AF": "\\nVDash ",
u"\u22B2": "\\vartriangleleft ",
u"\u22B3": "\\vartriangleright ",
u"\u22B4": "\\trianglelefteq ",
u"\u22B5": "\\trianglerighteq ",
u"\u22B6": "\\original ",
u"\u22B7": "\\image ",
u"\u22B8": "\\multimap ",
u"\u22B9": "\\hermitconjmatrix ",
u"\u22BA": "\\intercal ",
u"\u22BB": "\\veebar ",
u"\u22BE": "\\rightanglearc ",
u"\u22C0": "\\ElsevierGlyph{22C0}",
u"\u22C1": "\\ElsevierGlyph{22C1}",
u"\u22C2": "\\bigcap ",
u"\u22C3": "\\bigcup ",
u"\u22C4": "\\diamond ",
u"\u22C5": "\\cdot ",
u"\u22C6": "\\star ",
u"\u22C7": "\\divideontimes ",
u"\u22C8": "\\bowtie ",
u"\u22C9": "\\ltimes ",
u"\u22CA": "\\rtimes ",
u"\u22CB": "\\leftthreetimes ",
u"\u22CC": "\\rightthreetimes ",
u"\u22CD": "\\backsimeq ",
u"\u22CE": "\\curlyvee ",
u"\u22CF": "\\curlywedge ",
u"\u22D0": "\\Subset ",
u"\u22D1": "\\Supset ",
u"\u22D2": "\\Cap ",
u"\u22D3": "\\Cup ",
u"\u22D4": "\\pitchfork ",
u"\u22D6": "\\lessdot ",
u"\u22D7": "\\gtrdot ",
u"\u22D8": "\\verymuchless ",
u"\u22D9": "\\verymuchgreater ",
u"\u22DA": "\\lesseqgtr ",
u"\u22DB": "\\gtreqless ",
u"\u22DE": "\\curlyeqprec ",
u"\u22DF": "\\curlyeqsucc ",
u"\u22E2": "\\not\\sqsubseteq ",
u"\u22E3": "\\not\\sqsupseteq ",
u"\u22E5": "\\Elzsqspne ",
u"\u22E6": "\\lnsim ",
u"\u22E7": "\\gnsim ",
u"\u22E8": "\\precedesnotsimilar ",
u"\u22E9": "\\succnsim ",
u"\u22EA": "\\ntriangleleft ",
u"\u22EB": "\\ntriangleright ",
u"\u22EC": "\\ntrianglelefteq ",
u"\u22ED": "\\ntrianglerighteq ",
u"\u22EE": "\\vdots ",
u"\u22EF": "\\cdots ",
u"\u22F0": "\\upslopeellipsis ",
u"\u22F1": "\\downslopeellipsis ",
u"\u2305": "\\barwedge ",
u"\u2306": "\\perspcorrespond ",
u"\u2308": "\\lceil ",
u"\u2309": "\\rceil ",
u"\u230A": "\\lfloor ",
u"\u230B": "\\rfloor ",
u"\u2315": "\\recorder ",
u"\u2316": "\\mathchar\"2208",
u"\u231C": "\\ulcorner ",
u"\u231D": "\\urcorner ",
u"\u231E": "\\llcorner ",
u"\u231F": "\\lrcorner ",
u"\u2322": "\\frown ",
u"\u2323": "\\smile ",
u"\u2329": "\\langle ",
u"\u232A": "\\rangle ",
u"\u233D": "\\ElsevierGlyph{E838}",
u"\u23A3": "\\Elzdlcorn ",
u"\u23B0": "\\lmoustache ",
u"\u23B1": "\\rmoustache ",
u"\u2423": "\\textvisiblespace ",
u"\u2460": "\\ding{172}",
u"\u2461": "\\ding{173}",
u"\u2462": "\\ding{174}",
u"\u2463": "\\ding{175}",
u"\u2464": "\\ding{176}",
u"\u2465": "\\ding{177}",
u"\u2466": "\\ding{178}",
u"\u2467": "\\ding{179}",
u"\u2468": "\\ding{180}",
u"\u2469": "\\ding{181}",
u"\u24C8": "\\circledS ",
u"\u2506": "\\Elzdshfnc ",
u"\u2519": "\\Elzsqfnw ",
u"\u2571": "\\diagup ",
u"\u25A0": "\\ding{110}",
u"\u25A1": "\\square ",
u"\u25AA": "\\blacksquare ",
u"\u25AD": "\\fbox{~~}",
u"\u25AF": "\\Elzvrecto ",
u"\u25B1": "\\ElsevierGlyph{E381}",
u"\u25B2": "\\ding{115}",
u"\u25B3": "\\bigtriangleup ",
u"\u25B4": "\\blacktriangle ",
u"\u25B5": "\\vartriangle ",
u"\u25B8": "\\blacktriangleright ",
u"\u25B9": "\\triangleright ",
u"\u25BC": "\\ding{116}",
u"\u25BD": "\\bigtriangledown ",
u"\u25BE": "\\blacktriangledown ",
u"\u25BF": "\\triangledown ",
u"\u25C2": "\\blacktriangleleft ",
u"\u25C3": "\\triangleleft ",
u"\u25C6": "\\ding{117}",
u"\u25CA": "\\lozenge ",
u"\u25CB": "\\bigcirc ",
u"\u25CF": "\\ding{108}",
u"\u25D0": "\\Elzcirfl ",
u"\u25D1": "\\Elzcirfr ",
u"\u25D2": "\\Elzcirfb ",
u"\u25D7": "\\ding{119}",
u"\u25D8": "\\Elzrvbull ",
u"\u25E7": "\\Elzsqfl ",
u"\u25E8": "\\Elzsqfr ",
u"\u25EA": "\\Elzsqfse ",
u"\u25EF": "\\bigcirc ",
u"\u2605": "\\ding{72}",
u"\u2606": "\\ding{73}",
u"\u260E": "\\ding{37}",
u"\u261B": "\\ding{42}",
u"\u261E": "\\ding{43}",
u"\u263E": "\\rightmoon ",
u"\u263F": "\\mercury ",
u"\u2640": "\\venus ",
u"\u2642": "\\male ",
u"\u2643": "\\jupiter ",
u"\u2644": "\\saturn ",
u"\u2645": "\\uranus ",
u"\u2646": "\\neptune ",
u"\u2647": "\\pluto ",
u"\u2648": "\\aries ",
u"\u2649": "\\taurus ",
u"\u264A": "\\gemini ",
u"\u264B": "\\cancer ",
u"\u264C": "\\leo ",
u"\u264D": "\\virgo ",
u"\u264E": "\\libra ",
u"\u264F": "\\scorpio ",
u"\u2650": "\\sagittarius ",
u"\u2651": "\\capricornus ",
u"\u2652": "\\aquarius ",
u"\u2653": "\\pisces ",
u"\u2660": "\\ding{171}",
u"\u2662": "\\diamond ",
u"\u2663": "\\ding{168}",
u"\u2665": "\\ding{170}",
u"\u2666": "\\ding{169}",
u"\u2669": "\\quarternote ",
u"\u266A": "\\eighthnote ",
u"\u266D": "\\flat ",
u"\u266E": "\\natural ",
u"\u266F": "\\sharp ",
u"\u2701": "\\ding{33}",
u"\u2702": "\\ding{34}",
u"\u2703": "\\ding{35}",
u"\u2704": "\\ding{36}",
u"\u2706": "\\ding{38}",
u"\u2707": "\\ding{39}",
u"\u2708": "\\ding{40}",
u"\u2709": "\\ding{41}",
u"\u270C": "\\ding{44}",
u"\u270D": "\\ding{45}",
u"\u270E": "\\ding{46}",
u"\u270F": "\\ding{47}",
u"\u2710": "\\ding{48}",
u"\u2711": "\\ding{49}",
u"\u2712": "\\ding{50}",
u"\u2713": "\\ding{51}",
u"\u2714": "\\ding{52}",
u"\u2715": "\\ding{53}",
u"\u2716": "\\ding{54}",
u"\u2717": "\\ding{55}",
u"\u2718": "\\ding{56}",
u"\u2719": "\\ding{57}",
u"\u271A": "\\ding{58}",
u"\u271B": "\\ding{59}",
u"\u271C": "\\ding{60}",
u"\u271D": "\\ding{61}",
u"\u271E": "\\ding{62}",
u"\u271F": "\\ding{63}",
u"\u2720": "\\ding{64}",
u"\u2721": "\\ding{65}",
u"\u2722": "\\ding{66}",
u"\u2723": "\\ding{67}",
u"\u2724": "\\ding{68}",
u"\u2725": "\\ding{69}",
u"\u2726": "\\ding{70}",
u"\u2727": "\\ding{71}",
u"\u2729": "\\ding{73}",
u"\u272A": "\\ding{74}",
u"\u272B": "\\ding{75}",
u"\u272C": "\\ding{76}",
u"\u272D": "\\ding{77}",
u"\u272E": "\\ding{78}",
u"\u272F": "\\ding{79}",
u"\u2730": "\\ding{80}",
u"\u2731": "\\ding{81}",
u"\u2732": "\\ding{82}",
u"\u2733": "\\ding{83}",
u"\u2734": "\\ding{84}",
u"\u2735": "\\ding{85}",
u"\u2736": "\\ding{86}",
u"\u2737": "\\ding{87}",
u"\u2738": "\\ding{88}",
u"\u2739": "\\ding{89}",
u"\u273A": "\\ding{90}",
u"\u273B": "\\ding{91}",
u"\u273C": "\\ding{92}",
u"\u273D": "\\ding{93}",
u"\u273E": "\\ding{94}",
u"\u273F": "\\ding{95}",
u"\u2740": "\\ding{96}",
u"\u2741": "\\ding{97}",
u"\u2742": "\\ding{98}",
u"\u2743": "\\ding{99}",
u"\u2744": "\\ding{100}",
u"\u2745": "\\ding{101}",
u"\u2746": "\\ding{102}",
u"\u2747": "\\ding{103}",
u"\u2748": "\\ding{104}",
u"\u2749": "\\ding{105}",
u"\u274A": "\\ding{106}",
u"\u274B": "\\ding{107}",
u"\u274D": "\\ding{109}",
u"\u274F": "\\ding{111}",
u"\u2750": "\\ding{112}",
u"\u2751": "\\ding{113}",
u"\u2752": "\\ding{114}",
u"\u2756": "\\ding{118}",
u"\u2758": "\\ding{120}",
u"\u2759": "\\ding{121}",
u"\u275A": "\\ding{122}",
u"\u275B": "\\ding{123}",
u"\u275C": "\\ding{124}",
u"\u275D": "\\ding{125}",
u"\u275E": "\\ding{126}",
u"\u2761": "\\ding{161}",
u"\u2762": "\\ding{162}",
u"\u2763": "\\ding{163}",
u"\u2764": "\\ding{164}",
u"\u2765": "\\ding{165}",
u"\u2766": "\\ding{166}",
u"\u2767": "\\ding{167}",
u"\u2776": "\\ding{182}",
u"\u2777": "\\ding{183}",
u"\u2778": "\\ding{184}",
u"\u2779": "\\ding{185}",
u"\u277A": "\\ding{186}",
u"\u277B": "\\ding{187}",
u"\u277C": "\\ding{188}",
u"\u277D": "\\ding{189}",
u"\u277E": "\\ding{190}",
u"\u277F": "\\ding{191}",
u"\u2780": "\\ding{192}",
u"\u2781": "\\ding{193}",
u"\u2782": "\\ding{194}",
u"\u2783": "\\ding{195}",
u"\u2784": "\\ding{196}",
u"\u2785": "\\ding{197}",
u"\u2786": "\\ding{198}",
u"\u2787": "\\ding{199}",
u"\u2788": "\\ding{200}",
u"\u2789": "\\ding{201}",
u"\u278A": "\\ding{202}",
u"\u278B": "\\ding{203}",
u"\u278C": "\\ding{204}",
u"\u278D": "\\ding{205}",
u"\u278E": "\\ding{206}",
u"\u278F": "\\ding{207}",
u"\u2790": "\\ding{208}",
u"\u2791": "\\ding{209}",
u"\u2792": "\\ding{210}",
u"\u2793": "\\ding{211}",
u"\u2794": "\\ding{212}",
u"\u2798": "\\ding{216}",
u"\u2799": "\\ding{217}",
u"\u279A": "\\ding{218}",
u"\u279B": "\\ding{219}",
u"\u279C": "\\ding{220}",
u"\u279D": "\\ding{221}",
u"\u279E": "\\ding{222}",
u"\u279F": "\\ding{223}",
u"\u27A0": "\\ding{224}",
u"\u27A1": "\\ding{225}",
u"\u27A2": "\\ding{226}",
u"\u27A3": "\\ding{227}",
u"\u27A4": "\\ding{228}",
u"\u27A5": "\\ding{229}",
u"\u27A6": "\\ding{230}",
u"\u27A7": "\\ding{231}",
u"\u27A8": "\\ding{232}",
u"\u27A9": "\\ding{233}",
u"\u27AA": "\\ding{234}",
u"\u27AB": "\\ding{235}",
u"\u27AC": "\\ding{236}",
u"\u27AD": "\\ding{237}",
u"\u27AE": "\\ding{238}",
u"\u27AF": "\\ding{239}",
u"\u27B1": "\\ding{241}",
u"\u27B2": "\\ding{242}",
u"\u27B3": "\\ding{243}",
u"\u27B4": "\\ding{244}",
u"\u27B5": "\\ding{245}",
u"\u27B6": "\\ding{246}",
u"\u27B7": "\\ding{247}",
u"\u27B8": "\\ding{248}",
u"\u27B9": "\\ding{249}",
u"\u27BA": "\\ding{250}",
u"\u27BB": "\\ding{251}",
u"\u27BC": "\\ding{252}",
u"\u27BD": "\\ding{253}",
u"\u27BE": "\\ding{254}",
u"\u27F5": "\\longleftarrow ",
u"\u27F6": "\\longrightarrow ",
u"\u27F7": "\\longleftrightarrow ",
u"\u27F8": "\\Longleftarrow ",
u"\u27F9": "\\Longrightarrow ",
u"\u27FA": "\\Longleftrightarrow ",
u"\u27FC": "\\longmapsto ",
u"\u27FF": "\\sim\\joinrel\\leadsto",
u"\u2905": "\\ElsevierGlyph{E212}",
u"\u2912": "\\UpArrowBar ",
u"\u2913": "\\DownArrowBar ",
u"\u2923": "\\ElsevierGlyph{E20C}",
u"\u2924": "\\ElsevierGlyph{E20D}",
u"\u2925": "\\ElsevierGlyph{E20B}",
u"\u2926": "\\ElsevierGlyph{E20A}",
u"\u2927": "\\ElsevierGlyph{E211}",
u"\u2928": "\\ElsevierGlyph{E20E}",
u"\u2929": "\\ElsevierGlyph{E20F}",
u"\u292A": "\\ElsevierGlyph{E210}",
u"\u2933": "\\ElsevierGlyph{E21C}",
u"\u2933-00338": "\\ElsevierGlyph{E21D}",
u"\u2936": "\\ElsevierGlyph{E21A}",
u"\u2937": "\\ElsevierGlyph{E219}",
u"\u2940": "\\Elolarr ",
u"\u2941": "\\Elorarr ",
u"\u2942": "\\ElzRlarr ",
u"\u2944": "\\ElzrLarr ",
u"\u2947": "\\Elzrarrx ",
u"\u294E": "\\LeftRightVector ",
u"\u294F": "\\RightUpDownVector ",
u"\u2950": "\\DownLeftRightVector ",
u"\u2951": "\\LeftUpDownVector ",
u"\u2952": "\\LeftVectorBar ",
u"\u2953": "\\RightVectorBar ",
u"\u2954": "\\RightUpVectorBar ",
u"\u2955": "\\RightDownVectorBar ",
u"\u2956": "\\DownLeftVectorBar ",
u"\u2957": "\\DownRightVectorBar ",
u"\u2958": "\\LeftUpVectorBar ",
u"\u2959": "\\LeftDownVectorBar ",
u"\u295A": "\\LeftTeeVector ",
u"\u295B": "\\RightTeeVector ",
u"\u295C": "\\RightUpTeeVector ",
u"\u295D": "\\RightDownTeeVector ",
u"\u295E": "\\DownLeftTeeVector ",
u"\u295F": "\\DownRightTeeVector ",
u"\u2960": "\\LeftUpTeeVector ",
u"\u2961": "\\LeftDownTeeVector ",
u"\u296E": "\\UpEquilibrium ",
u"\u296F": "\\ReverseUpEquilibrium ",
u"\u2970": "\\RoundImplies ",
u"\u297C": "\\ElsevierGlyph{E214}",
u"\u297D": "\\ElsevierGlyph{E215}",
u"\u2980": "\\Elztfnc ",
u"\u2985": "\\ElsevierGlyph{3018}",
u"\u2986": "\\Elroang ",
u"\u2993": "<\\kern-0.58em(",
u"\u2994": "\\ElsevierGlyph{E291}",
u"\u2999": "\\Elzddfnc ",
u"\u299C": "\\Angle ",
u"\u29A0": "\\Elzlpargt ",
u"\u29B5": "\\ElsevierGlyph{E260}",
u"\u29B6": "\\ElsevierGlyph{E61B}",
u"\u29CA": "\\ElzLap ",
u"\u29CB": "\\Elzdefas ",
u"\u29CF": "\\LeftTriangleBar ",
u"\u29CF-00338": "\\NotLeftTriangleBar ",
u"\u29D0": "\\RightTriangleBar ",
u"\u29D0-00338": "\\NotRightTriangleBar ",
u"\u29DC": "\\ElsevierGlyph{E372}",
u"\u29EB": "\\blacklozenge ",
u"\u29F4": "\\RuleDelayed ",
u"\u2A04": "\\Elxuplus ",
u"\u2A05": "\\ElzThr ",
u"\u2A06": "\\Elxsqcup ",
u"\u2A07": "\\ElzInf ",
u"\u2A08": "\\ElzSup ",
u"\u2A0D": "\\ElzCint ",
u"\u2A0F": "\\clockoint ",
u"\u2A10": "\\ElsevierGlyph{E395}",
u"\u2A16": "\\sqrint ",
u"\u2A25": "\\ElsevierGlyph{E25A}",
u"\u2A2A": "\\ElsevierGlyph{E25B}",
u"\u2A2D": "\\ElsevierGlyph{E25C}",
u"\u2A2E": "\\ElsevierGlyph{E25D}",
u"\u2A2F": "\\ElzTimes ",
u"\u2A34": "\\ElsevierGlyph{E25E}",
u"\u2A35": "\\ElsevierGlyph{E25E}",
u"\u2A3C": "\\ElsevierGlyph{E259}",
u"\u2A3F": "\\amalg ",
u"\u2A53": "\\ElzAnd ",
u"\u2A54": "\\ElzOr ",
u"\u2A55": "\\ElsevierGlyph{E36E}",
u"\u2A56": "\\ElOr ",
u"\u2A5E": "\\perspcorrespond ",
u"\u2A5F": "\\Elzminhat ",
u"\u2A63": "\\ElsevierGlyph{225A}",
u"\u2A6E": "\\stackrel{*}{=}",
u"\u2A75": "\\Equal ",
u"\u2A7D": "\\leqslant ",
u"\u2A7D-00338": "\\nleqslant ",
u"\u2A7E": "\\geqslant ",
u"\u2A7E-00338": "\\ngeqslant ",
u"\u2A85": "\\lessapprox ",
u"\u2A86": "\\gtrapprox ",
u"\u2A87": "\\lneq ",
u"\u2A88": "\\gneq ",
u"\u2A89": "\\lnapprox ",
u"\u2A8A": "\\gnapprox ",
u"\u2A8B": "\\lesseqqgtr ",
u"\u2A8C": "\\gtreqqless ",
u"\u2A95": "\\eqslantless ",
u"\u2A96": "\\eqslantgtr ",
u"\u2A9D": "\\Pisymbol{ppi020}{117}",
u"\u2A9E": "\\Pisymbol{ppi020}{105}",
u"\u2AA1": "\\NestedLessLess ",
u"\u2AA1-00338": "\\NotNestedLessLess ",
u"\u2AA2": "\\NestedGreaterGreater ",
u"\u2AA2-00338": "\\NotNestedGreaterGreater ",
u"\u2AAF": "\\preceq ",
u"\u2AAF-00338": "\\not\\preceq ",
u"\u2AB0": "\\succeq ",
u"\u2AB0-00338": "\\not\\succeq ",
u"\u2AB5": "\\precneqq ",
u"\u2AB6": "\\succneqq ",
u"\u2AB7": "\\precapprox ",
u"\u2AB8": "\\succapprox ",
u"\u2AB9": "\\precnapprox ",
u"\u2ABA": "\\succnapprox ",
u"\u2AC5": "\\subseteqq ",
u"\u2AC5-00338": "\\nsubseteqq ",
u"\u2AC6": "\\supseteqq ",
u"\u2AC6-00338": "\\nsupseteqq",
u"\u2ACB": "\\subsetneqq ",
u"\u2ACC": "\\supsetneqq ",
u"\u2AEB": "\\ElsevierGlyph{E30D}",
u"\u2AF6": "\\Elztdcol ",
u"\u2AFD": "{{/}\\!\\!{/}}",
u"\u2AFD-020E5": "{\\rlap{\\textbackslash}{{/}\\!\\!{/}}}",
u"\u300A": "\\ElsevierGlyph{300A}",
u"\u300B": "\\ElsevierGlyph{300B}",
u"\u3018": "\\ElsevierGlyph{3018}",
u"\u3019": "\\ElsevierGlyph{3019}",
u"\u301A": "\\openbracketleft ",
u"\u301B": "\\openbracketright ",
u"\uFB00": "ff",
u"\uFB01": "fi",
u"\uFB02": "fl",
u"\uFB03": "ffi",
u"\uFB04": "ffl",
u"\uD400": "\\mathbf{A}",
u"\uD401": "\\mathbf{B}",
u"\uD402": "\\mathbf{C}",
u"\uD403": "\\mathbf{D}",
u"\uD404": "\\mathbf{E}",
u"\uD405": "\\mathbf{F}",
u"\uD406": "\\mathbf{G}",
u"\uD407": "\\mathbf{H}",
u"\uD408": "\\mathbf{I}",
u"\uD409": "\\mathbf{J}",
u"\uD40A": "\\mathbf{K}",
u"\uD40B": "\\mathbf{L}",
u"\uD40C": "\\mathbf{M}",
u"\uD40D": "\\mathbf{N}",
u"\uD40E": "\\mathbf{O}",
u"\uD40F": "\\mathbf{P}",
u"\uD410": "\\mathbf{Q}",
u"\uD411": "\\mathbf{R}",
u"\uD412": "\\mathbf{S}",
u"\uD413": "\\mathbf{T}",
u"\uD414": "\\mathbf{U}",
u"\uD415": "\\mathbf{V}",
u"\uD416": "\\mathbf{W}",
u"\uD417": "\\mathbf{X}",
u"\uD418": "\\mathbf{Y}",
u"\uD419": "\\mathbf{Z}",
u"\uD41A": "\\mathbf{a}",
u"\uD41B": "\\mathbf{b}",
u"\uD41C": "\\mathbf{c}",
u"\uD41D": "\\mathbf{d}",
u"\uD41E": "\\mathbf{e}",
u"\uD41F": "\\mathbf{f}",
u"\uD420": "\\mathbf{g}",
u"\uD421": "\\mathbf{h}",
u"\uD422": "\\mathbf{i}",
u"\uD423": "\\mathbf{j}",
u"\uD424": "\\mathbf{k}",
u"\uD425": "\\mathbf{l}",
u"\uD426": "\\mathbf{m}",
u"\uD427": "\\mathbf{n}",
u"\uD428": "\\mathbf{o}",
u"\uD429": "\\mathbf{p}",
u"\uD42A": "\\mathbf{q}",
u"\uD42B": "\\mathbf{r}",
u"\uD42C": "\\mathbf{s}",
u"\uD42D": "\\mathbf{t}",
u"\uD42E": "\\mathbf{u}",
u"\uD42F": "\\mathbf{v}",
u"\uD430": "\\mathbf{w}",
u"\uD431": "\\mathbf{x}",
u"\uD432": "\\mathbf{y}",
u"\uD433": "\\mathbf{z}",
u"\uD434": "\\mathsl{A}",
u"\uD435": "\\mathsl{B}",
u"\uD436": "\\mathsl{C}",
u"\uD437": "\\mathsl{D}",
u"\uD438": "\\mathsl{E}",
u"\uD439": "\\mathsl{F}",
u"\uD43A": "\\mathsl{G}",
u"\uD43B": "\\mathsl{H}",
u"\uD43C": "\\mathsl{I}",
u"\uD43D": "\\mathsl{J}",
u"\uD43E": "\\mathsl{K}",
u"\uD43F": "\\mathsl{L}",
u"\uD440": "\\mathsl{M}",
u"\uD441": "\\mathsl{N}",
u"\uD442": "\\mathsl{O}",
u"\uD443": "\\mathsl{P}",
u"\uD444": "\\mathsl{Q}",
u"\uD445": "\\mathsl{R}",
u"\uD446": "\\mathsl{S}",
u"\uD447": "\\mathsl{T}",
u"\uD448": "\\mathsl{U}",
u"\uD449": "\\mathsl{V}",
u"\uD44A": "\\mathsl{W}",
u"\uD44B": "\\mathsl{X}",
u"\uD44C": "\\mathsl{Y}",
u"\uD44D": "\\mathsl{Z}",
u"\uD44E": "\\mathsl{a}",
u"\uD44F": "\\mathsl{b}",
u"\uD450": "\\mathsl{c}",
u"\uD451": "\\mathsl{d}",
u"\uD452": "\\mathsl{e}",
u"\uD453": "\\mathsl{f}",
u"\uD454": "\\mathsl{g}",
u"\uD456": "\\mathsl{i}",
u"\uD457": "\\mathsl{j}",
u"\uD458": "\\mathsl{k}",
u"\uD459": "\\mathsl{l}",
u"\uD45A": "\\mathsl{m}",
u"\uD45B": "\\mathsl{n}",
u"\uD45C": "\\mathsl{o}",
u"\uD45D": "\\mathsl{p}",
u"\uD45E": "\\mathsl{q}",
u"\uD45F": "\\mathsl{r}",
u"\uD460": "\\mathsl{s}",
u"\uD461": "\\mathsl{t}",
u"\uD462": "\\mathsl{u}",
u"\uD463": "\\mathsl{v}",
u"\uD464": "\\mathsl{w}",
u"\uD465": "\\mathsl{x}",
u"\uD466": "\\mathsl{y}",
u"\uD467": "\\mathsl{z}",
u"\uD468": "\\mathbit{A}",
u"\uD469": "\\mathbit{B}",
u"\uD46A": "\\mathbit{C}",
u"\uD46B": "\\mathbit{D}",
u"\uD46C": "\\mathbit{E}",
u"\uD46D": "\\mathbit{F}",
u"\uD46E": "\\mathbit{G}",
u"\uD46F": "\\mathbit{H}",
u"\uD470": "\\mathbit{I}",
u"\uD471": "\\mathbit{J}",
u"\uD472": "\\mathbit{K}",
u"\uD473": "\\mathbit{L}",
u"\uD474": "\\mathbit{M}",
u"\uD475": "\\mathbit{N}",
u"\uD476": "\\mathbit{O}",
u"\uD477": "\\mathbit{P}",
u"\uD478": "\\mathbit{Q}",
u"\uD479": "\\mathbit{R}",
u"\uD47A": "\\mathbit{S}",
u"\uD47B": "\\mathbit{T}",
u"\uD47C": "\\mathbit{U}",
u"\uD47D": "\\mathbit{V}",
u"\uD47E": "\\mathbit{W}",
u"\uD47F": "\\mathbit{X}",
u"\uD480": "\\mathbit{Y}",
u"\uD481": "\\mathbit{Z}",
u"\uD482": "\\mathbit{a}",
u"\uD483": "\\mathbit{b}",
u"\uD484": "\\mathbit{c}",
u"\uD485": "\\mathbit{d}",
u"\uD486": "\\mathbit{e}",
u"\uD487": "\\mathbit{f}",
u"\uD488": "\\mathbit{g}",
u"\uD489": "\\mathbit{h}",
u"\uD48A": "\\mathbit{i}",
u"\uD48B": "\\mathbit{j}",
u"\uD48C": "\\mathbit{k}",
u"\uD48D": "\\mathbit{l}",
u"\uD48E": "\\mathbit{m}",
u"\uD48F": "\\mathbit{n}",
u"\uD490": "\\mathbit{o}",
u"\uD491": "\\mathbit{p}",
u"\uD492": "\\mathbit{q}",
u"\uD493": "\\mathbit{r}",
u"\uD494": "\\mathbit{s}",
u"\uD495": "\\mathbit{t}",
u"\uD496": "\\mathbit{u}",
u"\uD497": "\\mathbit{v}",
u"\uD498": "\\mathbit{w}",
u"\uD499": "\\mathbit{x}",
u"\uD49A": "\\mathbit{y}",
u"\uD49B": "\\mathbit{z}",
u"\uD49C": "\\mathscr{A}",
u"\uD49E": "\\mathscr{C}",
u"\uD49F": "\\mathscr{D}",
u"\uD4A2": "\\mathscr{G}",
u"\uD4A5": "\\mathscr{J}",
u"\uD4A6": "\\mathscr{K}",
u"\uD4A9": "\\mathscr{N}",
u"\uD4AA": "\\mathscr{O}",
u"\uD4AB": "\\mathscr{P}",
u"\uD4AC": "\\mathscr{Q}",
u"\uD4AE": "\\mathscr{S}",
u"\uD4AF": "\\mathscr{T}",
u"\uD4B0": "\\mathscr{U}",
u"\uD4B1": "\\mathscr{V}",
u"\uD4B2": "\\mathscr{W}",
u"\uD4B3": "\\mathscr{X}",
u"\uD4B4": "\\mathscr{Y}",
u"\uD4B5": "\\mathscr{Z}",
u"\uD4B6": "\\mathscr{a}",
u"\uD4B7": "\\mathscr{b}",
u"\uD4B8": "\\mathscr{c}",
u"\uD4B9": "\\mathscr{d}",
u"\uD4BB": "\\mathscr{f}",
u"\uD4BD": "\\mathscr{h}",
u"\uD4BE": "\\mathscr{i}",
u"\uD4BF": "\\mathscr{j}",
u"\uD4C0": "\\mathscr{k}",
u"\uD4C1": "\\mathscr{l}",
u"\uD4C2": "\\mathscr{m}",
u"\uD4C3": "\\mathscr{n}",
u"\uD4C5": "\\mathscr{p}",
u"\uD4C6": "\\mathscr{q}",
u"\uD4C7": "\\mathscr{r}",
u"\uD4C8": "\\mathscr{s}",
u"\uD4C9": "\\mathscr{t}",
u"\uD4CA": "\\mathscr{u}",
u"\uD4CB": "\\mathscr{v}",
u"\uD4CC": "\\mathscr{w}",
u"\uD4CD": "\\mathscr{x}",
u"\uD4CE": "\\mathscr{y}",
u"\uD4CF": "\\mathscr{z}",
u"\uD4D0": "\\mathmit{A}",
u"\uD4D1": "\\mathmit{B}",
u"\uD4D2": "\\mathmit{C}",
u"\uD4D3": "\\mathmit{D}",
u"\uD4D4": "\\mathmit{E}",
u"\uD4D5": "\\mathmit{F}",
u"\uD4D6": "\\mathmit{G}",
u"\uD4D7": "\\mathmit{H}",
u"\uD4D8": "\\mathmit{I}",
u"\uD4D9": "\\mathmit{J}",
u"\uD4DA": "\\mathmit{K}",
u"\uD4DB": "\\mathmit{L}",
u"\uD4DC": "\\mathmit{M}",
u"\uD4DD": "\\mathmit{N}",
u"\uD4DE": "\\mathmit{O}",
u"\uD4DF": "\\mathmit{P}",
u"\uD4E0": "\\mathmit{Q}",
u"\uD4E1": "\\mathmit{R}",
u"\uD4E2": "\\mathmit{S}",
u"\uD4E3": "\\mathmit{T}",
u"\uD4E4": "\\mathmit{U}",
u"\uD4E5": "\\mathmit{V}",
u"\uD4E6": "\\mathmit{W}",
u"\uD4E7": "\\mathmit{X}",
u"\uD4E8": "\\mathmit{Y}",
u"\uD4E9": "\\mathmit{Z}",
u"\uD4EA": "\\mathmit{a}",
u"\uD4EB": "\\mathmit{b}",
u"\uD4EC": "\\mathmit{c}",
u"\uD4ED": "\\mathmit{d}",
u"\uD4EE": "\\mathmit{e}",
u"\uD4EF": "\\mathmit{f}",
u"\uD4F0": "\\mathmit{g}",
u"\uD4F1": "\\mathmit{h}",
u"\uD4F2": "\\mathmit{i}",
u"\uD4F3": "\\mathmit{j}",
u"\uD4F4": "\\mathmit{k}",
u"\uD4F5": "\\mathmit{l}",
u"\uD4F6": "\\mathmit{m}",
u"\uD4F7": "\\mathmit{n}",
u"\uD4F8": "\\mathmit{o}",
u"\uD4F9": "\\mathmit{p}",
u"\uD4FA": "\\mathmit{q}",
u"\uD4FB": "\\mathmit{r}",
u"\uD4FC": "\\mathmit{s}",
u"\uD4FD": "\\mathmit{t}",
u"\uD4FE": "\\mathmit{u}",
u"\uD4FF": "\\mathmit{v}",
u"\uD500": "\\mathmit{w}",
u"\uD501": "\\mathmit{x}",
u"\uD502": "\\mathmit{y}",
u"\uD503": "\\mathmit{z}",
u"\uD504": "\\mathfrak{A}",
u"\uD505": "\\mathfrak{B}",
u"\uD507": "\\mathfrak{D}",
u"\uD508": "\\mathfrak{E}",
u"\uD509": "\\mathfrak{F}",
u"\uD50A": "\\mathfrak{G}",
u"\uD50D": "\\mathfrak{J}",
u"\uD50E": "\\mathfrak{K}",
u"\uD50F": "\\mathfrak{L}",
u"\uD510": "\\mathfrak{M}",
u"\uD511": "\\mathfrak{N}",
u"\uD512": "\\mathfrak{O}",
u"\uD513": "\\mathfrak{P}",
u"\uD514": "\\mathfrak{Q}",
u"\uD516": "\\mathfrak{S}",
u"\uD517": "\\mathfrak{T}",
u"\uD518": "\\mathfrak{U}",
u"\uD519": "\\mathfrak{V}",
u"\uD51A": "\\mathfrak{W}",
u"\uD51B": "\\mathfrak{X}",
u"\uD51C": "\\mathfrak{Y}",
u"\uD51E": "\\mathfrak{a}",
u"\uD51F": "\\mathfrak{b}",
u"\uD520": "\\mathfrak{c}",
u"\uD521": "\\mathfrak{d}",
u"\uD522": "\\mathfrak{e}",
u"\uD523": "\\mathfrak{f}",
u"\uD524": "\\mathfrak{g}",
u"\uD525": "\\mathfrak{h}",
u"\uD526": "\\mathfrak{i}",
u"\uD527": "\\mathfrak{j}",
u"\uD528": "\\mathfrak{k}",
u"\uD529": "\\mathfrak{l}",
u"\uD52A": "\\mathfrak{m}",
u"\uD52B": "\\mathfrak{n}",
u"\uD52C": "\\mathfrak{o}",
u"\uD52D": "\\mathfrak{p}",
u"\uD52E": "\\mathfrak{q}",
u"\uD52F": "\\mathfrak{r}",
u"\uD530": "\\mathfrak{s}",
u"\uD531": "\\mathfrak{t}",
u"\uD532": "\\mathfrak{u}",
u"\uD533": "\\mathfrak{v}",
u"\uD534": "\\mathfrak{w}",
u"\uD535": "\\mathfrak{x}",
u"\uD536": "\\mathfrak{y}",
u"\uD537": "\\mathfrak{z}",
u"\uD538": "\\mathbb{A}",
u"\uD539": "\\mathbb{B}",
u"\uD53B": "\\mathbb{D}",
u"\uD53C": "\\mathbb{E}",
u"\uD53D": "\\mathbb{F}",
u"\uD53E": "\\mathbb{G}",
u"\uD540": "\\mathbb{I}",
u"\uD541": "\\mathbb{J}",
u"\uD542": "\\mathbb{K}",
u"\uD543": "\\mathbb{L}",
u"\uD544": "\\mathbb{M}",
u"\uD546": "\\mathbb{O}",
u"\uD54A": "\\mathbb{S}",
u"\uD54B": "\\mathbb{T}",
u"\uD54C": "\\mathbb{U}",
u"\uD54D": "\\mathbb{V}",
u"\uD54E": "\\mathbb{W}",
u"\uD54F": "\\mathbb{X}",
u"\uD550": "\\mathbb{Y}",
u"\uD552": "\\mathbb{a}",
u"\uD553": "\\mathbb{b}",
u"\uD554": "\\mathbb{c}",
u"\uD555": "\\mathbb{d}",
u"\uD556": "\\mathbb{e}",
u"\uD557": "\\mathbb{f}",
u"\uD558": "\\mathbb{g}",
u"\uD559": "\\mathbb{h}",
u"\uD55A": "\\mathbb{i}",
u"\uD55B": "\\mathbb{j}",
u"\uD55C": "\\mathbb{k}",
u"\uD55D": "\\mathbb{l}",
u"\uD55E": "\\mathbb{m}",
u"\uD55F": "\\mathbb{n}",
u"\uD560": "\\mathbb{o}",
u"\uD561": "\\mathbb{p}",
u"\uD562": "\\mathbb{q}",
u"\uD563": "\\mathbb{r}",
u"\uD564": "\\mathbb{s}",
u"\uD565": "\\mathbb{t}",
u"\uD566": "\\mathbb{u}",
u"\uD567": "\\mathbb{v}",
u"\uD568": "\\mathbb{w}",
u"\uD569": "\\mathbb{x}",
u"\uD56A": "\\mathbb{y}",
u"\uD56B": "\\mathbb{z}",
u"\uD56C": "\\mathslbb{A}",
u"\uD56D": "\\mathslbb{B}",
u"\uD56E": "\\mathslbb{C}",
u"\uD56F": "\\mathslbb{D}",
u"\uD570": "\\mathslbb{E}",
u"\uD571": "\\mathslbb{F}",
u"\uD572": "\\mathslbb{G}",
u"\uD573": "\\mathslbb{H}",
u"\uD574": "\\mathslbb{I}",
u"\uD575": "\\mathslbb{J}",
u"\uD576": "\\mathslbb{K}",
u"\uD577": "\\mathslbb{L}",
u"\uD578": "\\mathslbb{M}",
u"\uD579": "\\mathslbb{N}",
u"\uD57A": "\\mathslbb{O}",
u"\uD57B": "\\mathslbb{P}",
u"\uD57C": "\\mathslbb{Q}",
u"\uD57D": "\\mathslbb{R}",
u"\uD57E": "\\mathslbb{S}",
u"\uD57F": "\\mathslbb{T}",
u"\uD580": "\\mathslbb{U}",
u"\uD581": "\\mathslbb{V}",
u"\uD582": "\\mathslbb{W}",
u"\uD583": "\\mathslbb{X}",
u"\uD584": "\\mathslbb{Y}",
u"\uD585": "\\mathslbb{Z}",
u"\uD586": "\\mathslbb{a}",
u"\uD587": "\\mathslbb{b}",
u"\uD588": "\\mathslbb{c}",
u"\uD589": "\\mathslbb{d}",
u"\uD58A": "\\mathslbb{e}",
u"\uD58B": "\\mathslbb{f}",
u"\uD58C": "\\mathslbb{g}",
u"\uD58D": "\\mathslbb{h}",
u"\uD58E": "\\mathslbb{i}",
u"\uD58F": "\\mathslbb{j}",
u"\uD590": "\\mathslbb{k}",
u"\uD591": "\\mathslbb{l}",
u"\uD592": "\\mathslbb{m}",
u"\uD593": "\\mathslbb{n}",
u"\uD594": "\\mathslbb{o}",
u"\uD595": "\\mathslbb{p}",
u"\uD596": "\\mathslbb{q}",
u"\uD597": "\\mathslbb{r}",
u"\uD598": "\\mathslbb{s}",
u"\uD599": "\\mathslbb{t}",
u"\uD59A": "\\mathslbb{u}",
u"\uD59B": "\\mathslbb{v}",
u"\uD59C": "\\mathslbb{w}",
u"\uD59D": "\\mathslbb{x}",
u"\uD59E": "\\mathslbb{y}",
u"\uD59F": "\\mathslbb{z}",
u"\uD5A0": "\\mathsf{A}",
u"\uD5A1": "\\mathsf{B}",
u"\uD5A2": "\\mathsf{C}",
u"\uD5A3": "\\mathsf{D}",
u"\uD5A4": "\\mathsf{E}",
u"\uD5A5": "\\mathsf{F}",
u"\uD5A6": "\\mathsf{G}",
u"\uD5A7": "\\mathsf{H}",
u"\uD5A8": "\\mathsf{I}",
u"\uD5A9": "\\mathsf{J}",
u"\uD5AA": "\\mathsf{K}",
u"\uD5AB": "\\mathsf{L}",
u"\uD5AC": "\\mathsf{M}",
u"\uD5AD": "\\mathsf{N}",
u"\uD5AE": "\\mathsf{O}",
u"\uD5AF": "\\mathsf{P}",
u"\uD5B0": "\\mathsf{Q}",
u"\uD5B1": "\\mathsf{R}",
u"\uD5B2": "\\mathsf{S}",
u"\uD5B3": "\\mathsf{T}",
u"\uD5B4": "\\mathsf{U}",
u"\uD5B5": "\\mathsf{V}",
u"\uD5B6": "\\mathsf{W}",
u"\uD5B7": "\\mathsf{X}",
u"\uD5B8": "\\mathsf{Y}",
u"\uD5B9": "\\mathsf{Z}",
u"\uD5BA": "\\mathsf{a}",
u"\uD5BB": "\\mathsf{b}",
u"\uD5BC": "\\mathsf{c}",
u"\uD5BD": "\\mathsf{d}",
u"\uD5BE": "\\mathsf{e}",
u"\uD5BF": "\\mathsf{f}",
u"\uD5C0": "\\mathsf{g}",
u"\uD5C1": "\\mathsf{h}",
u"\uD5C2": "\\mathsf{i}",
u"\uD5C3": "\\mathsf{j}",
u"\uD5C4": "\\mathsf{k}",
u"\uD5C5": "\\mathsf{l}",
u"\uD5C6": "\\mathsf{m}",
u"\uD5C7": "\\mathsf{n}",
u"\uD5C8": "\\mathsf{o}",
u"\uD5C9": "\\mathsf{p}",
u"\uD5CA": "\\mathsf{q}",
u"\uD5CB": "\\mathsf{r}",
u"\uD5CC": "\\mathsf{s}",
u"\uD5CD": "\\mathsf{t}",
u"\uD5CE": "\\mathsf{u}",
u"\uD5CF": "\\mathsf{v}",
u"\uD5D0": "\\mathsf{w}",
u"\uD5D1": "\\mathsf{x}",
u"\uD5D2": "\\mathsf{y}",
u"\uD5D3": "\\mathsf{z}",
u"\uD5D4": "\\mathsfbf{A}",
u"\uD5D5": "\\mathsfbf{B}",
u"\uD5D6": "\\mathsfbf{C}",
u"\uD5D7": "\\mathsfbf{D}",
u"\uD5D8": "\\mathsfbf{E}",
u"\uD5D9": "\\mathsfbf{F}",
u"\uD5DA": "\\mathsfbf{G}",
u"\uD5DB": "\\mathsfbf{H}",
u"\uD5DC": "\\mathsfbf{I}",
u"\uD5DD": "\\mathsfbf{J}",
u"\uD5DE": "\\mathsfbf{K}",
u"\uD5DF": "\\mathsfbf{L}",
u"\uD5E0": "\\mathsfbf{M}",
u"\uD5E1": "\\mathsfbf{N}",
u"\uD5E2": "\\mathsfbf{O}",
u"\uD5E3": "\\mathsfbf{P}",
u"\uD5E4": "\\mathsfbf{Q}",
u"\uD5E5": "\\mathsfbf{R}",
u"\uD5E6": "\\mathsfbf{S}",
u"\uD5E7": "\\mathsfbf{T}",
u"\uD5E8": "\\mathsfbf{U}",
u"\uD5E9": "\\mathsfbf{V}",
u"\uD5EA": "\\mathsfbf{W}",
u"\uD5EB": "\\mathsfbf{X}",
u"\uD5EC": "\\mathsfbf{Y}",
u"\uD5ED": "\\mathsfbf{Z}",
u"\uD5EE": "\\mathsfbf{a}",
u"\uD5EF": "\\mathsfbf{b}",
u"\uD5F0": "\\mathsfbf{c}",
u"\uD5F1": "\\mathsfbf{d}",
u"\uD5F2": "\\mathsfbf{e}",
u"\uD5F3": "\\mathsfbf{f}",
u"\uD5F4": "\\mathsfbf{g}",
u"\uD5F5": "\\mathsfbf{h}",
u"\uD5F6": "\\mathsfbf{i}",
u"\uD5F7": "\\mathsfbf{j}",
u"\uD5F8": "\\mathsfbf{k}",
u"\uD5F9": "\\mathsfbf{l}",
u"\uD5FA": "\\mathsfbf{m}",
u"\uD5FB": "\\mathsfbf{n}",
u"\uD5FC": "\\mathsfbf{o}",
u"\uD5FD": "\\mathsfbf{p}",
u"\uD5FE": "\\mathsfbf{q}",
u"\uD5FF": "\\mathsfbf{r}",
u"\uD600": "\\mathsfbf{s}",
u"\uD601": "\\mathsfbf{t}",
u"\uD602": "\\mathsfbf{u}",
u"\uD603": "\\mathsfbf{v}",
u"\uD604": "\\mathsfbf{w}",
u"\uD605": "\\mathsfbf{x}",
u"\uD606": "\\mathsfbf{y}",
u"\uD607": "\\mathsfbf{z}",
u"\uD608": "\\mathsfsl{A}",
u"\uD609": "\\mathsfsl{B}",
u"\uD60A": "\\mathsfsl{C}",
u"\uD60B": "\\mathsfsl{D}",
u"\uD60C": "\\mathsfsl{E}",
u"\uD60D": "\\mathsfsl{F}",
u"\uD60E": "\\mathsfsl{G}",
u"\uD60F": "\\mathsfsl{H}",
u"\uD610": "\\mathsfsl{I}",
u"\uD611": "\\mathsfsl{J}",
u"\uD612": "\\mathsfsl{K}",
u"\uD613": "\\mathsfsl{L}",
u"\uD614": "\\mathsfsl{M}",
u"\uD615": "\\mathsfsl{N}",
u"\uD616": "\\mathsfsl{O}",
u"\uD617": "\\mathsfsl{P}",
u"\uD618": "\\mathsfsl{Q}",
u"\uD619": "\\mathsfsl{R}",
u"\uD61A": "\\mathsfsl{S}",
u"\uD61B": "\\mathsfsl{T}",
u"\uD61C": "\\mathsfsl{U}",
u"\uD61D": "\\mathsfsl{V}",
u"\uD61E": "\\mathsfsl{W}",
u"\uD61F": "\\mathsfsl{X}",
u"\uD620": "\\mathsfsl{Y}",
u"\uD621": "\\mathsfsl{Z}",
u"\uD622": "\\mathsfsl{a}",
u"\uD623": "\\mathsfsl{b}",
u"\uD624": "\\mathsfsl{c}",
u"\uD625": "\\mathsfsl{d}",
u"\uD626": "\\mathsfsl{e}",
u"\uD627": "\\mathsfsl{f}",
u"\uD628": "\\mathsfsl{g}",
u"\uD629": "\\mathsfsl{h}",
u"\uD62A": "\\mathsfsl{i}",
u"\uD62B": "\\mathsfsl{j}",
u"\uD62C": "\\mathsfsl{k}",
u"\uD62D": "\\mathsfsl{l}",
u"\uD62E": "\\mathsfsl{m}",
u"\uD62F": "\\mathsfsl{n}",
u"\uD630": "\\mathsfsl{o}",
u"\uD631": "\\mathsfsl{p}",
u"\uD632": "\\mathsfsl{q}",
u"\uD633": "\\mathsfsl{r}",
u"\uD634": "\\mathsfsl{s}",
u"\uD635": "\\mathsfsl{t}",
u"\uD636": "\\mathsfsl{u}",
u"\uD637": "\\mathsfsl{v}",
u"\uD638": "\\mathsfsl{w}",
u"\uD639": "\\mathsfsl{x}",
u"\uD63A": "\\mathsfsl{y}",
u"\uD63B": "\\mathsfsl{z}",
u"\uD63C": "\\mathsfbfsl{A}",
u"\uD63D": "\\mathsfbfsl{B}",
u"\uD63E": "\\mathsfbfsl{C}",
u"\uD63F": "\\mathsfbfsl{D}",
u"\uD640": "\\mathsfbfsl{E}",
u"\uD641": "\\mathsfbfsl{F}",
u"\uD642": "\\mathsfbfsl{G}",
u"\uD643": "\\mathsfbfsl{H}",
u"\uD644": "\\mathsfbfsl{I}",
u"\uD645": "\\mathsfbfsl{J}",
u"\uD646": "\\mathsfbfsl{K}",
u"\uD647": "\\mathsfbfsl{L}",
u"\uD648": "\\mathsfbfsl{M}",
u"\uD649": "\\mathsfbfsl{N}",
u"\uD64A": "\\mathsfbfsl{O}",
u"\uD64B": "\\mathsfbfsl{P}",
u"\uD64C": "\\mathsfbfsl{Q}",
u"\uD64D": "\\mathsfbfsl{R}",
u"\uD64E": "\\mathsfbfsl{S}",
u"\uD64F": "\\mathsfbfsl{T}",
u"\uD650": "\\mathsfbfsl{U}",
u"\uD651": "\\mathsfbfsl{V}",
u"\uD652": "\\mathsfbfsl{W}",
u"\uD653": "\\mathsfbfsl{X}",
u"\uD654": "\\mathsfbfsl{Y}",
u"\uD655": "\\mathsfbfsl{Z}",
u"\uD656": "\\mathsfbfsl{a}",
u"\uD657": "\\mathsfbfsl{b}",
u"\uD658": "\\mathsfbfsl{c}",
u"\uD659": "\\mathsfbfsl{d}",
u"\uD65A": "\\mathsfbfsl{e}",
u"\uD65B": "\\mathsfbfsl{f}",
u"\uD65C": "\\mathsfbfsl{g}",
u"\uD65D": "\\mathsfbfsl{h}",
u"\uD65E": "\\mathsfbfsl{i}",
u"\uD65F": "\\mathsfbfsl{j}",
u"\uD660": "\\mathsfbfsl{k}",
u"\uD661": "\\mathsfbfsl{l}",
u"\uD662": "\\mathsfbfsl{m}",
u"\uD663": "\\mathsfbfsl{n}",
u"\uD664": "\\mathsfbfsl{o}",
u"\uD665": "\\mathsfbfsl{p}",
u"\uD666": "\\mathsfbfsl{q}",
u"\uD667": "\\mathsfbfsl{r}",
u"\uD668": "\\mathsfbfsl{s}",
u"\uD669": "\\mathsfbfsl{t}",
u"\uD66A": "\\mathsfbfsl{u}",
u"\uD66B": "\\mathsfbfsl{v}",
u"\uD66C": "\\mathsfbfsl{w}",
u"\uD66D": "\\mathsfbfsl{x}",
u"\uD66E": "\\mathsfbfsl{y}",
u"\uD66F": "\\mathsfbfsl{z}",
u"\uD670": "\\mathtt{A}",
u"\uD671": "\\mathtt{B}",
u"\uD672": "\\mathtt{C}",
u"\uD673": "\\mathtt{D}",
u"\uD674": "\\mathtt{E}",
u"\uD675": "\\mathtt{F}",
u"\uD676": "\\mathtt{G}",
u"\uD677": "\\mathtt{H}",
u"\uD678": "\\mathtt{I}",
u"\uD679": "\\mathtt{J}",
u"\uD67A": "\\mathtt{K}",
u"\uD67B": "\\mathtt{L}",
u"\uD67C": "\\mathtt{M}",
u"\uD67D": "\\mathtt{N}",
u"\uD67E": "\\mathtt{O}",
u"\uD67F": "\\mathtt{P}",
u"\uD680": "\\mathtt{Q}",
u"\uD681": "\\mathtt{R}",
u"\uD682": "\\mathtt{S}",
u"\uD683": "\\mathtt{T}",
u"\uD684": "\\mathtt{U}",
u"\uD685": "\\mathtt{V}",
u"\uD686": "\\mathtt{W}",
u"\uD687": "\\mathtt{X}",
u"\uD688": "\\mathtt{Y}",
u"\uD689": "\\mathtt{Z}",
u"\uD68A": "\\mathtt{a}",
u"\uD68B": "\\mathtt{b}",
u"\uD68C": "\\mathtt{c}",
u"\uD68D": "\\mathtt{d}",
u"\uD68E": "\\mathtt{e}",
u"\uD68F": "\\mathtt{f}",
u"\uD690": "\\mathtt{g}",
u"\uD691": "\\mathtt{h}",
u"\uD692": "\\mathtt{i}",
u"\uD693": "\\mathtt{j}",
u"\uD694": "\\mathtt{k}",
u"\uD695": "\\mathtt{l}",
u"\uD696": "\\mathtt{m}",
u"\uD697": "\\mathtt{n}",
u"\uD698": "\\mathtt{o}",
u"\uD699": "\\mathtt{p}",
u"\uD69A": "\\mathtt{q}",
u"\uD69B": "\\mathtt{r}",
u"\uD69C": "\\mathtt{s}",
u"\uD69D": "\\mathtt{t}",
u"\uD69E": "\\mathtt{u}",
u"\uD69F": "\\mathtt{v}",
u"\uD6A0": "\\mathtt{w}",
u"\uD6A1": "\\mathtt{x}",
u"\uD6A2": "\\mathtt{y}",
u"\uD6A3": "\\mathtt{z}",
u"\uD6A8": "\\mathbf{\\Alpha}",
u"\uD6A9": "\\mathbf{\\Beta}",
u"\uD6AA": "\\mathbf{\\Gamma}",
u"\uD6AB": "\\mathbf{\\Delta}",
u"\uD6AC": "\\mathbf{\\Epsilon}",
u"\uD6AD": "\\mathbf{\\Zeta}",
u"\uD6AE": "\\mathbf{\\Eta}",
u"\uD6AF": "\\mathbf{\\Theta}",
u"\uD6B0": "\\mathbf{\\Iota}",
u"\uD6B1": "\\mathbf{\\Kappa}",
u"\uD6B2": "\\mathbf{\\Lambda}",
u"\uD6B5": "\\mathbf{\\Xi}",
u"\uD6B7": "\\mathbf{\\Pi}",
u"\uD6B8": "\\mathbf{\\Rho}",
u"\uD6B9": "\\mathbf{\\vartheta}",
u"\uD6BA": "\\mathbf{\\Sigma}",
u"\uD6BB": "\\mathbf{\\Tau}",
u"\uD6BC": "\\mathbf{\\Upsilon}",
u"\uD6BD": "\\mathbf{\\Phi}",
u"\uD6BE": "\\mathbf{\\Chi}",
u"\uD6BF": "\\mathbf{\\Psi}",
u"\uD6C0": "\\mathbf{\\Omega}",
u"\uD6C1": "\\mathbf{\\nabla}",
u"\uD6C2": "\\mathbf{\\Alpha}",
u"\uD6C3": "\\mathbf{\\Beta}",
u"\uD6C4": "\\mathbf{\\Gamma}",
u"\uD6C5": "\\mathbf{\\Delta}",
u"\uD6C6": "\\mathbf{\\Epsilon}",
u"\uD6C7": "\\mathbf{\\Zeta}",
u"\uD6C8": "\\mathbf{\\Eta}",
u"\uD6C9": "\\mathbf{\\theta}",
u"\uD6CA": "\\mathbf{\\Iota}",
u"\uD6CB": "\\mathbf{\\Kappa}",
u"\uD6CC": "\\mathbf{\\Lambda}",
u"\uD6CF": "\\mathbf{\\Xi}",
u"\uD6D1": "\\mathbf{\\Pi}",
u"\uD6D2": "\\mathbf{\\Rho}",
u"\uD6D3": "\\mathbf{\\varsigma}",
u"\uD6D4": "\\mathbf{\\Sigma}",
u"\uD6D5": "\\mathbf{\\Tau}",
u"\uD6D6": "\\mathbf{\\Upsilon}",
u"\uD6D7": "\\mathbf{\\Phi}",
u"\uD6D8": "\\mathbf{\\Chi}",
u"\uD6D9": "\\mathbf{\\Psi}",
u"\uD6DA": "\\mathbf{\\Omega}",
u"\uD6DB": "\\partial ",
u"\uD6DC": "\\in",
u"\uD6DD": "\\mathbf{\\vartheta}",
u"\uD6DE": "\\mathbf{\\varkappa}",
u"\uD6DF": "\\mathbf{\\phi}",
u"\uD6E0": "\\mathbf{\\varrho}",
u"\uD6E1": "\\mathbf{\\varpi}",
u"\uD6E2": "\\mathsl{\\Alpha}",
u"\uD6E3": "\\mathsl{\\Beta}",
u"\uD6E4": "\\mathsl{\\Gamma}",
u"\uD6E5": "\\mathsl{\\Delta}",
u"\uD6E6": "\\mathsl{\\Epsilon}",
u"\uD6E7": "\\mathsl{\\Zeta}",
u"\uD6E8": "\\mathsl{\\Eta}",
u"\uD6E9": "\\mathsl{\\Theta}",
u"\uD6EA": "\\mathsl{\\Iota}",
u"\uD6EB": "\\mathsl{\\Kappa}",
u"\uD6EC": "\\mathsl{\\Lambda}",
u"\uD6EF": "\\mathsl{\\Xi}",
u"\uD6F1": "\\mathsl{\\Pi}",
u"\uD6F2": "\\mathsl{\\Rho}",
u"\uD6F3": "\\mathsl{\\vartheta}",
u"\uD6F4": "\\mathsl{\\Sigma}",
u"\uD6F5": "\\mathsl{\\Tau}",
u"\uD6F6": "\\mathsl{\\Upsilon}",
u"\uD6F7": "\\mathsl{\\Phi}",
u"\uD6F8": "\\mathsl{\\Chi}",
u"\uD6F9": "\\mathsl{\\Psi}",
u"\uD6FA": "\\mathsl{\\Omega}",
u"\uD6FB": "\\mathsl{\\nabla}",
u"\uD6FC": "\\mathsl{\\Alpha}",
u"\uD6FD": "\\mathsl{\\Beta}",
u"\uD6FE": "\\mathsl{\\Gamma}",
u"\uD6FF": "\\mathsl{\\Delta}",
u"\uD700": "\\mathsl{\\Epsilon}",
u"\uD701": "\\mathsl{\\Zeta}",
u"\uD702": "\\mathsl{\\Eta}",
u"\uD703": "\\mathsl{\\Theta}",
u"\uD704": "\\mathsl{\\Iota}",
u"\uD705": "\\mathsl{\\Kappa}",
u"\uD706": "\\mathsl{\\Lambda}",
u"\uD709": "\\mathsl{\\Xi}",
u"\uD70B": "\\mathsl{\\Pi}",
u"\uD70C": "\\mathsl{\\Rho}",
u"\uD70D": "\\mathsl{\\varsigma}",
u"\uD70E": "\\mathsl{\\Sigma}",
u"\uD70F": "\\mathsl{\\Tau}",
u"\uD710": "\\mathsl{\\Upsilon}",
u"\uD711": "\\mathsl{\\Phi}",
u"\uD712": "\\mathsl{\\Chi}",
u"\uD713": "\\mathsl{\\Psi}",
u"\uD714": "\\mathsl{\\Omega}",
u"\uD715": "\\partial ",
u"\uD716": "\\in",
u"\uD717": "\\mathsl{\\vartheta}",
u"\uD718": "\\mathsl{\\varkappa}",
u"\uD719": "\\mathsl{\\phi}",
u"\uD71A": "\\mathsl{\\varrho}",
u"\uD71B": "\\mathsl{\\varpi}",
u"\uD71C": "\\mathbit{\\Alpha}",
u"\uD71D": "\\mathbit{\\Beta}",
u"\uD71E": "\\mathbit{\\Gamma}",
u"\uD71F": "\\mathbit{\\Delta}",
u"\uD720": "\\mathbit{\\Epsilon}",
u"\uD721": "\\mathbit{\\Zeta}",
u"\uD722": "\\mathbit{\\Eta}",
u"\uD723": "\\mathbit{\\Theta}",
u"\uD724": "\\mathbit{\\Iota}",
u"\uD725": "\\mathbit{\\Kappa}",
u"\uD726": "\\mathbit{\\Lambda}",
u"\uD729": "\\mathbit{\\Xi}",
u"\uD72B": "\\mathbit{\\Pi}",
u"\uD72C": "\\mathbit{\\Rho}",
u"\uD72D": "\\mathbit{O}",
u"\uD72E": "\\mathbit{\\Sigma}",
u"\uD72F": "\\mathbit{\\Tau}",
u"\uD730": "\\mathbit{\\Upsilon}",
u"\uD731": "\\mathbit{\\Phi}",
u"\uD732": "\\mathbit{\\Chi}",
u"\uD733": "\\mathbit{\\Psi}",
u"\uD734": "\\mathbit{\\Omega}",
u"\uD735": "\\mathbit{\\nabla}",
u"\uD736": "\\mathbit{\\Alpha}",
u"\uD737": "\\mathbit{\\Beta}",
u"\uD738": "\\mathbit{\\Gamma}",
u"\uD739": "\\mathbit{\\Delta}",
u"\uD73A": "\\mathbit{\\Epsilon}",
u"\uD73B": "\\mathbit{\\Zeta}",
u"\uD73C": "\\mathbit{\\Eta}",
u"\uD73D": "\\mathbit{\\Theta}",
u"\uD73E": "\\mathbit{\\Iota}",
u"\uD73F": "\\mathbit{\\Kappa}",
u"\uD740": "\\mathbit{\\Lambda}",
u"\uD743": "\\mathbit{\\Xi}",
u"\uD745": "\\mathbit{\\Pi}",
u"\uD746": "\\mathbit{\\Rho}",
u"\uD747": "\\mathbit{\\varsigma}",
u"\uD748": "\\mathbit{\\Sigma}",
u"\uD749": "\\mathbit{\\Tau}",
u"\uD74A": "\\mathbit{\\Upsilon}",
u"\uD74B": "\\mathbit{\\Phi}",
u"\uD74C": "\\mathbit{\\Chi}",
u"\uD74D": "\\mathbit{\\Psi}",
u"\uD74E": "\\mathbit{\\Omega}",
u"\uD74F": "\\partial ",
u"\uD750": "\\in",
u"\uD751": "\\mathbit{\\vartheta}",
u"\uD752": "\\mathbit{\\varkappa}",
u"\uD753": "\\mathbit{\\phi}",
u"\uD754": "\\mathbit{\\varrho}",
u"\uD755": "\\mathbit{\\varpi}",
u"\uD756": "\\mathsfbf{\\Alpha}",
u"\uD757": "\\mathsfbf{\\Beta}",
u"\uD758": "\\mathsfbf{\\Gamma}",
u"\uD759": "\\mathsfbf{\\Delta}",
u"\uD75A": "\\mathsfbf{\\Epsilon}",
u"\uD75B": "\\mathsfbf{\\Zeta}",
u"\uD75C": "\\mathsfbf{\\Eta}",
u"\uD75D": "\\mathsfbf{\\Theta}",
u"\uD75E": "\\mathsfbf{\\Iota}",
u"\uD75F": "\\mathsfbf{\\Kappa}",
u"\uD760": "\\mathsfbf{\\Lambda}",
u"\uD763": "\\mathsfbf{\\Xi}",
u"\uD765": "\\mathsfbf{\\Pi}",
u"\uD766": "\\mathsfbf{\\Rho}",
u"\uD767": "\\mathsfbf{\\vartheta}",
u"\uD768": "\\mathsfbf{\\Sigma}",
u"\uD769": "\\mathsfbf{\\Tau}",
u"\uD76A": "\\mathsfbf{\\Upsilon}",
u"\uD76B": "\\mathsfbf{\\Phi}",
u"\uD76C": "\\mathsfbf{\\Chi}",
u"\uD76D": "\\mathsfbf{\\Psi}",
u"\uD76E": "\\mathsfbf{\\Omega}",
u"\uD76F": "\\mathsfbf{\\nabla}",
u"\uD770": "\\mathsfbf{\\Alpha}",
u"\uD771": "\\mathsfbf{\\Beta}",
u"\uD772": "\\mathsfbf{\\Gamma}",
u"\uD773": "\\mathsfbf{\\Delta}",
u"\uD774": "\\mathsfbf{\\Epsilon}",
u"\uD775": "\\mathsfbf{\\Zeta}",
u"\uD776": "\\mathsfbf{\\Eta}",
u"\uD777": "\\mathsfbf{\\Theta}",
u"\uD778": "\\mathsfbf{\\Iota}",
u"\uD779": "\\mathsfbf{\\Kappa}",
u"\uD77A": "\\mathsfbf{\\Lambda}",
u"\uD77D": "\\mathsfbf{\\Xi}",
u"\uD77F": "\\mathsfbf{\\Pi}",
u"\uD780": "\\mathsfbf{\\Rho}",
u"\uD781": "\\mathsfbf{\\varsigma}",
u"\uD782": "\\mathsfbf{\\Sigma}",
u"\uD783": "\\mathsfbf{\\Tau}",
u"\uD784": "\\mathsfbf{\\Upsilon}",
u"\uD785": "\\mathsfbf{\\Phi}",
u"\uD786": "\\mathsfbf{\\Chi}",
u"\uD787": "\\mathsfbf{\\Psi}",
u"\uD788": "\\mathsfbf{\\Omega}",
u"\uD789": "\\partial ",
u"\uD78A": "\\in",
u"\uD78B": "\\mathsfbf{\\vartheta}",
u"\uD78C": "\\mathsfbf{\\varkappa}",
u"\uD78D": "\\mathsfbf{\\phi}",
u"\uD78E": "\\mathsfbf{\\varrho}",
u"\uD78F": "\\mathsfbf{\\varpi}",
u"\uD790": "\\mathsfbfsl{\\Alpha}",
u"\uD791": "\\mathsfbfsl{\\Beta}",
u"\uD792": "\\mathsfbfsl{\\Gamma}",
u"\uD793": "\\mathsfbfsl{\\Delta}",
u"\uD794": "\\mathsfbfsl{\\Epsilon}",
u"\uD795": "\\mathsfbfsl{\\Zeta}",
u"\uD796": "\\mathsfbfsl{\\Eta}",
u"\uD797": "\\mathsfbfsl{\\vartheta}",
u"\uD798": "\\mathsfbfsl{\\Iota}",
u"\uD799": "\\mathsfbfsl{\\Kappa}",
u"\uD79A": "\\mathsfbfsl{\\Lambda}",
u"\uD79D": "\\mathsfbfsl{\\Xi}",
u"\uD79F": "\\mathsfbfsl{\\Pi}",
u"\uD7A0": "\\mathsfbfsl{\\Rho}",
u"\uD7A1": "\\mathsfbfsl{\\vartheta}",
u"\uD7A2": "\\mathsfbfsl{\\Sigma}",
u"\uD7A3": "\\mathsfbfsl{\\Tau}",
u"\uD7A4": "\\mathsfbfsl{\\Upsilon}",
u"\uD7A5": "\\mathsfbfsl{\\Phi}",
u"\uD7A6": "\\mathsfbfsl{\\Chi}",
u"\uD7A7": "\\mathsfbfsl{\\Psi}",
u"\uD7A8": "\\mathsfbfsl{\\Omega}",
u"\uD7A9": "\\mathsfbfsl{\\nabla}",
u"\uD7AA": "\\mathsfbfsl{\\Alpha}",
u"\uD7AB": "\\mathsfbfsl{\\Beta}",
u"\uD7AC": "\\mathsfbfsl{\\Gamma}",
u"\uD7AD": "\\mathsfbfsl{\\Delta}",
u"\uD7AE": "\\mathsfbfsl{\\Epsilon}",
u"\uD7AF": "\\mathsfbfsl{\\Zeta}",
u"\uD7B0": "\\mathsfbfsl{\\Eta}",
u"\uD7B1": "\\mathsfbfsl{\\vartheta}",
u"\uD7B2": "\\mathsfbfsl{\\Iota}",
u"\uD7B3": "\\mathsfbfsl{\\Kappa}",
u"\uD7B4": "\\mathsfbfsl{\\Lambda}",
u"\uD7B7": "\\mathsfbfsl{\\Xi}",
u"\uD7B9": "\\mathsfbfsl{\\Pi}",
u"\uD7BA": "\\mathsfbfsl{\\Rho}",
u"\uD7BB": "\\mathsfbfsl{\\varsigma}",
u"\uD7BC": "\\mathsfbfsl{\\Sigma}",
u"\uD7BD": "\\mathsfbfsl{\\Tau}",
u"\uD7BE": "\\mathsfbfsl{\\Upsilon}",
u"\uD7BF": "\\mathsfbfsl{\\Phi}",
u"\uD7C0": "\\mathsfbfsl{\\Chi}",
u"\uD7C1": "\\mathsfbfsl{\\Psi}",
u"\uD7C2": "\\mathsfbfsl{\\Omega}",
u"\uD7C3": "\\partial ",
u"\uD7C4": "\\in",
u"\uD7C5": "\\mathsfbfsl{\\vartheta}",
u"\uD7C6": "\\mathsfbfsl{\\varkappa}",
u"\uD7C7": "\\mathsfbfsl{\\phi}",
u"\uD7C8": "\\mathsfbfsl{\\varrho}",
u"\uD7C9": "\\mathsfbfsl{\\varpi}",
u"\uD7CE": "\\mathbf{0}",
u"\uD7CF": "\\mathbf{1}",
u"\uD7D0": "\\mathbf{2}",
u"\uD7D1": "\\mathbf{3}",
u"\uD7D2": "\\mathbf{4}",
u"\uD7D3": "\\mathbf{5}",
u"\uD7D4": "\\mathbf{6}",
u"\uD7D5": "\\mathbf{7}",
u"\uD7D6": "\\mathbf{8}",
u"\uD7D7": "\\mathbf{9}",
u"\uD7D8": "\\mathbb{0}",
u"\uD7D9": "\\mathbb{1}",
u"\uD7DA": "\\mathbb{2}",
u"\uD7DB": "\\mathbb{3}",
u"\uD7DC": "\\mathbb{4}",
u"\uD7DD": "\\mathbb{5}",
u"\uD7DE": "\\mathbb{6}",
u"\uD7DF": "\\mathbb{7}",
u"\uD7E0": "\\mathbb{8}",
u"\uD7E1": "\\mathbb{9}",
u"\uD7E2": "\\mathsf{0}",
u"\uD7E3": "\\mathsf{1}",
u"\uD7E4": "\\mathsf{2}",
u"\uD7E5": "\\mathsf{3}",
u"\uD7E6": "\\mathsf{4}",
u"\uD7E7": "\\mathsf{5}",
u"\uD7E8": "\\mathsf{6}",
u"\uD7E9": "\\mathsf{7}",
u"\uD7EA": "\\mathsf{8}",
u"\uD7EB": "\\mathsf{9}",
u"\uD7EC": "\\mathsfbf{0}",
u"\uD7ED": "\\mathsfbf{1}",
u"\uD7EE": "\\mathsfbf{2}",
u"\uD7EF": "\\mathsfbf{3}",
u"\uD7F0": "\\mathsfbf{4}",
u"\uD7F1": "\\mathsfbf{5}",
u"\uD7F2": "\\mathsfbf{6}",
u"\uD7F3": "\\mathsfbf{7}",
u"\uD7F4": "\\mathsfbf{8}",
u"\uD7F5": "\\mathsfbf{9}",
u"\uD7F6": "\\mathtt{0}",
u"\uD7F7": "\\mathtt{1}",
u"\uD7F8": "\\mathtt{2}",
u"\uD7F9": "\\mathtt{3}",
u"\uD7FA": "\\mathtt{4}",
u"\uD7FB": "\\mathtt{5}",
u"\uD7FC": "\\mathtt{6}",
u"\uD7FD": "\\mathtt{7}",
u"\uD7FE": "\\mathtt{8}",
u"\uD7FF": "\\mathtt{9}",
}
bibtex_to_unicode = {}
for unicode_value in unicode_to_latex:
bibtex = unicode_to_latex[unicode_value]
bibtex = unicode(bibtex, "utf-8")
bibtex = bibtex.strip()
bibtex = bibtex.replace("\\", "")
bibtex = bibtex.replace("{", "")
bibtex = bibtex.replace("}", "")
bibtex = "{"+bibtex+"}"
bibtex_to_unicode[bibtex] = unicode_value | unicode_to_latex = {u' ': '\\space ', u'#': '\\#', u'$': '\\textdollar ', u'%': '\\%', u'&': '\\&', u"'": '\\textquotesingle ', u'*': '\\ast ', u'\\': '\\textbackslash ', u'^': '\\^{}', u'_': '\\_', u'`': '\\textasciigrave ', u'{': '\\lbrace ', u'|': '\\vert ', u'}': '\\rbrace ', u'~': '\\textasciitilde ', u'¡': '\\textexclamdown ', u'¢': '\\textcent ', u'£': '\\textsterling ', u'¤': '\\textcurrency ', u'¥': '\\textyen ', u'¦': '\\textbrokenbar ', u'§': '\\textsection ', u'¨': '\\textasciidieresis ', u'©': '\\textcopyright ', u'ª': '\\textordfeminine ', u'«': '\\guillemotleft ', u'¬': '\\lnot ', u'\xad': '\\-', u'®': '\\textregistered ', u'¯': '\\textasciimacron ', u'°': '\\textdegree ', u'±': '\\pm ', u'²': '{^2}', u'³': '{^3}', u'´': '\\textasciiacute ', u'µ': '\\mathrm{\\mu}', u'¶': '\\textparagraph ', u'·': '\\cdot ', u'¸': '\\c{}', u'¹': '{^1}', u'º': '\\textordmasculine ', u'»': '\\guillemotright ', u'¼': '\\textonequarter ', u'½': '\\textonehalf ', u'¾': '\\textthreequarters ', u'¿': '\\textquestiondown ', u'À': '\\`{A}', u'Á': "\\'{A}", u'Â': '\\^{A}', u'Ã': '\\~{A}', u'Ä': '\\"{A}', u'Å': '\\AA ', u'Æ': '\\AE ', u'Ç': '\\c{C}', u'È': '\\`{E}', u'É': "\\'{E}", u'Ê': '\\^{E}', u'Ë': '\\"{E}', u'Ì': '\\`{I}', u'Í': "\\'{I}", u'Î': '\\^{I}', u'Ï': '\\"{I}', u'Ð': '\\DH ', u'Ñ': '\\~{N}', u'Ò': '\\`{O}', u'Ó': "\\'{O}", u'Ô': '\\^{O}', u'Õ': '\\~{O}', u'Ö': '\\"{O}', u'×': '\\texttimes ', u'Ø': '\\O ', u'Ù': '\\`{U}', u'Ú': "\\'{U}", u'Û': '\\^{U}', u'Ü': '\\"{U}', u'Ý': "\\'{Y}", u'Þ': '\\TH ', u'ß': '\\ss ', u'à': '\\`{a}', u'á': "\\'{a}", u'â': '\\^{a}', u'ã': '\\~{a}', u'ä': '\\"{a}', u'å': '\\aa ', u'æ': '\\ae ', u'ç': '\\c{c}', u'è': '\\`{e}', u'é': "\\'{e}", u'ê': '\\^{e}', u'ë': '\\"{e}', u'ì': '\\`{\\i}', u'í': "\\'{\\i}", u'î': '\\^{\\i}', u'ï': '\\"{\\i}', u'ð': '\\dh ', u'ñ': '\\~{n}', u'ò': '\\`{o}', u'ó': "\\'{o}", u'ô': '\\^{o}', u'õ': '\\~{o}', u'ö': '\\"{o}', u'÷': '\\div ', u'ø': '\\o ', u'ù': '\\`{u}', u'ú': "\\'{u}", u'û': '\\^{u}', u'ü': '\\"{u}', u'ý': "\\'{y}", u'þ': '\\th ', u'ÿ': '\\"{y}', u'Ā': '\\={A}', u'ā': '\\={a}', u'Ă': '\\u{A}', u'ă': '\\u{a}', u'Ą': '\\k{A}', u'ą': '\\k{a}', u'Ć': "\\'{C}", u'ć': "\\'{c}", u'Ĉ': '\\^{C}', u'ĉ': '\\^{c}', u'Ċ': '\\.{C}', u'ċ': '\\.{c}', u'Č': '\\v{C}', u'č': '\\v{c}', u'Ď': '\\v{D}', u'ď': '\\v{d}', u'Đ': '\\DJ ', u'đ': '\\dj ', u'Ē': '\\={E}', u'ē': '\\={e}', u'Ĕ': '\\u{E}', u'ĕ': '\\u{e}', u'Ė': '\\.{E}', u'ė': '\\.{e}', u'Ę': '\\k{E}', u'ę': '\\k{e}', u'Ě': '\\v{E}', u'ě': '\\v{e}', u'Ĝ': '\\^{G}', u'ĝ': '\\^{g}', u'Ğ': '\\u{G}', u'ğ': '\\u{g}', u'Ġ': '\\.{G}', u'ġ': '\\.{g}', u'Ģ': '\\c{G}', u'ģ': '\\c{g}', u'Ĥ': '\\^{H}', u'ĥ': '\\^{h}', u'Ħ': '{\\fontencoding{LELA}\\selectfont\\char40}', u'ħ': '\\Elzxh ', u'Ĩ': '\\~{I}', u'ĩ': '\\~{\\i}', u'Ī': '\\={I}', u'ī': '\\={\\i}', u'Ĭ': '\\u{I}', u'ĭ': '\\u{\\i}', u'Į': '\\k{I}', u'į': '\\k{i}', u'İ': '\\.{I}', u'ı': '\\i ', u'IJ': 'IJ', u'ij': 'ij', u'Ĵ': '\\^{J}', u'ĵ': '\\^{\\j}', u'Ķ': '\\c{K}', u'ķ': '\\c{k}', u'ĸ': '{\\fontencoding{LELA}\\selectfont\\char91}', u'Ĺ': "\\'{L}", u'ĺ': "\\'{l}", u'Ļ': '\\c{L}', u'ļ': '\\c{l}', u'Ľ': '\\v{L}', u'ľ': '\\v{l}', u'Ŀ': '{\\fontencoding{LELA}\\selectfont\\char201}', u'ŀ': '{\\fontencoding{LELA}\\selectfont\\char202}', u'Ł': '\\L ', u'ł': '\\l ', u'Ń': "\\'{N}", u'ń': "\\'{n}", u'Ņ': '\\c{N}', u'ņ': '\\c{n}', u'Ň': '\\v{N}', u'ň': '\\v{n}', u'ʼn': "'n", u'Ŋ': '\\NG ', u'ŋ': '\\ng ', u'Ō': '\\={O}', u'ō': '\\={o}', u'Ŏ': '\\u{O}', u'ŏ': '\\u{o}', u'Ő': '\\H{O}', u'ő': '\\H{o}', u'Œ': '\\OE ', u'œ': '\\oe ', u'Ŕ': "\\'{R}", u'ŕ': "\\'{r}", u'Ŗ': '\\c{R}', u'ŗ': '\\c{r}', u'Ř': '\\v{R}', u'ř': '\\v{r}', u'Ś': "\\'{S}", u'ś': "\\'{s}", u'Ŝ': '\\^{S}', u'ŝ': '\\^{s}', u'Ş': '\\c{S}', u'ş': '\\c{s}', u'Š': '\\v{S}', u'š': '\\v{s}', u'Ţ': '\\c{T}', u'ţ': '\\c{t}', u'Ť': '\\v{T}', u'ť': '\\v{t}', u'Ŧ': '{\\fontencoding{LELA}\\selectfont\\char47}', u'ŧ': '{\\fontencoding{LELA}\\selectfont\\char63}', u'Ũ': '\\~{U}', u'ũ': '\\~{u}', u'Ū': '\\={U}', u'ū': '\\={u}', u'Ŭ': '\\u{U}', u'ŭ': '\\u{u}', u'Ů': '\\r{U}', u'ů': '\\r{u}', u'Ű': '\\H{U}', u'ű': '\\H{u}', u'Ų': '\\k{U}', u'ų': '\\k{u}', u'Ŵ': '\\^{W}', u'ŵ': '\\^{w}', u'Ŷ': '\\^{Y}', u'ŷ': '\\^{y}', u'Ÿ': '\\"{Y}', u'Ź': "\\'{Z}", u'ź': "\\'{z}", u'Ż': '\\.{Z}', u'ż': '\\.{z}', u'Ž': '\\v{Z}', u'ž': '\\v{z}', u'ƕ': '\\texthvlig ', u'ƞ': '\\textnrleg ', u'ƪ': '\\eth ', u'ƺ': '{\\fontencoding{LELA}\\selectfont\\char195}', u'ǂ': '\\textdoublepipe ', u'ǵ': "\\'{g}", u'ɐ': '\\Elztrna ', u'ɒ': '\\Elztrnsa ', u'ɔ': '\\Elzopeno ', u'ɖ': '\\Elzrtld ', u'ɘ': '{\\fontencoding{LEIP}\\selectfont\\char61}', u'ə': '\\Elzschwa ', u'ɛ': '\\varepsilon ', u'ɣ': '\\Elzpgamma ', u'ɤ': '\\Elzpbgam ', u'ɥ': '\\Elztrnh ', u'ɬ': '\\Elzbtdl ', u'ɭ': '\\Elzrtll ', u'ɯ': '\\Elztrnm ', u'ɰ': '\\Elztrnmlr ', u'ɱ': '\\Elzltlmr ', u'ɲ': '\\Elzltln ', u'ɳ': '\\Elzrtln ', u'ɷ': '\\Elzclomeg ', u'ɸ': '\\textphi ', u'ɹ': '\\Elztrnr ', u'ɺ': '\\Elztrnrl ', u'ɻ': '\\Elzrttrnr ', u'ɼ': '\\Elzrl ', u'ɽ': '\\Elzrtlr ', u'ɾ': '\\Elzfhr ', u'ɿ': '{\\fontencoding{LEIP}\\selectfont\\char202}', u'ʂ': '\\Elzrtls ', u'ʃ': '\\Elzesh ', u'ʇ': '\\Elztrnt ', u'ʈ': '\\Elzrtlt ', u'ʊ': '\\Elzpupsil ', u'ʋ': '\\Elzpscrv ', u'ʌ': '\\Elzinvv ', u'ʍ': '\\Elzinvw ', u'ʎ': '\\Elztrny ', u'ʐ': '\\Elzrtlz ', u'ʒ': '\\Elzyogh ', u'ʔ': '\\Elzglst ', u'ʕ': '\\Elzreglst ', u'ʖ': '\\Elzinglst ', u'ʞ': '\\textturnk ', u'ʤ': '\\Elzdyogh ', u'ʧ': '\\Elztesh ', u'ˇ': '\\textasciicaron ', u'ˈ': '\\Elzverts ', u'ˌ': '\\Elzverti ', u'ː': '\\Elzlmrk ', u'ˑ': '\\Elzhlmrk ', u'˒': '\\Elzsbrhr ', u'˓': '\\Elzsblhr ', u'˔': '\\Elzrais ', u'˕': '\\Elzlow ', u'˘': '\\textasciibreve ', u'˙': '\\textperiodcentered ', u'˚': '\\r{}', u'˛': '\\k{}', u'˜': '\\texttildelow ', u'˝': '\\H{}', u'˥': '\\tone{55}', u'˦': '\\tone{44}', u'˧': '\\tone{33}', u'˨': '\\tone{22}', u'˩': '\\tone{11}', u'̀': '\\`', u'́': "\\'", u'̂': '\\^', u'̃': '\\~', u'̄': '\\=', u'̆': '\\u', u'̇': '\\.', u'̈': '\\"', u'̊': '\\r', u'̋': '\\H', u'̌': '\\v', u'̏': '\\cyrchar\\C', u'̑': '{\\fontencoding{LECO}\\selectfont\\char177}', u'̘': '{\\fontencoding{LECO}\\selectfont\\char184}', u'̙': '{\\fontencoding{LECO}\\selectfont\\char185}', u'̡': '\\Elzpalh ', u'̢': '\\Elzrh ', u'̧': '\\c', u'̨': '\\k', u'̪': '\\Elzsbbrg ', u'̫': '{\\fontencoding{LECO}\\selectfont\\char203}', u'̯': '{\\fontencoding{LECO}\\selectfont\\char207}', u'̵': '\\Elzxl ', u'̶': '\\Elzbar ', u'̷': '{\\fontencoding{LECO}\\selectfont\\char215}', u'̸': '{\\fontencoding{LECO}\\selectfont\\char216}', u'̺': '{\\fontencoding{LECO}\\selectfont\\char218}', u'̻': '{\\fontencoding{LECO}\\selectfont\\char219}', u'̼': '{\\fontencoding{LECO}\\selectfont\\char220}', u'̽': '{\\fontencoding{LECO}\\selectfont\\char221}', u'͡': '{\\fontencoding{LECO}\\selectfont\\char225}', u'Ά': "\\'{A}", u'Έ': "\\'{E}", u'Ή': "\\'{H}", u'Ί': "\\'{}{I}", u'Ό': "\\'{}O", u'Ύ': "\\mathrm{'Y}", u'Ώ': "\\mathrm{'\\Omega}", u'ΐ': '\\acute{\\ddot{\\iota}}', u'Α': '\\Alpha ', u'Β': '\\Beta ', u'Γ': '\\Gamma ', u'Δ': '\\Delta ', u'Ε': '\\Epsilon ', u'Ζ': '\\Zeta ', u'Η': '\\Eta ', u'Θ': '\\Theta ', u'Ι': '\\Iota ', u'Κ': '\\Kappa ', u'Λ': '\\Lambda ', u'Ξ': '\\Xi ', u'Π': '\\Pi ', u'Ρ': '\\Rho ', u'Σ': '\\Sigma ', u'Τ': '\\Tau ', u'Υ': '\\Upsilon ', u'Φ': '\\Phi ', u'Χ': '\\Chi ', u'Ψ': '\\Psi ', u'Ω': '\\Omega ', u'Ϊ': '\\mathrm{\\ddot{I}}', u'Ϋ': '\\mathrm{\\ddot{Y}}', u'ά': "\\'{$\\alpha$}", u'έ': '\\acute{\\epsilon}', u'ή': '\\acute{\\eta}', u'ί': '\\acute{\\iota}', u'ΰ': '\\acute{\\ddot{\\upsilon}}', u'α': '\\alpha ', u'β': '\\beta ', u'γ': '\\gamma ', u'δ': '\\delta ', u'ε': '\\epsilon ', u'ζ': '\\zeta ', u'η': '\\eta ', u'θ': '\\texttheta ', u'ι': '\\iota ', u'κ': '\\kappa ', u'λ': '\\lambda ', u'μ': '\\mu ', u'ν': '\\nu ', u'ξ': '\\xi ', u'π': '\\pi ', u'ρ': '\\rho ', u'ς': '\\varsigma ', u'σ': '\\sigma ', u'τ': '\\tau ', u'υ': '\\upsilon ', u'φ': '\\varphi ', u'χ': '\\chi ', u'ψ': '\\psi ', u'ω': '\\omega ', u'ϊ': '\\ddot{\\iota}', u'ϋ': '\\ddot{\\upsilon}', u'ό': "\\'{o}", u'ύ': '\\acute{\\upsilon}', u'ώ': '\\acute{\\omega}', u'ϐ': '\\Pisymbol{ppi022}{87}', u'ϑ': '\\textvartheta ', u'ϒ': '\\Upsilon ', u'ϕ': '\\phi ', u'ϖ': '\\varpi ', u'Ϛ': '\\Stigma ', u'Ϝ': '\\Digamma ', u'ϝ': '\\digamma ', u'Ϟ': '\\Koppa ', u'Ϡ': '\\Sampi ', u'ϰ': '\\varkappa ', u'ϱ': '\\varrho ', u'ϴ': '\\textTheta ', u'϶': '\\backepsilon ', u'Ё': '\\cyrchar\\CYRYO ', u'Ђ': '\\cyrchar\\CYRDJE ', u'Ѓ': "\\cyrchar{\\'\\CYRG}", u'Є': '\\cyrchar\\CYRIE ', u'Ѕ': '\\cyrchar\\CYRDZE ', u'І': '\\cyrchar\\CYRII ', u'Ї': '\\cyrchar\\CYRYI ', u'Ј': '\\cyrchar\\CYRJE ', u'Љ': '\\cyrchar\\CYRLJE ', u'Њ': '\\cyrchar\\CYRNJE ', u'Ћ': '\\cyrchar\\CYRTSHE ', u'Ќ': "\\cyrchar{\\'\\CYRK}", u'Ў': '\\cyrchar\\CYRUSHRT ', u'Џ': '\\cyrchar\\CYRDZHE ', u'А': '\\cyrchar\\CYRA ', u'Б': '\\cyrchar\\CYRB ', u'В': '\\cyrchar\\CYRV ', u'Г': '\\cyrchar\\CYRG ', u'Д': '\\cyrchar\\CYRD ', u'Е': '\\cyrchar\\CYRE ', u'Ж': '\\cyrchar\\CYRZH ', u'З': '\\cyrchar\\CYRZ ', u'И': '\\cyrchar\\CYRI ', u'Й': '\\cyrchar\\CYRISHRT ', u'К': '\\cyrchar\\CYRK ', u'Л': '\\cyrchar\\CYRL ', u'М': '\\cyrchar\\CYRM ', u'Н': '\\cyrchar\\CYRN ', u'О': '\\cyrchar\\CYRO ', u'П': '\\cyrchar\\CYRP ', u'Р': '\\cyrchar\\CYRR ', u'С': '\\cyrchar\\CYRS ', u'Т': '\\cyrchar\\CYRT ', u'У': '\\cyrchar\\CYRU ', u'Ф': '\\cyrchar\\CYRF ', u'Х': '\\cyrchar\\CYRH ', u'Ц': '\\cyrchar\\CYRC ', u'Ч': '\\cyrchar\\CYRCH ', u'Ш': '\\cyrchar\\CYRSH ', u'Щ': '\\cyrchar\\CYRSHCH ', u'Ъ': '\\cyrchar\\CYRHRDSN ', u'Ы': '\\cyrchar\\CYRERY ', u'Ь': '\\cyrchar\\CYRSFTSN ', u'Э': '\\cyrchar\\CYREREV ', u'Ю': '\\cyrchar\\CYRYU ', u'Я': '\\cyrchar\\CYRYA ', u'а': '\\cyrchar\\cyra ', u'б': '\\cyrchar\\cyrb ', u'в': '\\cyrchar\\cyrv ', u'г': '\\cyrchar\\cyrg ', u'д': '\\cyrchar\\cyrd ', u'е': '\\cyrchar\\cyre ', u'ж': '\\cyrchar\\cyrzh ', u'з': '\\cyrchar\\cyrz ', u'и': '\\cyrchar\\cyri ', u'й': '\\cyrchar\\cyrishrt ', u'к': '\\cyrchar\\cyrk ', u'л': '\\cyrchar\\cyrl ', u'м': '\\cyrchar\\cyrm ', u'н': '\\cyrchar\\cyrn ', u'о': '\\cyrchar\\cyro ', u'п': '\\cyrchar\\cyrp ', u'р': '\\cyrchar\\cyrr ', u'с': '\\cyrchar\\cyrs ', u'т': '\\cyrchar\\cyrt ', u'у': '\\cyrchar\\cyru ', u'ф': '\\cyrchar\\cyrf ', u'х': '\\cyrchar\\cyrh ', u'ц': '\\cyrchar\\cyrc ', u'ч': '\\cyrchar\\cyrch ', u'ш': '\\cyrchar\\cyrsh ', u'щ': '\\cyrchar\\cyrshch ', u'ъ': '\\cyrchar\\cyrhrdsn ', u'ы': '\\cyrchar\\cyrery ', u'ь': '\\cyrchar\\cyrsftsn ', u'э': '\\cyrchar\\cyrerev ', u'ю': '\\cyrchar\\cyryu ', u'я': '\\cyrchar\\cyrya ', u'ё': '\\cyrchar\\cyryo ', u'ђ': '\\cyrchar\\cyrdje ', u'ѓ': "\\cyrchar{\\'\\cyrg}", u'є': '\\cyrchar\\cyrie ', u'ѕ': '\\cyrchar\\cyrdze ', u'і': '\\cyrchar\\cyrii ', u'ї': '\\cyrchar\\cyryi ', u'ј': '\\cyrchar\\cyrje ', u'љ': '\\cyrchar\\cyrlje ', u'њ': '\\cyrchar\\cyrnje ', u'ћ': '\\cyrchar\\cyrtshe ', u'ќ': "\\cyrchar{\\'\\cyrk}", u'ў': '\\cyrchar\\cyrushrt ', u'џ': '\\cyrchar\\cyrdzhe ', u'Ѡ': '\\cyrchar\\CYROMEGA ', u'ѡ': '\\cyrchar\\cyromega ', u'Ѣ': '\\cyrchar\\CYRYAT ', u'Ѥ': '\\cyrchar\\CYRIOTE ', u'ѥ': '\\cyrchar\\cyriote ', u'Ѧ': '\\cyrchar\\CYRLYUS ', u'ѧ': '\\cyrchar\\cyrlyus ', u'Ѩ': '\\cyrchar\\CYRIOTLYUS ', u'ѩ': '\\cyrchar\\cyriotlyus ', u'Ѫ': '\\cyrchar\\CYRBYUS ', u'Ѭ': '\\cyrchar\\CYRIOTBYUS ', u'ѭ': '\\cyrchar\\cyriotbyus ', u'Ѯ': '\\cyrchar\\CYRKSI ', u'ѯ': '\\cyrchar\\cyrksi ', u'Ѱ': '\\cyrchar\\CYRPSI ', u'ѱ': '\\cyrchar\\cyrpsi ', u'Ѳ': '\\cyrchar\\CYRFITA ', u'Ѵ': '\\cyrchar\\CYRIZH ', u'Ѹ': '\\cyrchar\\CYRUK ', u'ѹ': '\\cyrchar\\cyruk ', u'Ѻ': '\\cyrchar\\CYROMEGARND ', u'ѻ': '\\cyrchar\\cyromegarnd ', u'Ѽ': '\\cyrchar\\CYROMEGATITLO ', u'ѽ': '\\cyrchar\\cyromegatitlo ', u'Ѿ': '\\cyrchar\\CYROT ', u'ѿ': '\\cyrchar\\cyrot ', u'Ҁ': '\\cyrchar\\CYRKOPPA ', u'ҁ': '\\cyrchar\\cyrkoppa ', u'҂': '\\cyrchar\\cyrthousands ', u'҈': '\\cyrchar\\cyrhundredthousands ', u'҉': '\\cyrchar\\cyrmillions ', u'Ҍ': '\\cyrchar\\CYRSEMISFTSN ', u'ҍ': '\\cyrchar\\cyrsemisftsn ', u'Ҏ': '\\cyrchar\\CYRRTICK ', u'ҏ': '\\cyrchar\\cyrrtick ', u'Ґ': '\\cyrchar\\CYRGUP ', u'ґ': '\\cyrchar\\cyrgup ', u'Ғ': '\\cyrchar\\CYRGHCRS ', u'ғ': '\\cyrchar\\cyrghcrs ', u'Ҕ': '\\cyrchar\\CYRGHK ', u'ҕ': '\\cyrchar\\cyrghk ', u'Җ': '\\cyrchar\\CYRZHDSC ', u'җ': '\\cyrchar\\cyrzhdsc ', u'Ҙ': '\\cyrchar\\CYRZDSC ', u'ҙ': '\\cyrchar\\cyrzdsc ', u'Қ': '\\cyrchar\\CYRKDSC ', u'қ': '\\cyrchar\\cyrkdsc ', u'Ҝ': '\\cyrchar\\CYRKVCRS ', u'ҝ': '\\cyrchar\\cyrkvcrs ', u'Ҟ': '\\cyrchar\\CYRKHCRS ', u'ҟ': '\\cyrchar\\cyrkhcrs ', u'Ҡ': '\\cyrchar\\CYRKBEAK ', u'ҡ': '\\cyrchar\\cyrkbeak ', u'Ң': '\\cyrchar\\CYRNDSC ', u'ң': '\\cyrchar\\cyrndsc ', u'Ҥ': '\\cyrchar\\CYRNG ', u'ҥ': '\\cyrchar\\cyrng ', u'Ҧ': '\\cyrchar\\CYRPHK ', u'ҧ': '\\cyrchar\\cyrphk ', u'Ҩ': '\\cyrchar\\CYRABHHA ', u'ҩ': '\\cyrchar\\cyrabhha ', u'Ҫ': '\\cyrchar\\CYRSDSC ', u'ҫ': '\\cyrchar\\cyrsdsc ', u'Ҭ': '\\cyrchar\\CYRTDSC ', u'ҭ': '\\cyrchar\\cyrtdsc ', u'Ү': '\\cyrchar\\CYRY ', u'ү': '\\cyrchar\\cyry ', u'Ұ': '\\cyrchar\\CYRYHCRS ', u'ұ': '\\cyrchar\\cyryhcrs ', u'Ҳ': '\\cyrchar\\CYRHDSC ', u'ҳ': '\\cyrchar\\cyrhdsc ', u'Ҵ': '\\cyrchar\\CYRTETSE ', u'ҵ': '\\cyrchar\\cyrtetse ', u'Ҷ': '\\cyrchar\\CYRCHRDSC ', u'ҷ': '\\cyrchar\\cyrchrdsc ', u'Ҹ': '\\cyrchar\\CYRCHVCRS ', u'ҹ': '\\cyrchar\\cyrchvcrs ', u'Һ': '\\cyrchar\\CYRSHHA ', u'һ': '\\cyrchar\\cyrshha ', u'Ҽ': '\\cyrchar\\CYRABHCH ', u'ҽ': '\\cyrchar\\cyrabhch ', u'Ҿ': '\\cyrchar\\CYRABHCHDSC ', u'ҿ': '\\cyrchar\\cyrabhchdsc ', u'Ӏ': '\\cyrchar\\CYRpalochka ', u'Ӄ': '\\cyrchar\\CYRKHK ', u'ӄ': '\\cyrchar\\cyrkhk ', u'Ӈ': '\\cyrchar\\CYRNHK ', u'ӈ': '\\cyrchar\\cyrnhk ', u'Ӌ': '\\cyrchar\\CYRCHLDSC ', u'ӌ': '\\cyrchar\\cyrchldsc ', u'Ӕ': '\\cyrchar\\CYRAE ', u'ӕ': '\\cyrchar\\cyrae ', u'Ә': '\\cyrchar\\CYRSCHWA ', u'ә': '\\cyrchar\\cyrschwa ', u'Ӡ': '\\cyrchar\\CYRABHDZE ', u'ӡ': '\\cyrchar\\cyrabhdze ', u'Ө': '\\cyrchar\\CYROTLD ', u'ө': '\\cyrchar\\cyrotld ', u'\u2002': '\\hspace{0.6em}', u'\u2003': '\\hspace{1em}', u'\u2004': '\\hspace{0.33em}', u'\u2005': '\\hspace{0.25em}', u'\u2006': '\\hspace{0.166em}', u'\u2007': '\\hphantom{0}', u'\u2008': '\\hphantom{,}', u'\u2009': '\\hspace{0.167em}', u'\u2009-0200A-0200A': '\\;', u'\u200a': '\\mkern1mu ', u'–': '\\textendash ', u'—': '\\textemdash ', u'―': '\\rule{1em}{1pt}', u'‖': '\\Vert ', u'‛': '\\Elzreapos ', u'“': '\\textquotedblleft ', u'”': '\\textquotedblright ', u'„': ',,', u'†': '\\textdagger ', u'‡': '\\textdaggerdbl ', u'•': '\\textbullet ', u'‥': '..', u'…': '\\ldots ', u'‰': '\\textperthousand ', u'‱': '\\textpertenthousand ', u'′': "{'}", u'″': "{''}", u'‴': "{'''}", u'‵': '\\backprime ', u'‹': '\\guilsinglleft ', u'›': '\\guilsinglright ', u'⁗': "''''", u'\u205f': '\\mkern4mu ', u'\u2060': '\\nolinebreak ', u'₧': '\\ensuremath{\\Elzpes}', u'€': '\\mbox{\\texteuro} ', u'⃛': '\\dddot ', u'⃜': '\\ddddot ', u'ℂ': '\\mathbb{C}', u'ℊ': '\\mathscr{g}', u'ℋ': '\\mathscr{H}', u'ℌ': '\\mathfrak{H}', u'ℍ': '\\mathbb{H}', u'ℏ': '\\hslash ', u'ℐ': '\\mathscr{I}', u'ℑ': '\\mathfrak{I}', u'ℒ': '\\mathscr{L}', u'ℓ': '\\mathscr{l}', u'ℕ': '\\mathbb{N}', u'№': '\\cyrchar\\textnumero ', u'℘': '\\wp ', u'ℙ': '\\mathbb{P}', u'ℚ': '\\mathbb{Q}', u'ℛ': '\\mathscr{R}', u'ℜ': '\\mathfrak{R}', u'ℝ': '\\mathbb{R}', u'℞': '\\Elzxrat ', u'™': '\\texttrademark ', u'ℤ': '\\mathbb{Z}', u'Ω': '\\Omega ', u'℧': '\\mho ', u'ℨ': '\\mathfrak{Z}', u'℩': '\\ElsevierGlyph{2129}', u'Å': '\\AA ', u'ℬ': '\\mathscr{B}', u'ℭ': '\\mathfrak{C}', u'ℯ': '\\mathscr{e}', u'ℰ': '\\mathscr{E}', u'ℱ': '\\mathscr{F}', u'ℳ': '\\mathscr{M}', u'ℴ': '\\mathscr{o}', u'ℵ': '\\aleph ', u'ℶ': '\\beth ', u'ℷ': '\\gimel ', u'ℸ': '\\daleth ', u'⅓': '\\textfrac{1}{3}', u'⅔': '\\textfrac{2}{3}', u'⅕': '\\textfrac{1}{5}', u'⅖': '\\textfrac{2}{5}', u'⅗': '\\textfrac{3}{5}', u'⅘': '\\textfrac{4}{5}', u'⅙': '\\textfrac{1}{6}', u'⅚': '\\textfrac{5}{6}', u'⅛': '\\textfrac{1}{8}', u'⅜': '\\textfrac{3}{8}', u'⅝': '\\textfrac{5}{8}', u'⅞': '\\textfrac{7}{8}', u'←': '\\leftarrow ', u'↑': '\\uparrow ', u'→': '\\rightarrow ', u'↓': '\\downarrow ', u'↔': '\\leftrightarrow ', u'↕': '\\updownarrow ', u'↖': '\\nwarrow ', u'↗': '\\nearrow ', u'↘': '\\searrow ', u'↙': '\\swarrow ', u'↚': '\\nleftarrow ', u'↛': '\\nrightarrow ', u'↜': '\\arrowwaveright ', u'↝': '\\arrowwaveright ', u'↞': '\\twoheadleftarrow ', u'↠': '\\twoheadrightarrow ', u'↢': '\\leftarrowtail ', u'↣': '\\rightarrowtail ', u'↦': '\\mapsto ', u'↩': '\\hookleftarrow ', u'↪': '\\hookrightarrow ', u'↫': '\\looparrowleft ', u'↬': '\\looparrowright ', u'↭': '\\leftrightsquigarrow ', u'↮': '\\nleftrightarrow ', u'↰': '\\Lsh ', u'↱': '\\Rsh ', u'↳': '\\ElsevierGlyph{21B3}', u'↶': '\\curvearrowleft ', u'↷': '\\curvearrowright ', u'↺': '\\circlearrowleft ', u'↻': '\\circlearrowright ', u'↼': '\\leftharpoonup ', u'↽': '\\leftharpoondown ', u'↾': '\\upharpoonright ', u'↿': '\\upharpoonleft ', u'⇀': '\\rightharpoonup ', u'⇁': '\\rightharpoondown ', u'⇂': '\\downharpoonright ', u'⇃': '\\downharpoonleft ', u'⇄': '\\rightleftarrows ', u'⇅': '\\dblarrowupdown ', u'⇆': '\\leftrightarrows ', u'⇇': '\\leftleftarrows ', u'⇈': '\\upuparrows ', u'⇉': '\\rightrightarrows ', u'⇊': '\\downdownarrows ', u'⇋': '\\leftrightharpoons ', u'⇌': '\\rightleftharpoons ', u'⇍': '\\nLeftarrow ', u'⇎': '\\nLeftrightarrow ', u'⇏': '\\nRightarrow ', u'⇐': '\\Leftarrow ', u'⇑': '\\Uparrow ', u'⇒': '\\Rightarrow ', u'⇓': '\\Downarrow ', u'⇔': '\\Leftrightarrow ', u'⇕': '\\Updownarrow ', u'⇚': '\\Lleftarrow ', u'⇛': '\\Rrightarrow ', u'⇝': '\\rightsquigarrow ', u'⇵': '\\DownArrowUpArrow ', u'∀': '\\forall ', u'∁': '\\complement ', u'∂': '\\partial ', u'∃': '\\exists ', u'∄': '\\nexists ', u'∅': '\\varnothing ', u'∇': '\\nabla ', u'∈': '\\in ', u'∉': '\\not\\in ', u'∋': '\\ni ', u'∌': '\\not\\ni ', u'∏': '\\prod ', u'∐': '\\coprod ', u'∑': '\\sum ', u'∓': '\\mp ', u'∔': '\\dotplus ', u'∖': '\\setminus ', u'∗': '{_\\ast}', u'∘': '\\circ ', u'∙': '\\bullet ', u'√': '\\surd ', u'∝': '\\propto ', u'∞': '\\infty ', u'∟': '\\rightangle ', u'∠': '\\angle ', u'∡': '\\measuredangle ', u'∢': '\\sphericalangle ', u'∣': '\\mid ', u'∤': '\\nmid ', u'∥': '\\parallel ', u'∦': '\\nparallel ', u'∧': '\\wedge ', u'∨': '\\vee ', u'∩': '\\cap ', u'∪': '\\cup ', u'∫': '\\int ', u'∬': '\\int\\!\\int ', u'∭': '\\int\\!\\int\\!\\int ', u'∮': '\\oint ', u'∯': '\\surfintegral ', u'∰': '\\volintegral ', u'∱': '\\clwintegral ', u'∲': '\\ElsevierGlyph{2232}', u'∳': '\\ElsevierGlyph{2233}', u'∴': '\\therefore ', u'∵': '\\because ', u'∷': '\\Colon ', u'∸': '\\ElsevierGlyph{2238}', u'∺': '\\mathbin{{:}\\!\\!{-}\\!\\!{:}}', u'∻': '\\homothetic ', u'∼': '\\sim ', u'∽': '\\backsim ', u'∾': '\\lazysinv ', u'≀': '\\wr ', u'≁': '\\not\\sim ', u'≂': '\\ElsevierGlyph{2242}', u'≂-00338': '\\NotEqualTilde ', u'≃': '\\simeq ', u'≄': '\\not\\simeq ', u'≅': '\\cong ', u'≆': '\\approxnotequal ', u'≇': '\\not\\cong ', u'≈': '\\approx ', u'≉': '\\not\\approx ', u'≊': '\\approxeq ', u'≋': '\\tildetrpl ', u'≋-00338': '\\not\\apid ', u'≌': '\\allequal ', u'≍': '\\asymp ', u'≎': '\\Bumpeq ', u'≎-00338': '\\NotHumpDownHump ', u'≏': '\\bumpeq ', u'≏-00338': '\\NotHumpEqual ', u'≐': '\\doteq ', u'≐-00338': '\\not\\doteq', u'≑': '\\doteqdot ', u'≒': '\\fallingdotseq ', u'≓': '\\risingdotseq ', u'≔': ':=', u'≕': '=:', u'≖': '\\eqcirc ', u'≗': '\\circeq ', u'≙': '\\estimates ', u'≚': '\\ElsevierGlyph{225A}', u'≛': '\\starequal ', u'≜': '\\triangleq ', u'≟': '\\ElsevierGlyph{225F}', u'≠': '\\not =', u'≡': '\\equiv ', u'≢': '\\not\\equiv ', u'≤': '\\leq ', u'≥': '\\geq ', u'≦': '\\leqq ', u'≧': '\\geqq ', u'≨': '\\lneqq ', u'≨-0FE00': '\\lvertneqq ', u'≩': '\\gneqq ', u'≩-0FE00': '\\gvertneqq ', u'≪': '\\ll ', u'≪-00338': '\\NotLessLess ', u'≫': '\\gg ', u'≫-00338': '\\NotGreaterGreater ', u'≬': '\\between ', u'≭': '\\not\\kern-0.3em\\times ', u'≮': '\\not<', u'≯': '\\not>', u'≰': '\\not\\leq ', u'≱': '\\not\\geq ', u'≲': '\\lessequivlnt ', u'≳': '\\greaterequivlnt ', u'≴': '\\ElsevierGlyph{2274}', u'≵': '\\ElsevierGlyph{2275}', u'≶': '\\lessgtr ', u'≷': '\\gtrless ', u'≸': '\\notlessgreater ', u'≹': '\\notgreaterless ', u'≺': '\\prec ', u'≻': '\\succ ', u'≼': '\\preccurlyeq ', u'≽': '\\succcurlyeq ', u'≾': '\\precapprox ', u'≾-00338': '\\NotPrecedesTilde ', u'≿': '\\succapprox ', u'≿-00338': '\\NotSucceedsTilde ', u'⊀': '\\not\\prec ', u'⊁': '\\not\\succ ', u'⊂': '\\subset ', u'⊃': '\\supset ', u'⊄': '\\not\\subset ', u'⊅': '\\not\\supset ', u'⊆': '\\subseteq ', u'⊇': '\\supseteq ', u'⊈': '\\not\\subseteq ', u'⊉': '\\not\\supseteq ', u'⊊': '\\subsetneq ', u'⊊-0FE00': '\\varsubsetneqq ', u'⊋': '\\supsetneq ', u'⊋-0FE00': '\\varsupsetneq ', u'⊎': '\\uplus ', u'⊏': '\\sqsubset ', u'⊏-00338': '\\NotSquareSubset ', u'⊐': '\\sqsupset ', u'⊐-00338': '\\NotSquareSuperset ', u'⊑': '\\sqsubseteq ', u'⊒': '\\sqsupseteq ', u'⊓': '\\sqcap ', u'⊔': '\\sqcup ', u'⊕': '\\oplus ', u'⊖': '\\ominus ', u'⊗': '\\otimes ', u'⊘': '\\oslash ', u'⊙': '\\odot ', u'⊚': '\\circledcirc ', u'⊛': '\\circledast ', u'⊝': '\\circleddash ', u'⊞': '\\boxplus ', u'⊟': '\\boxminus ', u'⊠': '\\boxtimes ', u'⊡': '\\boxdot ', u'⊢': '\\vdash ', u'⊣': '\\dashv ', u'⊤': '\\top ', u'⊥': '\\perp ', u'⊧': '\\truestate ', u'⊨': '\\forcesextra ', u'⊩': '\\Vdash ', u'⊪': '\\Vvdash ', u'⊫': '\\VDash ', u'⊬': '\\nvdash ', u'⊭': '\\nvDash ', u'⊮': '\\nVdash ', u'⊯': '\\nVDash ', u'⊲': '\\vartriangleleft ', u'⊳': '\\vartriangleright ', u'⊴': '\\trianglelefteq ', u'⊵': '\\trianglerighteq ', u'⊶': '\\original ', u'⊷': '\\image ', u'⊸': '\\multimap ', u'⊹': '\\hermitconjmatrix ', u'⊺': '\\intercal ', u'⊻': '\\veebar ', u'⊾': '\\rightanglearc ', u'⋀': '\\ElsevierGlyph{22C0}', u'⋁': '\\ElsevierGlyph{22C1}', u'⋂': '\\bigcap ', u'⋃': '\\bigcup ', u'⋄': '\\diamond ', u'⋅': '\\cdot ', u'⋆': '\\star ', u'⋇': '\\divideontimes ', u'⋈': '\\bowtie ', u'⋉': '\\ltimes ', u'⋊': '\\rtimes ', u'⋋': '\\leftthreetimes ', u'⋌': '\\rightthreetimes ', u'⋍': '\\backsimeq ', u'⋎': '\\curlyvee ', u'⋏': '\\curlywedge ', u'⋐': '\\Subset ', u'⋑': '\\Supset ', u'⋒': '\\Cap ', u'⋓': '\\Cup ', u'⋔': '\\pitchfork ', u'⋖': '\\lessdot ', u'⋗': '\\gtrdot ', u'⋘': '\\verymuchless ', u'⋙': '\\verymuchgreater ', u'⋚': '\\lesseqgtr ', u'⋛': '\\gtreqless ', u'⋞': '\\curlyeqprec ', u'⋟': '\\curlyeqsucc ', u'⋢': '\\not\\sqsubseteq ', u'⋣': '\\not\\sqsupseteq ', u'⋥': '\\Elzsqspne ', u'⋦': '\\lnsim ', u'⋧': '\\gnsim ', u'⋨': '\\precedesnotsimilar ', u'⋩': '\\succnsim ', u'⋪': '\\ntriangleleft ', u'⋫': '\\ntriangleright ', u'⋬': '\\ntrianglelefteq ', u'⋭': '\\ntrianglerighteq ', u'⋮': '\\vdots ', u'⋯': '\\cdots ', u'⋰': '\\upslopeellipsis ', u'⋱': '\\downslopeellipsis ', u'⌅': '\\barwedge ', u'⌆': '\\perspcorrespond ', u'⌈': '\\lceil ', u'⌉': '\\rceil ', u'⌊': '\\lfloor ', u'⌋': '\\rfloor ', u'⌕': '\\recorder ', u'⌖': '\\mathchar"2208', u'⌜': '\\ulcorner ', u'⌝': '\\urcorner ', u'⌞': '\\llcorner ', u'⌟': '\\lrcorner ', u'⌢': '\\frown ', u'⌣': '\\smile ', u'〈': '\\langle ', u'〉': '\\rangle ', u'⌽': '\\ElsevierGlyph{E838}', u'⎣': '\\Elzdlcorn ', u'⎰': '\\lmoustache ', u'⎱': '\\rmoustache ', u'␣': '\\textvisiblespace ', u'①': '\\ding{172}', u'②': '\\ding{173}', u'③': '\\ding{174}', u'④': '\\ding{175}', u'⑤': '\\ding{176}', u'⑥': '\\ding{177}', u'⑦': '\\ding{178}', u'⑧': '\\ding{179}', u'⑨': '\\ding{180}', u'⑩': '\\ding{181}', u'Ⓢ': '\\circledS ', u'┆': '\\Elzdshfnc ', u'┙': '\\Elzsqfnw ', u'╱': '\\diagup ', u'■': '\\ding{110}', u'□': '\\square ', u'▪': '\\blacksquare ', u'▭': '\\fbox{~~}', u'▯': '\\Elzvrecto ', u'▱': '\\ElsevierGlyph{E381}', u'▲': '\\ding{115}', u'△': '\\bigtriangleup ', u'▴': '\\blacktriangle ', u'▵': '\\vartriangle ', u'▸': '\\blacktriangleright ', u'▹': '\\triangleright ', u'▼': '\\ding{116}', u'▽': '\\bigtriangledown ', u'▾': '\\blacktriangledown ', u'▿': '\\triangledown ', u'◂': '\\blacktriangleleft ', u'◃': '\\triangleleft ', u'◆': '\\ding{117}', u'◊': '\\lozenge ', u'○': '\\bigcirc ', u'●': '\\ding{108}', u'◐': '\\Elzcirfl ', u'◑': '\\Elzcirfr ', u'◒': '\\Elzcirfb ', u'◗': '\\ding{119}', u'◘': '\\Elzrvbull ', u'◧': '\\Elzsqfl ', u'◨': '\\Elzsqfr ', u'◪': '\\Elzsqfse ', u'◯': '\\bigcirc ', u'★': '\\ding{72}', u'☆': '\\ding{73}', u'☎': '\\ding{37}', u'☛': '\\ding{42}', u'☞': '\\ding{43}', u'☾': '\\rightmoon ', u'☿': '\\mercury ', u'♀': '\\venus ', u'♂': '\\male ', u'♃': '\\jupiter ', u'♄': '\\saturn ', u'♅': '\\uranus ', u'♆': '\\neptune ', u'♇': '\\pluto ', u'♈': '\\aries ', u'♉': '\\taurus ', u'♊': '\\gemini ', u'♋': '\\cancer ', u'♌': '\\leo ', u'♍': '\\virgo ', u'♎': '\\libra ', u'♏': '\\scorpio ', u'♐': '\\sagittarius ', u'♑': '\\capricornus ', u'♒': '\\aquarius ', u'♓': '\\pisces ', u'♠': '\\ding{171}', u'♢': '\\diamond ', u'♣': '\\ding{168}', u'♥': '\\ding{170}', u'♦': '\\ding{169}', u'♩': '\\quarternote ', u'♪': '\\eighthnote ', u'♭': '\\flat ', u'♮': '\\natural ', u'♯': '\\sharp ', u'✁': '\\ding{33}', u'✂': '\\ding{34}', u'✃': '\\ding{35}', u'✄': '\\ding{36}', u'✆': '\\ding{38}', u'✇': '\\ding{39}', u'✈': '\\ding{40}', u'✉': '\\ding{41}', u'✌': '\\ding{44}', u'✍': '\\ding{45}', u'✎': '\\ding{46}', u'✏': '\\ding{47}', u'✐': '\\ding{48}', u'✑': '\\ding{49}', u'✒': '\\ding{50}', u'✓': '\\ding{51}', u'✔': '\\ding{52}', u'✕': '\\ding{53}', u'✖': '\\ding{54}', u'✗': '\\ding{55}', u'✘': '\\ding{56}', u'✙': '\\ding{57}', u'✚': '\\ding{58}', u'✛': '\\ding{59}', u'✜': '\\ding{60}', u'✝': '\\ding{61}', u'✞': '\\ding{62}', u'✟': '\\ding{63}', u'✠': '\\ding{64}', u'✡': '\\ding{65}', u'✢': '\\ding{66}', u'✣': '\\ding{67}', u'✤': '\\ding{68}', u'✥': '\\ding{69}', u'✦': '\\ding{70}', u'✧': '\\ding{71}', u'✩': '\\ding{73}', u'✪': '\\ding{74}', u'✫': '\\ding{75}', u'✬': '\\ding{76}', u'✭': '\\ding{77}', u'✮': '\\ding{78}', u'✯': '\\ding{79}', u'✰': '\\ding{80}', u'✱': '\\ding{81}', u'✲': '\\ding{82}', u'✳': '\\ding{83}', u'✴': '\\ding{84}', u'✵': '\\ding{85}', u'✶': '\\ding{86}', u'✷': '\\ding{87}', u'✸': '\\ding{88}', u'✹': '\\ding{89}', u'✺': '\\ding{90}', u'✻': '\\ding{91}', u'✼': '\\ding{92}', u'✽': '\\ding{93}', u'✾': '\\ding{94}', u'✿': '\\ding{95}', u'❀': '\\ding{96}', u'❁': '\\ding{97}', u'❂': '\\ding{98}', u'❃': '\\ding{99}', u'❄': '\\ding{100}', u'❅': '\\ding{101}', u'❆': '\\ding{102}', u'❇': '\\ding{103}', u'❈': '\\ding{104}', u'❉': '\\ding{105}', u'❊': '\\ding{106}', u'❋': '\\ding{107}', u'❍': '\\ding{109}', u'❏': '\\ding{111}', u'❐': '\\ding{112}', u'❑': '\\ding{113}', u'❒': '\\ding{114}', u'❖': '\\ding{118}', u'❘': '\\ding{120}', u'❙': '\\ding{121}', u'❚': '\\ding{122}', u'❛': '\\ding{123}', u'❜': '\\ding{124}', u'❝': '\\ding{125}', u'❞': '\\ding{126}', u'❡': '\\ding{161}', u'❢': '\\ding{162}', u'❣': '\\ding{163}', u'❤': '\\ding{164}', u'❥': '\\ding{165}', u'❦': '\\ding{166}', u'❧': '\\ding{167}', u'❶': '\\ding{182}', u'❷': '\\ding{183}', u'❸': '\\ding{184}', u'❹': '\\ding{185}', u'❺': '\\ding{186}', u'❻': '\\ding{187}', u'❼': '\\ding{188}', u'❽': '\\ding{189}', u'❾': '\\ding{190}', u'❿': '\\ding{191}', u'➀': '\\ding{192}', u'➁': '\\ding{193}', u'➂': '\\ding{194}', u'➃': '\\ding{195}', u'➄': '\\ding{196}', u'➅': '\\ding{197}', u'➆': '\\ding{198}', u'➇': '\\ding{199}', u'➈': '\\ding{200}', u'➉': '\\ding{201}', u'➊': '\\ding{202}', u'➋': '\\ding{203}', u'➌': '\\ding{204}', u'➍': '\\ding{205}', u'➎': '\\ding{206}', u'➏': '\\ding{207}', u'➐': '\\ding{208}', u'➑': '\\ding{209}', u'➒': '\\ding{210}', u'➓': '\\ding{211}', u'➔': '\\ding{212}', u'➘': '\\ding{216}', u'➙': '\\ding{217}', u'➚': '\\ding{218}', u'➛': '\\ding{219}', u'➜': '\\ding{220}', u'➝': '\\ding{221}', u'➞': '\\ding{222}', u'➟': '\\ding{223}', u'➠': '\\ding{224}', u'➡': '\\ding{225}', u'➢': '\\ding{226}', u'➣': '\\ding{227}', u'➤': '\\ding{228}', u'➥': '\\ding{229}', u'➦': '\\ding{230}', u'➧': '\\ding{231}', u'➨': '\\ding{232}', u'➩': '\\ding{233}', u'➪': '\\ding{234}', u'➫': '\\ding{235}', u'➬': '\\ding{236}', u'➭': '\\ding{237}', u'➮': '\\ding{238}', u'➯': '\\ding{239}', u'➱': '\\ding{241}', u'➲': '\\ding{242}', u'➳': '\\ding{243}', u'➴': '\\ding{244}', u'➵': '\\ding{245}', u'➶': '\\ding{246}', u'➷': '\\ding{247}', u'➸': '\\ding{248}', u'➹': '\\ding{249}', u'➺': '\\ding{250}', u'➻': '\\ding{251}', u'➼': '\\ding{252}', u'➽': '\\ding{253}', u'➾': '\\ding{254}', u'⟵': '\\longleftarrow ', u'⟶': '\\longrightarrow ', u'⟷': '\\longleftrightarrow ', u'⟸': '\\Longleftarrow ', u'⟹': '\\Longrightarrow ', u'⟺': '\\Longleftrightarrow ', u'⟼': '\\longmapsto ', u'⟿': '\\sim\\joinrel\\leadsto', u'⤅': '\\ElsevierGlyph{E212}', u'⤒': '\\UpArrowBar ', u'⤓': '\\DownArrowBar ', u'⤣': '\\ElsevierGlyph{E20C}', u'⤤': '\\ElsevierGlyph{E20D}', u'⤥': '\\ElsevierGlyph{E20B}', u'⤦': '\\ElsevierGlyph{E20A}', u'⤧': '\\ElsevierGlyph{E211}', u'⤨': '\\ElsevierGlyph{E20E}', u'⤩': '\\ElsevierGlyph{E20F}', u'⤪': '\\ElsevierGlyph{E210}', u'⤳': '\\ElsevierGlyph{E21C}', u'⤳-00338': '\\ElsevierGlyph{E21D}', u'⤶': '\\ElsevierGlyph{E21A}', u'⤷': '\\ElsevierGlyph{E219}', u'⥀': '\\Elolarr ', u'⥁': '\\Elorarr ', u'⥂': '\\ElzRlarr ', u'⥄': '\\ElzrLarr ', u'⥇': '\\Elzrarrx ', u'⥎': '\\LeftRightVector ', u'⥏': '\\RightUpDownVector ', u'⥐': '\\DownLeftRightVector ', u'⥑': '\\LeftUpDownVector ', u'⥒': '\\LeftVectorBar ', u'⥓': '\\RightVectorBar ', u'⥔': '\\RightUpVectorBar ', u'⥕': '\\RightDownVectorBar ', u'⥖': '\\DownLeftVectorBar ', u'⥗': '\\DownRightVectorBar ', u'⥘': '\\LeftUpVectorBar ', u'⥙': '\\LeftDownVectorBar ', u'⥚': '\\LeftTeeVector ', u'⥛': '\\RightTeeVector ', u'⥜': '\\RightUpTeeVector ', u'⥝': '\\RightDownTeeVector ', u'⥞': '\\DownLeftTeeVector ', u'⥟': '\\DownRightTeeVector ', u'⥠': '\\LeftUpTeeVector ', u'⥡': '\\LeftDownTeeVector ', u'⥮': '\\UpEquilibrium ', u'⥯': '\\ReverseUpEquilibrium ', u'⥰': '\\RoundImplies ', u'⥼': '\\ElsevierGlyph{E214}', u'⥽': '\\ElsevierGlyph{E215}', u'⦀': '\\Elztfnc ', u'⦅': '\\ElsevierGlyph{3018}', u'⦆': '\\Elroang ', u'⦓': '<\\kern-0.58em(', u'⦔': '\\ElsevierGlyph{E291}', u'⦙': '\\Elzddfnc ', u'⦜': '\\Angle ', u'⦠': '\\Elzlpargt ', u'⦵': '\\ElsevierGlyph{E260}', u'⦶': '\\ElsevierGlyph{E61B}', u'⧊': '\\ElzLap ', u'⧋': '\\Elzdefas ', u'⧏': '\\LeftTriangleBar ', u'⧏-00338': '\\NotLeftTriangleBar ', u'⧐': '\\RightTriangleBar ', u'⧐-00338': '\\NotRightTriangleBar ', u'⧜': '\\ElsevierGlyph{E372}', u'⧫': '\\blacklozenge ', u'⧴': '\\RuleDelayed ', u'⨄': '\\Elxuplus ', u'⨅': '\\ElzThr ', u'⨆': '\\Elxsqcup ', u'⨇': '\\ElzInf ', u'⨈': '\\ElzSup ', u'⨍': '\\ElzCint ', u'⨏': '\\clockoint ', u'⨐': '\\ElsevierGlyph{E395}', u'⨖': '\\sqrint ', u'⨥': '\\ElsevierGlyph{E25A}', u'⨪': '\\ElsevierGlyph{E25B}', u'⨭': '\\ElsevierGlyph{E25C}', u'⨮': '\\ElsevierGlyph{E25D}', u'⨯': '\\ElzTimes ', u'⨴': '\\ElsevierGlyph{E25E}', u'⨵': '\\ElsevierGlyph{E25E}', u'⨼': '\\ElsevierGlyph{E259}', u'⨿': '\\amalg ', u'⩓': '\\ElzAnd ', u'⩔': '\\ElzOr ', u'⩕': '\\ElsevierGlyph{E36E}', u'⩖': '\\ElOr ', u'⩞': '\\perspcorrespond ', u'⩟': '\\Elzminhat ', u'⩣': '\\ElsevierGlyph{225A}', u'⩮': '\\stackrel{*}{=}', u'⩵': '\\Equal ', u'⩽': '\\leqslant ', u'⩽-00338': '\\nleqslant ', u'⩾': '\\geqslant ', u'⩾-00338': '\\ngeqslant ', u'⪅': '\\lessapprox ', u'⪆': '\\gtrapprox ', u'⪇': '\\lneq ', u'⪈': '\\gneq ', u'⪉': '\\lnapprox ', u'⪊': '\\gnapprox ', u'⪋': '\\lesseqqgtr ', u'⪌': '\\gtreqqless ', u'⪕': '\\eqslantless ', u'⪖': '\\eqslantgtr ', u'⪝': '\\Pisymbol{ppi020}{117}', u'⪞': '\\Pisymbol{ppi020}{105}', u'⪡': '\\NestedLessLess ', u'⪡-00338': '\\NotNestedLessLess ', u'⪢': '\\NestedGreaterGreater ', u'⪢-00338': '\\NotNestedGreaterGreater ', u'⪯': '\\preceq ', u'⪯-00338': '\\not\\preceq ', u'⪰': '\\succeq ', u'⪰-00338': '\\not\\succeq ', u'⪵': '\\precneqq ', u'⪶': '\\succneqq ', u'⪷': '\\precapprox ', u'⪸': '\\succapprox ', u'⪹': '\\precnapprox ', u'⪺': '\\succnapprox ', u'⫅': '\\subseteqq ', u'⫅-00338': '\\nsubseteqq ', u'⫆': '\\supseteqq ', u'⫆-00338': '\\nsupseteqq', u'⫋': '\\subsetneqq ', u'⫌': '\\supsetneqq ', u'⫫': '\\ElsevierGlyph{E30D}', u'⫶': '\\Elztdcol ', u'⫽': '{{/}\\!\\!{/}}', u'⫽-020E5': '{\\rlap{\\textbackslash}{{/}\\!\\!{/}}}', u'《': '\\ElsevierGlyph{300A}', u'》': '\\ElsevierGlyph{300B}', u'〘': '\\ElsevierGlyph{3018}', u'〙': '\\ElsevierGlyph{3019}', u'〚': '\\openbracketleft ', u'〛': '\\openbracketright ', u'ff': 'ff', u'fi': 'fi', u'fl': 'fl', u'ffi': 'ffi', u'ffl': 'ffl', u'퐀': '\\mathbf{A}', u'퐁': '\\mathbf{B}', u'퐂': '\\mathbf{C}', u'퐃': '\\mathbf{D}', u'퐄': '\\mathbf{E}', u'퐅': '\\mathbf{F}', u'퐆': '\\mathbf{G}', u'퐇': '\\mathbf{H}', u'퐈': '\\mathbf{I}', u'퐉': '\\mathbf{J}', u'퐊': '\\mathbf{K}', u'퐋': '\\mathbf{L}', u'퐌': '\\mathbf{M}', u'퐍': '\\mathbf{N}', u'퐎': '\\mathbf{O}', u'퐏': '\\mathbf{P}', u'퐐': '\\mathbf{Q}', u'퐑': '\\mathbf{R}', u'퐒': '\\mathbf{S}', u'퐓': '\\mathbf{T}', u'퐔': '\\mathbf{U}', u'퐕': '\\mathbf{V}', u'퐖': '\\mathbf{W}', u'퐗': '\\mathbf{X}', u'퐘': '\\mathbf{Y}', u'퐙': '\\mathbf{Z}', u'퐚': '\\mathbf{a}', u'퐛': '\\mathbf{b}', u'퐜': '\\mathbf{c}', u'퐝': '\\mathbf{d}', u'퐞': '\\mathbf{e}', u'퐟': '\\mathbf{f}', u'퐠': '\\mathbf{g}', u'퐡': '\\mathbf{h}', u'퐢': '\\mathbf{i}', u'퐣': '\\mathbf{j}', u'퐤': '\\mathbf{k}', u'퐥': '\\mathbf{l}', u'퐦': '\\mathbf{m}', u'퐧': '\\mathbf{n}', u'퐨': '\\mathbf{o}', u'퐩': '\\mathbf{p}', u'퐪': '\\mathbf{q}', u'퐫': '\\mathbf{r}', u'퐬': '\\mathbf{s}', u'퐭': '\\mathbf{t}', u'퐮': '\\mathbf{u}', u'퐯': '\\mathbf{v}', u'퐰': '\\mathbf{w}', u'퐱': '\\mathbf{x}', u'퐲': '\\mathbf{y}', u'퐳': '\\mathbf{z}', u'퐴': '\\mathsl{A}', u'퐵': '\\mathsl{B}', u'퐶': '\\mathsl{C}', u'퐷': '\\mathsl{D}', u'퐸': '\\mathsl{E}', u'퐹': '\\mathsl{F}', u'퐺': '\\mathsl{G}', u'퐻': '\\mathsl{H}', u'퐼': '\\mathsl{I}', u'퐽': '\\mathsl{J}', u'퐾': '\\mathsl{K}', u'퐿': '\\mathsl{L}', u'푀': '\\mathsl{M}', u'푁': '\\mathsl{N}', u'푂': '\\mathsl{O}', u'푃': '\\mathsl{P}', u'푄': '\\mathsl{Q}', u'푅': '\\mathsl{R}', u'푆': '\\mathsl{S}', u'푇': '\\mathsl{T}', u'푈': '\\mathsl{U}', u'푉': '\\mathsl{V}', u'푊': '\\mathsl{W}', u'푋': '\\mathsl{X}', u'푌': '\\mathsl{Y}', u'푍': '\\mathsl{Z}', u'푎': '\\mathsl{a}', u'푏': '\\mathsl{b}', u'푐': '\\mathsl{c}', u'푑': '\\mathsl{d}', u'푒': '\\mathsl{e}', u'푓': '\\mathsl{f}', u'푔': '\\mathsl{g}', u'푖': '\\mathsl{i}', u'푗': '\\mathsl{j}', u'푘': '\\mathsl{k}', u'푙': '\\mathsl{l}', u'푚': '\\mathsl{m}', u'푛': '\\mathsl{n}', u'표': '\\mathsl{o}', u'푝': '\\mathsl{p}', u'푞': '\\mathsl{q}', u'푟': '\\mathsl{r}', u'푠': '\\mathsl{s}', u'푡': '\\mathsl{t}', u'푢': '\\mathsl{u}', u'푣': '\\mathsl{v}', u'푤': '\\mathsl{w}', u'푥': '\\mathsl{x}', u'푦': '\\mathsl{y}', u'푧': '\\mathsl{z}', u'푨': '\\mathbit{A}', u'푩': '\\mathbit{B}', u'푪': '\\mathbit{C}', u'푫': '\\mathbit{D}', u'푬': '\\mathbit{E}', u'푭': '\\mathbit{F}', u'푮': '\\mathbit{G}', u'푯': '\\mathbit{H}', u'푰': '\\mathbit{I}', u'푱': '\\mathbit{J}', u'푲': '\\mathbit{K}', u'푳': '\\mathbit{L}', u'푴': '\\mathbit{M}', u'푵': '\\mathbit{N}', u'푶': '\\mathbit{O}', u'푷': '\\mathbit{P}', u'푸': '\\mathbit{Q}', u'푹': '\\mathbit{R}', u'푺': '\\mathbit{S}', u'푻': '\\mathbit{T}', u'푼': '\\mathbit{U}', u'푽': '\\mathbit{V}', u'푾': '\\mathbit{W}', u'푿': '\\mathbit{X}', u'풀': '\\mathbit{Y}', u'풁': '\\mathbit{Z}', u'풂': '\\mathbit{a}', u'풃': '\\mathbit{b}', u'풄': '\\mathbit{c}', u'풅': '\\mathbit{d}', u'풆': '\\mathbit{e}', u'풇': '\\mathbit{f}', u'품': '\\mathbit{g}', u'풉': '\\mathbit{h}', u'풊': '\\mathbit{i}', u'풋': '\\mathbit{j}', u'풌': '\\mathbit{k}', u'풍': '\\mathbit{l}', u'풎': '\\mathbit{m}', u'풏': '\\mathbit{n}', u'풐': '\\mathbit{o}', u'풑': '\\mathbit{p}', u'풒': '\\mathbit{q}', u'풓': '\\mathbit{r}', u'풔': '\\mathbit{s}', u'풕': '\\mathbit{t}', u'풖': '\\mathbit{u}', u'풗': '\\mathbit{v}', u'풘': '\\mathbit{w}', u'풙': '\\mathbit{x}', u'풚': '\\mathbit{y}', u'풛': '\\mathbit{z}', u'풜': '\\mathscr{A}', u'풞': '\\mathscr{C}', u'풟': '\\mathscr{D}', u'풢': '\\mathscr{G}', u'풥': '\\mathscr{J}', u'풦': '\\mathscr{K}', u'풩': '\\mathscr{N}', u'풪': '\\mathscr{O}', u'풫': '\\mathscr{P}', u'풬': '\\mathscr{Q}', u'풮': '\\mathscr{S}', u'풯': '\\mathscr{T}', u'풰': '\\mathscr{U}', u'풱': '\\mathscr{V}', u'풲': '\\mathscr{W}', u'풳': '\\mathscr{X}', u'풴': '\\mathscr{Y}', u'풵': '\\mathscr{Z}', u'풶': '\\mathscr{a}', u'풷': '\\mathscr{b}', u'풸': '\\mathscr{c}', u'풹': '\\mathscr{d}', u'풻': '\\mathscr{f}', u'풽': '\\mathscr{h}', u'풾': '\\mathscr{i}', u'풿': '\\mathscr{j}', u'퓀': '\\mathscr{k}', u'퓁': '\\mathscr{l}', u'퓂': '\\mathscr{m}', u'퓃': '\\mathscr{n}', u'퓅': '\\mathscr{p}', u'퓆': '\\mathscr{q}', u'퓇': '\\mathscr{r}', u'퓈': '\\mathscr{s}', u'퓉': '\\mathscr{t}', u'퓊': '\\mathscr{u}', u'퓋': '\\mathscr{v}', u'퓌': '\\mathscr{w}', u'퓍': '\\mathscr{x}', u'퓎': '\\mathscr{y}', u'퓏': '\\mathscr{z}', u'퓐': '\\mathmit{A}', u'퓑': '\\mathmit{B}', u'퓒': '\\mathmit{C}', u'퓓': '\\mathmit{D}', u'퓔': '\\mathmit{E}', u'퓕': '\\mathmit{F}', u'퓖': '\\mathmit{G}', u'퓗': '\\mathmit{H}', u'퓘': '\\mathmit{I}', u'퓙': '\\mathmit{J}', u'퓚': '\\mathmit{K}', u'퓛': '\\mathmit{L}', u'퓜': '\\mathmit{M}', u'퓝': '\\mathmit{N}', u'퓞': '\\mathmit{O}', u'퓟': '\\mathmit{P}', u'퓠': '\\mathmit{Q}', u'퓡': '\\mathmit{R}', u'퓢': '\\mathmit{S}', u'퓣': '\\mathmit{T}', u'퓤': '\\mathmit{U}', u'퓥': '\\mathmit{V}', u'퓦': '\\mathmit{W}', u'퓧': '\\mathmit{X}', u'퓨': '\\mathmit{Y}', u'퓩': '\\mathmit{Z}', u'퓪': '\\mathmit{a}', u'퓫': '\\mathmit{b}', u'퓬': '\\mathmit{c}', u'퓭': '\\mathmit{d}', u'퓮': '\\mathmit{e}', u'퓯': '\\mathmit{f}', u'퓰': '\\mathmit{g}', u'퓱': '\\mathmit{h}', u'퓲': '\\mathmit{i}', u'퓳': '\\mathmit{j}', u'퓴': '\\mathmit{k}', u'퓵': '\\mathmit{l}', u'퓶': '\\mathmit{m}', u'퓷': '\\mathmit{n}', u'퓸': '\\mathmit{o}', u'퓹': '\\mathmit{p}', u'퓺': '\\mathmit{q}', u'퓻': '\\mathmit{r}', u'퓼': '\\mathmit{s}', u'퓽': '\\mathmit{t}', u'퓾': '\\mathmit{u}', u'퓿': '\\mathmit{v}', u'픀': '\\mathmit{w}', u'픁': '\\mathmit{x}', u'픂': '\\mathmit{y}', u'픃': '\\mathmit{z}', u'프': '\\mathfrak{A}', u'픅': '\\mathfrak{B}', u'픇': '\\mathfrak{D}', u'픈': '\\mathfrak{E}', u'픉': '\\mathfrak{F}', u'픊': '\\mathfrak{G}', u'픍': '\\mathfrak{J}', u'픎': '\\mathfrak{K}', u'픏': '\\mathfrak{L}', u'픐': '\\mathfrak{M}', u'픑': '\\mathfrak{N}', u'픒': '\\mathfrak{O}', u'픓': '\\mathfrak{P}', u'픔': '\\mathfrak{Q}', u'픖': '\\mathfrak{S}', u'픗': '\\mathfrak{T}', u'픘': '\\mathfrak{U}', u'픙': '\\mathfrak{V}', u'픚': '\\mathfrak{W}', u'픛': '\\mathfrak{X}', u'픜': '\\mathfrak{Y}', u'픞': '\\mathfrak{a}', u'픟': '\\mathfrak{b}', u'픠': '\\mathfrak{c}', u'픡': '\\mathfrak{d}', u'픢': '\\mathfrak{e}', u'픣': '\\mathfrak{f}', u'픤': '\\mathfrak{g}', u'픥': '\\mathfrak{h}', u'픦': '\\mathfrak{i}', u'픧': '\\mathfrak{j}', u'픨': '\\mathfrak{k}', u'픩': '\\mathfrak{l}', u'픪': '\\mathfrak{m}', u'픫': '\\mathfrak{n}', u'픬': '\\mathfrak{o}', u'픭': '\\mathfrak{p}', u'픮': '\\mathfrak{q}', u'픯': '\\mathfrak{r}', u'픰': '\\mathfrak{s}', u'픱': '\\mathfrak{t}', u'픲': '\\mathfrak{u}', u'픳': '\\mathfrak{v}', u'픴': '\\mathfrak{w}', u'픵': '\\mathfrak{x}', u'픶': '\\mathfrak{y}', u'픷': '\\mathfrak{z}', u'픸': '\\mathbb{A}', u'픹': '\\mathbb{B}', u'픻': '\\mathbb{D}', u'피': '\\mathbb{E}', u'픽': '\\mathbb{F}', u'픾': '\\mathbb{G}', u'핀': '\\mathbb{I}', u'핁': '\\mathbb{J}', u'핂': '\\mathbb{K}', u'핃': '\\mathbb{L}', u'필': '\\mathbb{M}', u'핆': '\\mathbb{O}', u'핊': '\\mathbb{S}', u'핋': '\\mathbb{T}', u'핌': '\\mathbb{U}', u'핍': '\\mathbb{V}', u'핎': '\\mathbb{W}', u'핏': '\\mathbb{X}', u'핐': '\\mathbb{Y}', u'핒': '\\mathbb{a}', u'핓': '\\mathbb{b}', u'핔': '\\mathbb{c}', u'핕': '\\mathbb{d}', u'핖': '\\mathbb{e}', u'핗': '\\mathbb{f}', u'하': '\\mathbb{g}', u'학': '\\mathbb{h}', u'핚': '\\mathbb{i}', u'핛': '\\mathbb{j}', u'한': '\\mathbb{k}', u'핝': '\\mathbb{l}', u'핞': '\\mathbb{m}', u'핟': '\\mathbb{n}', u'할': '\\mathbb{o}', u'핡': '\\mathbb{p}', u'핢': '\\mathbb{q}', u'핣': '\\mathbb{r}', u'핤': '\\mathbb{s}', u'핥': '\\mathbb{t}', u'핦': '\\mathbb{u}', u'핧': '\\mathbb{v}', u'함': '\\mathbb{w}', u'합': '\\mathbb{x}', u'핪': '\\mathbb{y}', u'핫': '\\mathbb{z}', u'핬': '\\mathslbb{A}', u'항': '\\mathslbb{B}', u'핮': '\\mathslbb{C}', u'핯': '\\mathslbb{D}', u'핰': '\\mathslbb{E}', u'핱': '\\mathslbb{F}', u'핲': '\\mathslbb{G}', u'핳': '\\mathslbb{H}', u'해': '\\mathslbb{I}', u'핵': '\\mathslbb{J}', u'핶': '\\mathslbb{K}', u'핷': '\\mathslbb{L}', u'핸': '\\mathslbb{M}', u'핹': '\\mathslbb{N}', u'핺': '\\mathslbb{O}', u'핻': '\\mathslbb{P}', u'핼': '\\mathslbb{Q}', u'핽': '\\mathslbb{R}', u'핾': '\\mathslbb{S}', u'핿': '\\mathslbb{T}', u'햀': '\\mathslbb{U}', u'햁': '\\mathslbb{V}', u'햂': '\\mathslbb{W}', u'햃': '\\mathslbb{X}', u'햄': '\\mathslbb{Y}', u'햅': '\\mathslbb{Z}', u'햆': '\\mathslbb{a}', u'햇': '\\mathslbb{b}', u'했': '\\mathslbb{c}', u'행': '\\mathslbb{d}', u'햊': '\\mathslbb{e}', u'햋': '\\mathslbb{f}', u'햌': '\\mathslbb{g}', u'햍': '\\mathslbb{h}', u'햎': '\\mathslbb{i}', u'햏': '\\mathslbb{j}', u'햐': '\\mathslbb{k}', u'햑': '\\mathslbb{l}', u'햒': '\\mathslbb{m}', u'햓': '\\mathslbb{n}', u'햔': '\\mathslbb{o}', u'햕': '\\mathslbb{p}', u'햖': '\\mathslbb{q}', u'햗': '\\mathslbb{r}', u'햘': '\\mathslbb{s}', u'햙': '\\mathslbb{t}', u'햚': '\\mathslbb{u}', u'햛': '\\mathslbb{v}', u'햜': '\\mathslbb{w}', u'햝': '\\mathslbb{x}', u'햞': '\\mathslbb{y}', u'햟': '\\mathslbb{z}', u'햠': '\\mathsf{A}', u'햡': '\\mathsf{B}', u'햢': '\\mathsf{C}', u'햣': '\\mathsf{D}', u'햤': '\\mathsf{E}', u'향': '\\mathsf{F}', u'햦': '\\mathsf{G}', u'햧': '\\mathsf{H}', u'햨': '\\mathsf{I}', u'햩': '\\mathsf{J}', u'햪': '\\mathsf{K}', u'햫': '\\mathsf{L}', u'햬': '\\mathsf{M}', u'햭': '\\mathsf{N}', u'햮': '\\mathsf{O}', u'햯': '\\mathsf{P}', u'햰': '\\mathsf{Q}', u'햱': '\\mathsf{R}', u'햲': '\\mathsf{S}', u'햳': '\\mathsf{T}', u'햴': '\\mathsf{U}', u'햵': '\\mathsf{V}', u'햶': '\\mathsf{W}', u'햷': '\\mathsf{X}', u'햸': '\\mathsf{Y}', u'햹': '\\mathsf{Z}', u'햺': '\\mathsf{a}', u'햻': '\\mathsf{b}', u'햼': '\\mathsf{c}', u'햽': '\\mathsf{d}', u'햾': '\\mathsf{e}', u'햿': '\\mathsf{f}', u'헀': '\\mathsf{g}', u'헁': '\\mathsf{h}', u'헂': '\\mathsf{i}', u'헃': '\\mathsf{j}', u'헄': '\\mathsf{k}', u'헅': '\\mathsf{l}', u'헆': '\\mathsf{m}', u'헇': '\\mathsf{n}', u'허': '\\mathsf{o}', u'헉': '\\mathsf{p}', u'헊': '\\mathsf{q}', u'헋': '\\mathsf{r}', u'헌': '\\mathsf{s}', u'헍': '\\mathsf{t}', u'헎': '\\mathsf{u}', u'헏': '\\mathsf{v}', u'헐': '\\mathsf{w}', u'헑': '\\mathsf{x}', u'헒': '\\mathsf{y}', u'헓': '\\mathsf{z}', u'헔': '\\mathsfbf{A}', u'헕': '\\mathsfbf{B}', u'헖': '\\mathsfbf{C}', u'헗': '\\mathsfbf{D}', u'험': '\\mathsfbf{E}', u'헙': '\\mathsfbf{F}', u'헚': '\\mathsfbf{G}', u'헛': '\\mathsfbf{H}', u'헜': '\\mathsfbf{I}', u'헝': '\\mathsfbf{J}', u'헞': '\\mathsfbf{K}', u'헟': '\\mathsfbf{L}', u'헠': '\\mathsfbf{M}', u'헡': '\\mathsfbf{N}', u'헢': '\\mathsfbf{O}', u'헣': '\\mathsfbf{P}', u'헤': '\\mathsfbf{Q}', u'헥': '\\mathsfbf{R}', u'헦': '\\mathsfbf{S}', u'헧': '\\mathsfbf{T}', u'헨': '\\mathsfbf{U}', u'헩': '\\mathsfbf{V}', u'헪': '\\mathsfbf{W}', u'헫': '\\mathsfbf{X}', u'헬': '\\mathsfbf{Y}', u'헭': '\\mathsfbf{Z}', u'헮': '\\mathsfbf{a}', u'헯': '\\mathsfbf{b}', u'헰': '\\mathsfbf{c}', u'헱': '\\mathsfbf{d}', u'헲': '\\mathsfbf{e}', u'헳': '\\mathsfbf{f}', u'헴': '\\mathsfbf{g}', u'헵': '\\mathsfbf{h}', u'헶': '\\mathsfbf{i}', u'헷': '\\mathsfbf{j}', u'헸': '\\mathsfbf{k}', u'헹': '\\mathsfbf{l}', u'헺': '\\mathsfbf{m}', u'헻': '\\mathsfbf{n}', u'헼': '\\mathsfbf{o}', u'헽': '\\mathsfbf{p}', u'헾': '\\mathsfbf{q}', u'헿': '\\mathsfbf{r}', u'혀': '\\mathsfbf{s}', u'혁': '\\mathsfbf{t}', u'혂': '\\mathsfbf{u}', u'혃': '\\mathsfbf{v}', u'현': '\\mathsfbf{w}', u'혅': '\\mathsfbf{x}', u'혆': '\\mathsfbf{y}', u'혇': '\\mathsfbf{z}', u'혈': '\\mathsfsl{A}', u'혉': '\\mathsfsl{B}', u'혊': '\\mathsfsl{C}', u'혋': '\\mathsfsl{D}', u'혌': '\\mathsfsl{E}', u'혍': '\\mathsfsl{F}', u'혎': '\\mathsfsl{G}', u'혏': '\\mathsfsl{H}', u'혐': '\\mathsfsl{I}', u'협': '\\mathsfsl{J}', u'혒': '\\mathsfsl{K}', u'혓': '\\mathsfsl{L}', u'혔': '\\mathsfsl{M}', u'형': '\\mathsfsl{N}', u'혖': '\\mathsfsl{O}', u'혗': '\\mathsfsl{P}', u'혘': '\\mathsfsl{Q}', u'혙': '\\mathsfsl{R}', u'혚': '\\mathsfsl{S}', u'혛': '\\mathsfsl{T}', u'혜': '\\mathsfsl{U}', u'혝': '\\mathsfsl{V}', u'혞': '\\mathsfsl{W}', u'혟': '\\mathsfsl{X}', u'혠': '\\mathsfsl{Y}', u'혡': '\\mathsfsl{Z}', u'혢': '\\mathsfsl{a}', u'혣': '\\mathsfsl{b}', u'혤': '\\mathsfsl{c}', u'혥': '\\mathsfsl{d}', u'혦': '\\mathsfsl{e}', u'혧': '\\mathsfsl{f}', u'혨': '\\mathsfsl{g}', u'혩': '\\mathsfsl{h}', u'혪': '\\mathsfsl{i}', u'혫': '\\mathsfsl{j}', u'혬': '\\mathsfsl{k}', u'혭': '\\mathsfsl{l}', u'혮': '\\mathsfsl{m}', u'혯': '\\mathsfsl{n}', u'혰': '\\mathsfsl{o}', u'혱': '\\mathsfsl{p}', u'혲': '\\mathsfsl{q}', u'혳': '\\mathsfsl{r}', u'혴': '\\mathsfsl{s}', u'혵': '\\mathsfsl{t}', u'혶': '\\mathsfsl{u}', u'혷': '\\mathsfsl{v}', u'호': '\\mathsfsl{w}', u'혹': '\\mathsfsl{x}', u'혺': '\\mathsfsl{y}', u'혻': '\\mathsfsl{z}', u'혼': '\\mathsfbfsl{A}', u'혽': '\\mathsfbfsl{B}', u'혾': '\\mathsfbfsl{C}', u'혿': '\\mathsfbfsl{D}', u'홀': '\\mathsfbfsl{E}', u'홁': '\\mathsfbfsl{F}', u'홂': '\\mathsfbfsl{G}', u'홃': '\\mathsfbfsl{H}', u'홄': '\\mathsfbfsl{I}', u'홅': '\\mathsfbfsl{J}', u'홆': '\\mathsfbfsl{K}', u'홇': '\\mathsfbfsl{L}', u'홈': '\\mathsfbfsl{M}', u'홉': '\\mathsfbfsl{N}', u'홊': '\\mathsfbfsl{O}', u'홋': '\\mathsfbfsl{P}', u'홌': '\\mathsfbfsl{Q}', u'홍': '\\mathsfbfsl{R}', u'홎': '\\mathsfbfsl{S}', u'홏': '\\mathsfbfsl{T}', u'홐': '\\mathsfbfsl{U}', u'홑': '\\mathsfbfsl{V}', u'홒': '\\mathsfbfsl{W}', u'홓': '\\mathsfbfsl{X}', u'화': '\\mathsfbfsl{Y}', u'확': '\\mathsfbfsl{Z}', u'홖': '\\mathsfbfsl{a}', u'홗': '\\mathsfbfsl{b}', u'환': '\\mathsfbfsl{c}', u'홙': '\\mathsfbfsl{d}', u'홚': '\\mathsfbfsl{e}', u'홛': '\\mathsfbfsl{f}', u'활': '\\mathsfbfsl{g}', u'홝': '\\mathsfbfsl{h}', u'홞': '\\mathsfbfsl{i}', u'홟': '\\mathsfbfsl{j}', u'홠': '\\mathsfbfsl{k}', u'홡': '\\mathsfbfsl{l}', u'홢': '\\mathsfbfsl{m}', u'홣': '\\mathsfbfsl{n}', u'홤': '\\mathsfbfsl{o}', u'홥': '\\mathsfbfsl{p}', u'홦': '\\mathsfbfsl{q}', u'홧': '\\mathsfbfsl{r}', u'홨': '\\mathsfbfsl{s}', u'황': '\\mathsfbfsl{t}', u'홪': '\\mathsfbfsl{u}', u'홫': '\\mathsfbfsl{v}', u'홬': '\\mathsfbfsl{w}', u'홭': '\\mathsfbfsl{x}', u'홮': '\\mathsfbfsl{y}', u'홯': '\\mathsfbfsl{z}', u'홰': '\\mathtt{A}', u'홱': '\\mathtt{B}', u'홲': '\\mathtt{C}', u'홳': '\\mathtt{D}', u'홴': '\\mathtt{E}', u'홵': '\\mathtt{F}', u'홶': '\\mathtt{G}', u'홷': '\\mathtt{H}', u'홸': '\\mathtt{I}', u'홹': '\\mathtt{J}', u'홺': '\\mathtt{K}', u'홻': '\\mathtt{L}', u'홼': '\\mathtt{M}', u'홽': '\\mathtt{N}', u'홾': '\\mathtt{O}', u'홿': '\\mathtt{P}', u'횀': '\\mathtt{Q}', u'횁': '\\mathtt{R}', u'횂': '\\mathtt{S}', u'횃': '\\mathtt{T}', u'횄': '\\mathtt{U}', u'횅': '\\mathtt{V}', u'횆': '\\mathtt{W}', u'횇': '\\mathtt{X}', u'횈': '\\mathtt{Y}', u'횉': '\\mathtt{Z}', u'횊': '\\mathtt{a}', u'횋': '\\mathtt{b}', u'회': '\\mathtt{c}', u'획': '\\mathtt{d}', u'횎': '\\mathtt{e}', u'횏': '\\mathtt{f}', u'횐': '\\mathtt{g}', u'횑': '\\mathtt{h}', u'횒': '\\mathtt{i}', u'횓': '\\mathtt{j}', u'횔': '\\mathtt{k}', u'횕': '\\mathtt{l}', u'횖': '\\mathtt{m}', u'횗': '\\mathtt{n}', u'횘': '\\mathtt{o}', u'횙': '\\mathtt{p}', u'횚': '\\mathtt{q}', u'횛': '\\mathtt{r}', u'횜': '\\mathtt{s}', u'횝': '\\mathtt{t}', u'횞': '\\mathtt{u}', u'횟': '\\mathtt{v}', u'횠': '\\mathtt{w}', u'횡': '\\mathtt{x}', u'횢': '\\mathtt{y}', u'횣': '\\mathtt{z}', u'효': '\\mathbf{\\Alpha}', u'횩': '\\mathbf{\\Beta}', u'횪': '\\mathbf{\\Gamma}', u'횫': '\\mathbf{\\Delta}', u'횬': '\\mathbf{\\Epsilon}', u'횭': '\\mathbf{\\Zeta}', u'횮': '\\mathbf{\\Eta}', u'횯': '\\mathbf{\\Theta}', u'횰': '\\mathbf{\\Iota}', u'횱': '\\mathbf{\\Kappa}', u'횲': '\\mathbf{\\Lambda}', u'횵': '\\mathbf{\\Xi}', u'횷': '\\mathbf{\\Pi}', u'횸': '\\mathbf{\\Rho}', u'횹': '\\mathbf{\\vartheta}', u'횺': '\\mathbf{\\Sigma}', u'횻': '\\mathbf{\\Tau}', u'횼': '\\mathbf{\\Upsilon}', u'횽': '\\mathbf{\\Phi}', u'횾': '\\mathbf{\\Chi}', u'횿': '\\mathbf{\\Psi}', u'훀': '\\mathbf{\\Omega}', u'훁': '\\mathbf{\\nabla}', u'훂': '\\mathbf{\\Alpha}', u'훃': '\\mathbf{\\Beta}', u'후': '\\mathbf{\\Gamma}', u'훅': '\\mathbf{\\Delta}', u'훆': '\\mathbf{\\Epsilon}', u'훇': '\\mathbf{\\Zeta}', u'훈': '\\mathbf{\\Eta}', u'훉': '\\mathbf{\\theta}', u'훊': '\\mathbf{\\Iota}', u'훋': '\\mathbf{\\Kappa}', u'훌': '\\mathbf{\\Lambda}', u'훏': '\\mathbf{\\Xi}', u'훑': '\\mathbf{\\Pi}', u'훒': '\\mathbf{\\Rho}', u'훓': '\\mathbf{\\varsigma}', u'훔': '\\mathbf{\\Sigma}', u'훕': '\\mathbf{\\Tau}', u'훖': '\\mathbf{\\Upsilon}', u'훗': '\\mathbf{\\Phi}', u'훘': '\\mathbf{\\Chi}', u'훙': '\\mathbf{\\Psi}', u'훚': '\\mathbf{\\Omega}', u'훛': '\\partial ', u'훜': '\\in', u'훝': '\\mathbf{\\vartheta}', u'훞': '\\mathbf{\\varkappa}', u'훟': '\\mathbf{\\phi}', u'훠': '\\mathbf{\\varrho}', u'훡': '\\mathbf{\\varpi}', u'훢': '\\mathsl{\\Alpha}', u'훣': '\\mathsl{\\Beta}', u'훤': '\\mathsl{\\Gamma}', u'훥': '\\mathsl{\\Delta}', u'훦': '\\mathsl{\\Epsilon}', u'훧': '\\mathsl{\\Zeta}', u'훨': '\\mathsl{\\Eta}', u'훩': '\\mathsl{\\Theta}', u'훪': '\\mathsl{\\Iota}', u'훫': '\\mathsl{\\Kappa}', u'훬': '\\mathsl{\\Lambda}', u'훯': '\\mathsl{\\Xi}', u'훱': '\\mathsl{\\Pi}', u'훲': '\\mathsl{\\Rho}', u'훳': '\\mathsl{\\vartheta}', u'훴': '\\mathsl{\\Sigma}', u'훵': '\\mathsl{\\Tau}', u'훶': '\\mathsl{\\Upsilon}', u'훷': '\\mathsl{\\Phi}', u'훸': '\\mathsl{\\Chi}', u'훹': '\\mathsl{\\Psi}', u'훺': '\\mathsl{\\Omega}', u'훻': '\\mathsl{\\nabla}', u'훼': '\\mathsl{\\Alpha}', u'훽': '\\mathsl{\\Beta}', u'훾': '\\mathsl{\\Gamma}', u'훿': '\\mathsl{\\Delta}', u'휀': '\\mathsl{\\Epsilon}', u'휁': '\\mathsl{\\Zeta}', u'휂': '\\mathsl{\\Eta}', u'휃': '\\mathsl{\\Theta}', u'휄': '\\mathsl{\\Iota}', u'휅': '\\mathsl{\\Kappa}', u'휆': '\\mathsl{\\Lambda}', u'휉': '\\mathsl{\\Xi}', u'휋': '\\mathsl{\\Pi}', u'휌': '\\mathsl{\\Rho}', u'휍': '\\mathsl{\\varsigma}', u'휎': '\\mathsl{\\Sigma}', u'휏': '\\mathsl{\\Tau}', u'휐': '\\mathsl{\\Upsilon}', u'휑': '\\mathsl{\\Phi}', u'휒': '\\mathsl{\\Chi}', u'휓': '\\mathsl{\\Psi}', u'휔': '\\mathsl{\\Omega}', u'휕': '\\partial ', u'휖': '\\in', u'휗': '\\mathsl{\\vartheta}', u'휘': '\\mathsl{\\varkappa}', u'휙': '\\mathsl{\\phi}', u'휚': '\\mathsl{\\varrho}', u'휛': '\\mathsl{\\varpi}', u'휜': '\\mathbit{\\Alpha}', u'휝': '\\mathbit{\\Beta}', u'휞': '\\mathbit{\\Gamma}', u'휟': '\\mathbit{\\Delta}', u'휠': '\\mathbit{\\Epsilon}', u'휡': '\\mathbit{\\Zeta}', u'휢': '\\mathbit{\\Eta}', u'휣': '\\mathbit{\\Theta}', u'휤': '\\mathbit{\\Iota}', u'휥': '\\mathbit{\\Kappa}', u'휦': '\\mathbit{\\Lambda}', u'휩': '\\mathbit{\\Xi}', u'휫': '\\mathbit{\\Pi}', u'휬': '\\mathbit{\\Rho}', u'휭': '\\mathbit{O}', u'휮': '\\mathbit{\\Sigma}', u'휯': '\\mathbit{\\Tau}', u'휰': '\\mathbit{\\Upsilon}', u'휱': '\\mathbit{\\Phi}', u'휲': '\\mathbit{\\Chi}', u'휳': '\\mathbit{\\Psi}', u'휴': '\\mathbit{\\Omega}', u'휵': '\\mathbit{\\nabla}', u'휶': '\\mathbit{\\Alpha}', u'휷': '\\mathbit{\\Beta}', u'휸': '\\mathbit{\\Gamma}', u'휹': '\\mathbit{\\Delta}', u'휺': '\\mathbit{\\Epsilon}', u'휻': '\\mathbit{\\Zeta}', u'휼': '\\mathbit{\\Eta}', u'휽': '\\mathbit{\\Theta}', u'휾': '\\mathbit{\\Iota}', u'휿': '\\mathbit{\\Kappa}', u'흀': '\\mathbit{\\Lambda}', u'흃': '\\mathbit{\\Xi}', u'흅': '\\mathbit{\\Pi}', u'흆': '\\mathbit{\\Rho}', u'흇': '\\mathbit{\\varsigma}', u'흈': '\\mathbit{\\Sigma}', u'흉': '\\mathbit{\\Tau}', u'흊': '\\mathbit{\\Upsilon}', u'흋': '\\mathbit{\\Phi}', u'흌': '\\mathbit{\\Chi}', u'흍': '\\mathbit{\\Psi}', u'흎': '\\mathbit{\\Omega}', u'흏': '\\partial ', u'흐': '\\in', u'흑': '\\mathbit{\\vartheta}', u'흒': '\\mathbit{\\varkappa}', u'흓': '\\mathbit{\\phi}', u'흔': '\\mathbit{\\varrho}', u'흕': '\\mathbit{\\varpi}', u'흖': '\\mathsfbf{\\Alpha}', u'흗': '\\mathsfbf{\\Beta}', u'흘': '\\mathsfbf{\\Gamma}', u'흙': '\\mathsfbf{\\Delta}', u'흚': '\\mathsfbf{\\Epsilon}', u'흛': '\\mathsfbf{\\Zeta}', u'흜': '\\mathsfbf{\\Eta}', u'흝': '\\mathsfbf{\\Theta}', u'흞': '\\mathsfbf{\\Iota}', u'흟': '\\mathsfbf{\\Kappa}', u'흠': '\\mathsfbf{\\Lambda}', u'흣': '\\mathsfbf{\\Xi}', u'흥': '\\mathsfbf{\\Pi}', u'흦': '\\mathsfbf{\\Rho}', u'흧': '\\mathsfbf{\\vartheta}', u'흨': '\\mathsfbf{\\Sigma}', u'흩': '\\mathsfbf{\\Tau}', u'흪': '\\mathsfbf{\\Upsilon}', u'흫': '\\mathsfbf{\\Phi}', u'희': '\\mathsfbf{\\Chi}', u'흭': '\\mathsfbf{\\Psi}', u'흮': '\\mathsfbf{\\Omega}', u'흯': '\\mathsfbf{\\nabla}', u'흰': '\\mathsfbf{\\Alpha}', u'흱': '\\mathsfbf{\\Beta}', u'흲': '\\mathsfbf{\\Gamma}', u'흳': '\\mathsfbf{\\Delta}', u'흴': '\\mathsfbf{\\Epsilon}', u'흵': '\\mathsfbf{\\Zeta}', u'흶': '\\mathsfbf{\\Eta}', u'흷': '\\mathsfbf{\\Theta}', u'흸': '\\mathsfbf{\\Iota}', u'흹': '\\mathsfbf{\\Kappa}', u'흺': '\\mathsfbf{\\Lambda}', u'흽': '\\mathsfbf{\\Xi}', u'흿': '\\mathsfbf{\\Pi}', u'힀': '\\mathsfbf{\\Rho}', u'힁': '\\mathsfbf{\\varsigma}', u'힂': '\\mathsfbf{\\Sigma}', u'힃': '\\mathsfbf{\\Tau}', u'힄': '\\mathsfbf{\\Upsilon}', u'힅': '\\mathsfbf{\\Phi}', u'힆': '\\mathsfbf{\\Chi}', u'힇': '\\mathsfbf{\\Psi}', u'히': '\\mathsfbf{\\Omega}', u'힉': '\\partial ', u'힊': '\\in', u'힋': '\\mathsfbf{\\vartheta}', u'힌': '\\mathsfbf{\\varkappa}', u'힍': '\\mathsfbf{\\phi}', u'힎': '\\mathsfbf{\\varrho}', u'힏': '\\mathsfbf{\\varpi}', u'힐': '\\mathsfbfsl{\\Alpha}', u'힑': '\\mathsfbfsl{\\Beta}', u'힒': '\\mathsfbfsl{\\Gamma}', u'힓': '\\mathsfbfsl{\\Delta}', u'힔': '\\mathsfbfsl{\\Epsilon}', u'힕': '\\mathsfbfsl{\\Zeta}', u'힖': '\\mathsfbfsl{\\Eta}', u'힗': '\\mathsfbfsl{\\vartheta}', u'힘': '\\mathsfbfsl{\\Iota}', u'힙': '\\mathsfbfsl{\\Kappa}', u'힚': '\\mathsfbfsl{\\Lambda}', u'힝': '\\mathsfbfsl{\\Xi}', u'힟': '\\mathsfbfsl{\\Pi}', u'힠': '\\mathsfbfsl{\\Rho}', u'힡': '\\mathsfbfsl{\\vartheta}', u'힢': '\\mathsfbfsl{\\Sigma}', u'힣': '\\mathsfbfsl{\\Tau}', u'\ud7a4': '\\mathsfbfsl{\\Upsilon}', u'\ud7a5': '\\mathsfbfsl{\\Phi}', u'\ud7a6': '\\mathsfbfsl{\\Chi}', u'\ud7a7': '\\mathsfbfsl{\\Psi}', u'\ud7a8': '\\mathsfbfsl{\\Omega}', u'\ud7a9': '\\mathsfbfsl{\\nabla}', u'\ud7aa': '\\mathsfbfsl{\\Alpha}', u'\ud7ab': '\\mathsfbfsl{\\Beta}', u'\ud7ac': '\\mathsfbfsl{\\Gamma}', u'\ud7ad': '\\mathsfbfsl{\\Delta}', u'\ud7ae': '\\mathsfbfsl{\\Epsilon}', u'\ud7af': '\\mathsfbfsl{\\Zeta}', u'ힰ': '\\mathsfbfsl{\\Eta}', u'ힱ': '\\mathsfbfsl{\\vartheta}', u'ힲ': '\\mathsfbfsl{\\Iota}', u'ힳ': '\\mathsfbfsl{\\Kappa}', u'ힴ': '\\mathsfbfsl{\\Lambda}', u'ힷ': '\\mathsfbfsl{\\Xi}', u'ힹ': '\\mathsfbfsl{\\Pi}', u'ힺ': '\\mathsfbfsl{\\Rho}', u'ힻ': '\\mathsfbfsl{\\varsigma}', u'ힼ': '\\mathsfbfsl{\\Sigma}', u'ힽ': '\\mathsfbfsl{\\Tau}', u'ힾ': '\\mathsfbfsl{\\Upsilon}', u'ힿ': '\\mathsfbfsl{\\Phi}', u'ퟀ': '\\mathsfbfsl{\\Chi}', u'ퟁ': '\\mathsfbfsl{\\Psi}', u'ퟂ': '\\mathsfbfsl{\\Omega}', u'ퟃ': '\\partial ', u'ퟄ': '\\in', u'ퟅ': '\\mathsfbfsl{\\vartheta}', u'ퟆ': '\\mathsfbfsl{\\varkappa}', u'\ud7c7': '\\mathsfbfsl{\\phi}', u'\ud7c8': '\\mathsfbfsl{\\varrho}', u'\ud7c9': '\\mathsfbfsl{\\varpi}', u'ퟎ': '\\mathbf{0}', u'ퟏ': '\\mathbf{1}', u'ퟐ': '\\mathbf{2}', u'ퟑ': '\\mathbf{3}', u'ퟒ': '\\mathbf{4}', u'ퟓ': '\\mathbf{5}', u'ퟔ': '\\mathbf{6}', u'ퟕ': '\\mathbf{7}', u'ퟖ': '\\mathbf{8}', u'ퟗ': '\\mathbf{9}', u'ퟘ': '\\mathbb{0}', u'ퟙ': '\\mathbb{1}', u'ퟚ': '\\mathbb{2}', u'ퟛ': '\\mathbb{3}', u'ퟜ': '\\mathbb{4}', u'ퟝ': '\\mathbb{5}', u'ퟞ': '\\mathbb{6}', u'ퟟ': '\\mathbb{7}', u'ퟠ': '\\mathbb{8}', u'ퟡ': '\\mathbb{9}', u'ퟢ': '\\mathsf{0}', u'ퟣ': '\\mathsf{1}', u'ퟤ': '\\mathsf{2}', u'ퟥ': '\\mathsf{3}', u'ퟦ': '\\mathsf{4}', u'ퟧ': '\\mathsf{5}', u'ퟨ': '\\mathsf{6}', u'ퟩ': '\\mathsf{7}', u'ퟪ': '\\mathsf{8}', u'ퟫ': '\\mathsf{9}', u'ퟬ': '\\mathsfbf{0}', u'ퟭ': '\\mathsfbf{1}', u'ퟮ': '\\mathsfbf{2}', u'ퟯ': '\\mathsfbf{3}', u'ퟰ': '\\mathsfbf{4}', u'ퟱ': '\\mathsfbf{5}', u'ퟲ': '\\mathsfbf{6}', u'ퟳ': '\\mathsfbf{7}', u'ퟴ': '\\mathsfbf{8}', u'ퟵ': '\\mathsfbf{9}', u'ퟶ': '\\mathtt{0}', u'ퟷ': '\\mathtt{1}', u'ퟸ': '\\mathtt{2}', u'ퟹ': '\\mathtt{3}', u'ퟺ': '\\mathtt{4}', u'ퟻ': '\\mathtt{5}', u'\ud7fc': '\\mathtt{6}', u'\ud7fd': '\\mathtt{7}', u'\ud7fe': '\\mathtt{8}', u'\ud7ff': '\\mathtt{9}'}
bibtex_to_unicode = {}
for unicode_value in unicode_to_latex:
bibtex = unicode_to_latex[unicode_value]
bibtex = unicode(bibtex, 'utf-8')
bibtex = bibtex.strip()
bibtex = bibtex.replace('\\', '')
bibtex = bibtex.replace('{', '')
bibtex = bibtex.replace('}', '')
bibtex = '{' + bibtex + '}'
bibtex_to_unicode[bibtex] = unicode_value |
# 445. Add Two Numbers II
'''
You are given two non-empty linked lists representing two non-negative integers.
The most significant digit comes first and each of their nodes contain a single digit.
Add the two numbers and return it as a linked list.
You may assume the two numbers do not contain any leading zero, except the number 0 itself.
Input: (7 -> 2 -> 4 -> 3) + (5 -> 6 -> 4)
Output: 7 -> 8 -> 0 -> 7
'''
class Solution:
def addTwoNumbers(self, l1: ListNode, l2: ListNode) -> ListNode:
stack1 = list()
stack2 = list()
while l1:
stack1.append(l1.val)
l1 = l1.next
while l2:
stack2.append(l2.val)
l2 = l2.next
carryValue = 0
new_next = None
while stack1 != [] or stack2 != []:
sums = carryValue
if stack1 != []:
sums += stack1.pop()
if stack2 != []:
sums += stack2.pop()
carryValue = sums // 10
if sums >= 10:
carryValue = 1
remainder = sums % 10
new_next = ListNode(remainder, new_next)
else:
carryValue = 0
new_next = ListNode(sums, new_next)
if carryValue == 1:
new_next = ListNode(1, new_next)
return new_next
| """
You are given two non-empty linked lists representing two non-negative integers.
The most significant digit comes first and each of their nodes contain a single digit.
Add the two numbers and return it as a linked list.
You may assume the two numbers do not contain any leading zero, except the number 0 itself.
Input: (7 -> 2 -> 4 -> 3) + (5 -> 6 -> 4)
Output: 7 -> 8 -> 0 -> 7
"""
class Solution:
def add_two_numbers(self, l1: ListNode, l2: ListNode) -> ListNode:
stack1 = list()
stack2 = list()
while l1:
stack1.append(l1.val)
l1 = l1.next
while l2:
stack2.append(l2.val)
l2 = l2.next
carry_value = 0
new_next = None
while stack1 != [] or stack2 != []:
sums = carryValue
if stack1 != []:
sums += stack1.pop()
if stack2 != []:
sums += stack2.pop()
carry_value = sums // 10
if sums >= 10:
carry_value = 1
remainder = sums % 10
new_next = list_node(remainder, new_next)
else:
carry_value = 0
new_next = list_node(sums, new_next)
if carryValue == 1:
new_next = list_node(1, new_next)
return new_next |
# If T-Rex is angry, hungry, and bored he will eat the Triceratops
# Otherwise if T-Rex is tired and hungry, he will eat the Iguanadon
# Otherwise if T-Rex is hungry and bored, he will eat the Stegasaurus.
# Otherwise if T-Rex is tired, he goes to sleep
# Otherwise if T-Rex is angry and bored, he will fight with the Velociraptor.
# Otherwise if T-Rex is angry or bored, he roars
# Otherwise T-Rex gives a toothy smile
angry = True
bored = True
hungry = False
tired = False
# Example if statement
if angry and hungry and bored:
print("T-Rex eats the Triceratops!")
elif tired and hungry:
print("T-Rex eats the Iguanadon")
elif hungry and bored:
print("T-Rex eats the Stegasaurus")
elif tired:
print("T-Rex goes to sleep.")
elif angry and bored:
print("T-Rex fights with the Velociraptor")
elif angry or bored:
print("T-Rex roars! RAWR!")
else:
print("T-Rex gives a toothy smile.")
| angry = True
bored = True
hungry = False
tired = False
if angry and hungry and bored:
print('T-Rex eats the Triceratops!')
elif tired and hungry:
print('T-Rex eats the Iguanadon')
elif hungry and bored:
print('T-Rex eats the Stegasaurus')
elif tired:
print('T-Rex goes to sleep.')
elif angry and bored:
print('T-Rex fights with the Velociraptor')
elif angry or bored:
print('T-Rex roars! RAWR!')
else:
print('T-Rex gives a toothy smile.') |
# Gamemode Utilities
def get_gamemode_name(id):
if (id is 0):
return "Conquest"
if (id is 1):
return "Domination"
if (id is 2):
return "Team Deathmatch"
if (id is 3):
return "Zombies"
if (id is 4):
return "Disarm"
| def get_gamemode_name(id):
if id is 0:
return 'Conquest'
if id is 1:
return 'Domination'
if id is 2:
return 'Team Deathmatch'
if id is 3:
return 'Zombies'
if id is 4:
return 'Disarm' |
#: Mapping of files from unihan-etl (UNIHAN database)
UNIHAN_FILES = [
'Unihan_DictionaryLikeData.txt',
'Unihan_IRGSources.txt',
'Unihan_NumericValues.txt',
'Unihan_RadicalStrokeCounts.txt',
'Unihan_Readings.txt',
'Unihan_Variants.txt',
]
#: Mapping of field names from unihan-etl (UNIHAN database)
UNIHAN_FIELDS = [
'kAccountingNumeric',
'kCangjie',
'kCantonese',
'kCheungBauer',
'kCihaiT',
'kCompatibilityVariant',
'kDefinition',
'kFenn',
'kFourCornerCode',
'kFrequency',
'kGradeLevel',
'kHDZRadBreak',
'kHKGlyph',
'kHangul',
'kHanyuPinlu',
'kHanyuPinyin',
'kJapaneseKun',
'kJapaneseOn',
'kKorean',
'kMandarin',
'kOtherNumeric',
'kPhonetic',
'kPrimaryNumeric',
'kRSAdobe_Japan1_6',
'kRSJapanese',
'kRSKanWa',
'kRSKangXi',
'kRSKorean',
'kRSUnicode',
'kSemanticVariant',
'kSimplifiedVariant',
'kSpecializedSemanticVariant',
'kTang',
'kTotalStrokes',
'kTraditionalVariant',
'kVietnamese',
'kXHC1983',
'kZVariant',
]
#: Default settings passed to unihan-etl
UNIHAN_ETL_DEFAULT_OPTIONS = {
'input_files': UNIHAN_FILES,
'fields': UNIHAN_FIELDS,
'format': 'python',
'expand': False,
}
| unihan_files = ['Unihan_DictionaryLikeData.txt', 'Unihan_IRGSources.txt', 'Unihan_NumericValues.txt', 'Unihan_RadicalStrokeCounts.txt', 'Unihan_Readings.txt', 'Unihan_Variants.txt']
unihan_fields = ['kAccountingNumeric', 'kCangjie', 'kCantonese', 'kCheungBauer', 'kCihaiT', 'kCompatibilityVariant', 'kDefinition', 'kFenn', 'kFourCornerCode', 'kFrequency', 'kGradeLevel', 'kHDZRadBreak', 'kHKGlyph', 'kHangul', 'kHanyuPinlu', 'kHanyuPinyin', 'kJapaneseKun', 'kJapaneseOn', 'kKorean', 'kMandarin', 'kOtherNumeric', 'kPhonetic', 'kPrimaryNumeric', 'kRSAdobe_Japan1_6', 'kRSJapanese', 'kRSKanWa', 'kRSKangXi', 'kRSKorean', 'kRSUnicode', 'kSemanticVariant', 'kSimplifiedVariant', 'kSpecializedSemanticVariant', 'kTang', 'kTotalStrokes', 'kTraditionalVariant', 'kVietnamese', 'kXHC1983', 'kZVariant']
unihan_etl_default_options = {'input_files': UNIHAN_FILES, 'fields': UNIHAN_FIELDS, 'format': 'python', 'expand': False} |
"""This is python equivalent of Wrapping/Tcl/vtktesting/mccases.tcl.
Used for setting vertex values for clipping, cutting, and contouring tests.
This script is used while running python tests translated from Tcl."""
def case1 ( scalars, IN, OUT, caseLabel ):
scalars.InsertValue(0,IN )
scalars.InsertValue(1,OUT)
scalars.InsertValue(2,OUT)
scalars.InsertValue(3,OUT)
scalars.InsertValue(4,OUT)
scalars.InsertValue(5,OUT)
scalars.InsertValue(6,OUT)
scalars.InsertValue(7,OUT)
if IN == 1:
caseLabel.SetText("Case 1 - 00000001")
else :
caseLabel.SetText("Case 1c - 11111110")
pass
def case2 ( scalars, IN, OUT, caseLabel ):
scalars.InsertValue(0,IN)
scalars.InsertValue(1,IN)
scalars.InsertValue(2,OUT)
scalars.InsertValue(3,OUT)
scalars.InsertValue(4,OUT)
scalars.InsertValue(5,OUT)
scalars.InsertValue(6,OUT)
scalars.InsertValue(7,OUT)
if IN == 1:
caseLabel.SetText("Case 2 - 00000011")
else:
caseLabel.SetText("Case 2c - 11111100")
pass
| """This is python equivalent of Wrapping/Tcl/vtktesting/mccases.tcl.
Used for setting vertex values for clipping, cutting, and contouring tests.
This script is used while running python tests translated from Tcl."""
def case1(scalars, IN, OUT, caseLabel):
scalars.InsertValue(0, IN)
scalars.InsertValue(1, OUT)
scalars.InsertValue(2, OUT)
scalars.InsertValue(3, OUT)
scalars.InsertValue(4, OUT)
scalars.InsertValue(5, OUT)
scalars.InsertValue(6, OUT)
scalars.InsertValue(7, OUT)
if IN == 1:
caseLabel.SetText('Case 1 - 00000001')
else:
caseLabel.SetText('Case 1c - 11111110')
pass
def case2(scalars, IN, OUT, caseLabel):
scalars.InsertValue(0, IN)
scalars.InsertValue(1, IN)
scalars.InsertValue(2, OUT)
scalars.InsertValue(3, OUT)
scalars.InsertValue(4, OUT)
scalars.InsertValue(5, OUT)
scalars.InsertValue(6, OUT)
scalars.InsertValue(7, OUT)
if IN == 1:
caseLabel.SetText('Case 2 - 00000011')
else:
caseLabel.SetText('Case 2c - 11111100')
pass |
def is_email_valid(email):
if not '@' in email:
return False
name, domain = email.split('@', 1)
if not name:
return False
return '.' in domain
| def is_email_valid(email):
if not '@' in email:
return False
(name, domain) = email.split('@', 1)
if not name:
return False
return '.' in domain |
class Solution:
"""
@param str: An array of char
@param offset: An integer
@return: nothing
"""
def rotateString(self, str, offset):
'''
abcdefg
dcba gfe
efgabcd
'''
n = len(str)
if n == 0:
return
offset %= n
self.reverseInPlace(str, 0, n - offset - 1)
self.reverseInPlace(str, n - offset, n - 1)
self.reverseInPlace(str, 0, n - 1)
def reverseInPlace(self, arr, left, right):
while left < right:
arr[left], arr[right] = arr[right], arr[left]
left += 1
right -= 1 | class Solution:
"""
@param str: An array of char
@param offset: An integer
@return: nothing
"""
def rotate_string(self, str, offset):
"""
abcdefg
dcba gfe
efgabcd
"""
n = len(str)
if n == 0:
return
offset %= n
self.reverseInPlace(str, 0, n - offset - 1)
self.reverseInPlace(str, n - offset, n - 1)
self.reverseInPlace(str, 0, n - 1)
def reverse_in_place(self, arr, left, right):
while left < right:
(arr[left], arr[right]) = (arr[right], arr[left])
left += 1
right -= 1 |
'''
Doctor's Secret
Cheeku is ill. He goes to Homeopathic Doctor - Dr. Thind.
Doctor always recommends medicines after reading from a secret book that he has. This secret book has recipe to cure any disease. Cheeku is chalak. He wants to know if Doctor is giving him correct medicine or not.
So he asks Doctor 2 questions -
Length of name of Book.
Number of pages in the Book.
Cheeku will take medicine from him only if Length of name of Book is lesser than or equal to 23 and number of pages in book is between 500 to 1000.
Otherwise he will not take medicine from this Doctor.
Help Cheeku decide. Print "Take Medicine" if he should take medicine from doctor. Else print "Don't take Medicine".
Input:
2 integers-
First denoting length of Secret Book.
Second is number of pages in Book.
Output:
If Cheeku should take medicine, print - "Take Medicine"
Else print - "Don't take Medicine".
SAMPLE INPUT
10 600
SAMPLE OUTPUT
Take Medicine
'''
a,b = map(int,input().split())
print ("Take Medicine" if a <=23 and 500 >= b <=1000 else "Don't take Medicine") | """
Doctor's Secret
Cheeku is ill. He goes to Homeopathic Doctor - Dr. Thind.
Doctor always recommends medicines after reading from a secret book that he has. This secret book has recipe to cure any disease. Cheeku is chalak. He wants to know if Doctor is giving him correct medicine or not.
So he asks Doctor 2 questions -
Length of name of Book.
Number of pages in the Book.
Cheeku will take medicine from him only if Length of name of Book is lesser than or equal to 23 and number of pages in book is between 500 to 1000.
Otherwise he will not take medicine from this Doctor.
Help Cheeku decide. Print "Take Medicine" if he should take medicine from doctor. Else print "Don't take Medicine".
Input:
2 integers-
First denoting length of Secret Book.
Second is number of pages in Book.
Output:
If Cheeku should take medicine, print - "Take Medicine"
Else print - "Don't take Medicine".
SAMPLE INPUT
10 600
SAMPLE OUTPUT
Take Medicine
"""
(a, b) = map(int, input().split())
print('Take Medicine' if a <= 23 and 500 >= b <= 1000 else "Don't take Medicine") |
# Copyright 2018 The Chromium Authors. All rights reserved.
# Use of this source code is governed by a BSD-style license that can be
# found in the LICENSE file.
"""Content public presubmit script
See https://dev.chromium.org/developers/how-tos/depottools/presubmit-scripts
for more details about the presubmit API built into gcl.
"""
def _CheckConstInterfaces(input_api, output_api):
# Matches 'virtual...const = 0;', 'virtual...const;' or 'virtual...const {}'
pattern = input_api.re.compile(r'virtual[^;]*const\s*(=\s*0)?\s*({}|;)',
input_api.re.MULTILINE)
files = []
for f in input_api.AffectedSourceFiles(input_api.FilterSourceFile):
if not f.LocalPath().endswith('.h'):
continue
contents = input_api.ReadFile(f)
if pattern.search(contents):
files.append(f)
if len(files):
return [output_api.PresubmitError(
'Do not add const to content/public '
'interfaces. See '
'https://www.chromium.org/developers/content-module/content-api',
files) ]
return []
def CheckChangeOnUpload(input_api, output_api):
results = []
results.extend(_CheckConstInterfaces(input_api, output_api))
return results
def CheckChangeOnCommit(input_api, output_api):
results = []
results.extend(_CheckConstInterfaces(input_api, output_api))
return results
| """Content public presubmit script
See https://dev.chromium.org/developers/how-tos/depottools/presubmit-scripts
for more details about the presubmit API built into gcl.
"""
def __check_const_interfaces(input_api, output_api):
pattern = input_api.re.compile('virtual[^;]*const\\s*(=\\s*0)?\\s*({}|;)', input_api.re.MULTILINE)
files = []
for f in input_api.AffectedSourceFiles(input_api.FilterSourceFile):
if not f.LocalPath().endswith('.h'):
continue
contents = input_api.ReadFile(f)
if pattern.search(contents):
files.append(f)
if len(files):
return [output_api.PresubmitError('Do not add const to content/public interfaces. See https://www.chromium.org/developers/content-module/content-api', files)]
return []
def check_change_on_upload(input_api, output_api):
results = []
results.extend(__check_const_interfaces(input_api, output_api))
return results
def check_change_on_commit(input_api, output_api):
results = []
results.extend(__check_const_interfaces(input_api, output_api))
return results |
# This file holds metadata about the project. It should import only from
# standard library modules (this includes not importing other modules in the
# package) so that it can be loaded by setup.py before dependencies are
# installed.
source = "https://github.com/wikimedia/wmfdata-python"
version = "1.3.3"
| source = 'https://github.com/wikimedia/wmfdata-python'
version = '1.3.3' |
'''
Pattern
Enter number of rows: 5
54321
4321
321
21
1
'''
print('number pattern: ')
number_rows=int(input('Enter number of rows: '))
for row in range(number_rows,0,-1):
for column in range(row,0,-1):
if column < 10:
print(f'0{column}',end=' ')
else:
print(column,end=' ')
print() | """
Pattern
Enter number of rows: 5
54321
4321
321
21
1
"""
print('number pattern: ')
number_rows = int(input('Enter number of rows: '))
for row in range(number_rows, 0, -1):
for column in range(row, 0, -1):
if column < 10:
print(f'0{column}', end=' ')
else:
print(column, end=' ')
print() |
class Solution:
def threeSum(self, nums):
arr = []
map = {nums[i]: i for i in range(len(nums))}
if (len(list(map.keys())) == 1 and nums[0] == 0 and len(nums) > 3):
return [[0]*3]
for m in range(len(nums)-1):
for n in range(m+1, len(nums)):
target = (0 - (nums[m] + nums[n]))
if((target in map) and (map[target] != n and map[target] != m)):
sorteditems = sorted([nums[n], nums[m], target])
if sorteditems not in arr:
arr.append(sorteditems)
break
return arr
if __name__ == "__main__":
sol = Solution()
nums = [-1, 0, 1, 2, -1, -4]
print(sol.threeSum(nums))
| class Solution:
def three_sum(self, nums):
arr = []
map = {nums[i]: i for i in range(len(nums))}
if len(list(map.keys())) == 1 and nums[0] == 0 and (len(nums) > 3):
return [[0] * 3]
for m in range(len(nums) - 1):
for n in range(m + 1, len(nums)):
target = 0 - (nums[m] + nums[n])
if target in map and (map[target] != n and map[target] != m):
sorteditems = sorted([nums[n], nums[m], target])
if sorteditems not in arr:
arr.append(sorteditems)
break
return arr
if __name__ == '__main__':
sol = solution()
nums = [-1, 0, 1, 2, -1, -4]
print(sol.threeSum(nums)) |
class Solution:
def projectionArea(self, grid):
"""
:type grid: List[List[int]]
:rtype: int
"""
M, N = len(grid), len(grid[0])
rowMax, colMax = [0] * M, [0] * N
xy = sum(0 if grid[i][j] == 0 else 1 for i in range(M) for j in range(N))
xz = sum(list(map(max, grid)))
yz = sum(list(map(max, [[grid[i][j] for i in range(M)] for j in range(N)])))
return xy + xz + yz
grid = [[1,2],[3,4]]
p = Solution()
print(p.projectionArea(grid)) | class Solution:
def projection_area(self, grid):
"""
:type grid: List[List[int]]
:rtype: int
"""
(m, n) = (len(grid), len(grid[0]))
(row_max, col_max) = ([0] * M, [0] * N)
xy = sum((0 if grid[i][j] == 0 else 1 for i in range(M) for j in range(N)))
xz = sum(list(map(max, grid)))
yz = sum(list(map(max, [[grid[i][j] for i in range(M)] for j in range(N)])))
return xy + xz + yz
grid = [[1, 2], [3, 4]]
p = solution()
print(p.projectionArea(grid)) |
class C():
pass
# a really complex class
class D(C, B):
pass
| class C:
pass
class D(C, B):
pass |
num = 353
reverse_num = 0
temp = num
# print(num,reverse_num)
while(temp != 0):
remainder = int(temp % 10)
print(remainder)
reverse_num = int((reverse_num*10) + remainder)
print(reverse_num)
temp = int(temp / 10)
# print(reverse_num)
if reverse_num == num:
print('It is Palindrome')
else:
print('not Palindrome') | num = 353
reverse_num = 0
temp = num
while temp != 0:
remainder = int(temp % 10)
print(remainder)
reverse_num = int(reverse_num * 10 + remainder)
print(reverse_num)
temp = int(temp / 10)
if reverse_num == num:
print('It is Palindrome')
else:
print('not Palindrome') |
#
# Solution to Project Euler problem 6
# Copyright (c) Project Nayuki. All rights reserved.
#
# https://www.nayuki.io/page/project-euler-solutions
# https://github.com/nayuki/Project-Euler-solutions
#
# Computers are fast, so we can implement this solution directly without any clever math.
# However for the mathematically inclined, there are closed-form formulas:
# s = N(N + 1) / 2.
# s2 = N(N + 1)(2N + 1) / 6.
# Hence s^2 - s2 = (N^4 / 4) + (N^3 / 6) - (N^2 / 4) - (N / 6).
def compute():
N = 100
s = sum(i for i in range(1, N + 1))
s2 = sum(i**2 for i in range(1, N + 1))
return str(s**2 - s2)
if __name__ == "__main__":
print(compute())
| def compute():
n = 100
s = sum((i for i in range(1, N + 1)))
s2 = sum((i ** 2 for i in range(1, N + 1)))
return str(s ** 2 - s2)
if __name__ == '__main__':
print(compute()) |
"""Globally defined and used variables for the JWQL query anomaly
feature. Variables will be re-defined when anomaly query forms are
submitted.
Authors
-------
- Teagan King
Use
---
This variables within this module are intended to be directly
imported, e.g.:
::
from jwql.utils.query_config import CHOSEN_INSTRUMENTS
"""
# Anomalies selected by user in anomaly_query
ANOMALIES_CHOSEN_FROM_CURRENT_ANOMALIES = {}
# Apertures selected by user in anomaly_query
APERTURES_CHOSEN = {}
# Anomalies available to select after instruments are selected in anomaly_query
# Default is all anomalies common to all instruments
CURRENT_ANOMALIES = {}
# Observing modes selected by user in anomaly_query
DETECTORS_CHOSEN = {}
# Maximum exposure time selected by user in anomaly_query. Corresponds to EFFEXPTM in MAST.
EXPTIME_MAX = ['999999999999999'] # select all as default
# Minimum exposure time selected by user in anomaly_query. Corresponds to EFFEXPTM in MAST.
EXPTIME_MIN = ['0'] # select all as default
# Exposure types selected by user in anomaly_query
EXPTYPES_CHOSEN = {}
# Filters selected by user in anomaly_query
FILTERS_CHOSEN = {}
# Gratings selected by user in anomaly_query
GRATINGS_CHOSEN = {}
# Instruments selected by user in anomaly_query
INSTRUMENTS_CHOSEN = []
# Read patterns selected by user in anomaly_query
READPATTS_CHOSEN = {}
# Thumbnails selected by user in anomaly_query
THUMBNAILS = []
| """Globally defined and used variables for the JWQL query anomaly
feature. Variables will be re-defined when anomaly query forms are
submitted.
Authors
-------
- Teagan King
Use
---
This variables within this module are intended to be directly
imported, e.g.:
::
from jwql.utils.query_config import CHOSEN_INSTRUMENTS
"""
anomalies_chosen_from_current_anomalies = {}
apertures_chosen = {}
current_anomalies = {}
detectors_chosen = {}
exptime_max = ['999999999999999']
exptime_min = ['0']
exptypes_chosen = {}
filters_chosen = {}
gratings_chosen = {}
instruments_chosen = []
readpatts_chosen = {}
thumbnails = [] |
with open("sonar.txt") as sonar:
depthstr = sonar.readline()
previous = int(depthstr.strip())
increases = 0
for depthstr in sonar.readlines():
depth = int(depthstr.strip())
if depth > previous:
increases += 1
previous = depth
print(increases) | with open('sonar.txt') as sonar:
depthstr = sonar.readline()
previous = int(depthstr.strip())
increases = 0
for depthstr in sonar.readlines():
depth = int(depthstr.strip())
if depth > previous:
increases += 1
previous = depth
print(increases) |
class Solution:
def validPalindrome(self, s: str) -> bool:
if s == s[::-1]:
return True
left, right = 0 , len(s)-1
s = list(s)
while left < right:
if s[left] != s[right]:
s_l = s[left+1:right+1]
s_r = s[left:right]
return s_l == s_l[::-1] or s_r == s_r[::-1]
left += 1
right -= 1
return True
class SolutionII:
def validPalindrome(self, s: str) -> bool:
def verify( s, left, right, deleted ):
while left < right:
if s[left] != s[right]:
if deleted:
return False
else:
return verify( s, left+1, right, True ) or verify( s, left, right-1, True )
else:
left += 1
right -= 1
return True
return verify( list(s), 0, len(s)-1, False )
| class Solution:
def valid_palindrome(self, s: str) -> bool:
if s == s[::-1]:
return True
(left, right) = (0, len(s) - 1)
s = list(s)
while left < right:
if s[left] != s[right]:
s_l = s[left + 1:right + 1]
s_r = s[left:right]
return s_l == s_l[::-1] or s_r == s_r[::-1]
left += 1
right -= 1
return True
class Solutionii:
def valid_palindrome(self, s: str) -> bool:
def verify(s, left, right, deleted):
while left < right:
if s[left] != s[right]:
if deleted:
return False
else:
return verify(s, left + 1, right, True) or verify(s, left, right - 1, True)
else:
left += 1
right -= 1
return True
return verify(list(s), 0, len(s) - 1, False) |
"""
Null object for Telegram bot
"""
class BotNull:
def __init__(self, logger):
self.logger = logger
def sendMessage(self, chat_id, text):
self.logger.info("Skipping Telegram since no configuration was found") | """
Null object for Telegram bot
"""
class Botnull:
def __init__(self, logger):
self.logger = logger
def send_message(self, chat_id, text):
self.logger.info('Skipping Telegram since no configuration was found') |
"""
Simple Python's Tornado wrapper which provides helpers for creating
a new project, writing management commands, service processes, ...
"""
__version__ = '2.1.2'
| """
Simple Python's Tornado wrapper which provides helpers for creating
a new project, writing management commands, service processes, ...
"""
__version__ = '2.1.2' |
"""
Container for macros to fix proto files.
"""
load("@rules_proto//proto:defs.bzl", "proto_library")
def format_import_proto_library(name, src, deps):
"""
Creates a new proto library with corrected imports.
This macro exists as a way to build proto files that contain import statements in both Gradle
and Bazel. This macro formats the src file's import statements to contain a full path to the
file in order for Bazel to properly locate file.
Args:
name: str. The name of the .proto file without the '.proto' suffix. This will be the root for
the name of the proto library created. Ex: If name = 'topic', then the src file is
'topic.proto' and the proto library created will be named 'topic_proto'.
src: str. The name of the .proto file to be built into a proto_library.
deps: list of str. The list of dependencies needed to build the src file. This list will
contain all of the proto_library targets for the files imported into src.
"""
# TODO(#1543): Ensure this function works on Windows systems.
# TODO(#1617): Remove genrules post-gradle
native.genrule(
name = name,
srcs = [src],
outs = ["processed_" + src],
cmd = """
cat $< |
sed 's/import "/import "model\\/src\\/main\\/proto\\//g' |
sed 's/"model\\/src\\/main\\/proto\\/exploration/"model\\/processed_src\\/main\\/proto\\/exploration/g' |
sed 's/"model\\/src\\/main\\/proto\\/topic/"model\\/processed_src\\/main\\/proto\\/topic/g' |
sed 's/"model\\/src\\/main\\/proto\\/question/"model\\/processed_src\\/main\\/proto\\/question/g' > $@
""",
)
proto_library(
name = name + "_proto",
srcs = ["processed_" + src],
deps = deps,
)
| """
Container for macros to fix proto files.
"""
load('@rules_proto//proto:defs.bzl', 'proto_library')
def format_import_proto_library(name, src, deps):
"""
Creates a new proto library with corrected imports.
This macro exists as a way to build proto files that contain import statements in both Gradle
and Bazel. This macro formats the src file's import statements to contain a full path to the
file in order for Bazel to properly locate file.
Args:
name: str. The name of the .proto file without the '.proto' suffix. This will be the root for
the name of the proto library created. Ex: If name = 'topic', then the src file is
'topic.proto' and the proto library created will be named 'topic_proto'.
src: str. The name of the .proto file to be built into a proto_library.
deps: list of str. The list of dependencies needed to build the src file. This list will
contain all of the proto_library targets for the files imported into src.
"""
native.genrule(name=name, srcs=[src], outs=['processed_' + src], cmd='\n cat $< |\n sed \'s/import "/import "model\\/src\\/main\\/proto\\//g\' |\n sed \'s/"model\\/src\\/main\\/proto\\/exploration/"model\\/processed_src\\/main\\/proto\\/exploration/g\' |\n sed \'s/"model\\/src\\/main\\/proto\\/topic/"model\\/processed_src\\/main\\/proto\\/topic/g\' |\n sed \'s/"model\\/src\\/main\\/proto\\/question/"model\\/processed_src\\/main\\/proto\\/question/g\' > $@\n ')
proto_library(name=name + '_proto', srcs=['processed_' + src], deps=deps) |
#coding:utf-8
'''
filename:custom_exception.py
judge the number of age is even or odd
'''
class NegativeAgeException(RuntimeError):
def __init__(self,age):
super().__init__()
self.age = age
def enterage(age):
if age<0:
raise NegativeAgeException('Only *POSITIVE* integers are allowed')
if age%2==0:
print('age is even')
else:
print("age is odd")
try:
age = int(input('Enter your age : '))
enterage(age)
except NegativeAgeException as error:
print('error: ',error)
print('error.age: ',error.age)
print('Only *INTEGERS* are allowed')
except :
print('something is wrong')
| """
filename:custom_exception.py
judge the number of age is even or odd
"""
class Negativeageexception(RuntimeError):
def __init__(self, age):
super().__init__()
self.age = age
def enterage(age):
if age < 0:
raise negative_age_exception('Only *POSITIVE* integers are allowed')
if age % 2 == 0:
print('age is even')
else:
print('age is odd')
try:
age = int(input('Enter your age : '))
enterage(age)
except NegativeAgeException as error:
print('error: ', error)
print('error.age: ', error.age)
print('Only *INTEGERS* are allowed')
except:
print('something is wrong') |
def getExtensionObjectFromString(strExtension):
try:
assetID,tempData=strExtension.split("$")
itemVER, tempData=tempData.split("@")
itemID,tempData=tempData.split(";")
return extensions(assetID,itemVER,itemID,tempData)
except: return None
class extensions:
def __init__(self, assetID, itemVER, itemID, data):
if assetID and itemVER and itemID:
self.assetID = assetID
self.itemVER = itemVER
self.itemID=itemID
self.data= "%s$%s@%s;%s" % (self.assetID,self.itemVER,self.itemID, data)
def string(self):
return self.data
def compareWithId(self,itemid):
try:
if(self.itemID==itemid):
return True
else:
return False
except:
return False
def compareWithVER(self,ver):
try:
if(self.itemVER==ver):
return True
except:
return False
| def get_extension_object_from_string(strExtension):
try:
(asset_id, temp_data) = strExtension.split('$')
(item_ver, temp_data) = tempData.split('@')
(item_id, temp_data) = tempData.split(';')
return extensions(assetID, itemVER, itemID, tempData)
except:
return None
class Extensions:
def __init__(self, assetID, itemVER, itemID, data):
if assetID and itemVER and itemID:
self.assetID = assetID
self.itemVER = itemVER
self.itemID = itemID
self.data = '%s$%s@%s;%s' % (self.assetID, self.itemVER, self.itemID, data)
def string(self):
return self.data
def compare_with_id(self, itemid):
try:
if self.itemID == itemid:
return True
else:
return False
except:
return False
def compare_with_ver(self, ver):
try:
if self.itemVER == ver:
return True
except:
return False |
# encoding: utf-8
# Copyright 2017 Virgil Dupras
# This software is licensed under the "BSD" License as described in the "LICENSE" file,
# which should be included with this package. The terms are also available at
# http://www.hardcoded.net/licenses/bsd_license
def preprocess_paths(paths):
if not isinstance(paths, list):
paths = [paths]
# Convert items such as pathlib paths to strings
paths = [
path.__fspath__() if hasattr(path, "__fspath__") else path for path in paths
]
return paths
| def preprocess_paths(paths):
if not isinstance(paths, list):
paths = [paths]
paths = [path.__fspath__() if hasattr(path, '__fspath__') else path for path in paths]
return paths |
number = int(input())
salaperhour = int(input())
valorperhour = float(input())
print("NUMBER = {}".format(number))
print('SALARY = U$ {:.2f}'.format(salaperhour * valorperhour)) | number = int(input())
salaperhour = int(input())
valorperhour = float(input())
print('NUMBER = {}'.format(number))
print('SALARY = U$ {:.2f}'.format(salaperhour * valorperhour)) |
#
# PySNMP MIB module CISCO-LWAPP-DOT11-CLIENT-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/CISCO-LWAPP-DOT11-CLIENT-MIB
# Produced by pysmi-0.3.4 at Wed May 1 12:05:02 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")
ConstraintsUnion, ValueRangeConstraint, ValueSizeConstraint, ConstraintsIntersection, SingleValueConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsUnion", "ValueRangeConstraint", "ValueSizeConstraint", "ConstraintsIntersection", "SingleValueConstraint")
cLApLocation, cLApIfLoadChannelUtilization, cLApName, cLAPGroupVlanName, cLApDot11IfSlotId, cLApDot11RadioChannelNumber, cLApSubMode = mibBuilder.importSymbols("CISCO-LWAPP-AP-MIB", "cLApLocation", "cLApIfLoadChannelUtilization", "cLApName", "cLAPGroupVlanName", "cLApDot11IfSlotId", "cLApDot11RadioChannelNumber", "cLApSubMode")
cLMobilityExtMCClientAnchorMCPrivateAddressType, cLMobilityExtMCClientAssociatedMAAddress, cLMobilityExtMCClientAssociatedMCGroupId, cLMobilityExtMCClientAnchorMCGroupId, cLMobilityExtMCClientAssociatedMAAddressType, cLMobilityExtMCClientAssociatedMCAddress, cLMobilityExtMCClientAssociatedMCAddressType, cLMobilityExtMCClientAnchorMCPrivateAddress = mibBuilder.importSymbols("CISCO-LWAPP-MOBILITY-EXT-MIB", "cLMobilityExtMCClientAnchorMCPrivateAddressType", "cLMobilityExtMCClientAssociatedMAAddress", "cLMobilityExtMCClientAssociatedMCGroupId", "cLMobilityExtMCClientAnchorMCGroupId", "cLMobilityExtMCClientAssociatedMAAddressType", "cLMobilityExtMCClientAssociatedMCAddress", "cLMobilityExtMCClientAssociatedMCAddressType", "cLMobilityExtMCClientAnchorMCPrivateAddress")
CLApIfType, CLClientPowerSaveMode, CcxServiceVersion, CLDot11ClientStatus = mibBuilder.importSymbols("CISCO-LWAPP-TC-MIB", "CLApIfType", "CLClientPowerSaveMode", "CcxServiceVersion", "CLDot11ClientStatus")
ciscoMgmt, = mibBuilder.importSymbols("CISCO-SMI", "ciscoMgmt")
CiscoURLStringOrEmpty, = mibBuilder.importSymbols("CISCO-TC", "CiscoURLStringOrEmpty")
InetAddressType, InetAddress = mibBuilder.importSymbols("INET-ADDRESS-MIB", "InetAddressType", "InetAddress")
VlanId, = mibBuilder.importSymbols("Q-BRIDGE-MIB", "VlanId")
SnmpAdminString, = mibBuilder.importSymbols("SNMP-FRAMEWORK-MIB", "SnmpAdminString")
ObjectGroup, ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ObjectGroup", "ModuleCompliance", "NotificationGroup")
iso, MibIdentifier, NotificationType, ObjectIdentity, Unsigned32, TimeTicks, Integer32, Bits, Counter32, Gauge32, Counter64, IpAddress, ModuleIdentity, MibScalar, MibTable, MibTableRow, MibTableColumn = mibBuilder.importSymbols("SNMPv2-SMI", "iso", "MibIdentifier", "NotificationType", "ObjectIdentity", "Unsigned32", "TimeTicks", "Integer32", "Bits", "Counter32", "Gauge32", "Counter64", "IpAddress", "ModuleIdentity", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn")
DisplayString, MacAddress, TimeInterval, TruthValue, TextualConvention, RowStatus, TimeStamp = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "MacAddress", "TimeInterval", "TruthValue", "TextualConvention", "RowStatus", "TimeStamp")
ciscoLwappDot11ClientMIB = ModuleIdentity((1, 3, 6, 1, 4, 1, 9, 9, 599))
ciscoLwappDot11ClientMIB.setRevisions(('2011-04-29 00:00', '2006-11-21 00:00',))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
if mibBuilder.loadTexts: ciscoLwappDot11ClientMIB.setRevisionsDescriptions(('Added ciscoLwappDot11ClientMIBStatusGroupRev2, ciscoLwappDot11ClientMIBNotifsGroupRev2, and ciscoLwappDot11ClientMIBNotifControlGroup. Deprecated ciscoLwappDot11ClientMIBCompliance and added ciscoLwappDot11ClientMIBComplianceRev2', 'Initial version of this MIB module. ',))
if mibBuilder.loadTexts: ciscoLwappDot11ClientMIB.setLastUpdated('201104290000Z')
if mibBuilder.loadTexts: ciscoLwappDot11ClientMIB.setOrganization('Cisco Systems Inc.')
if mibBuilder.loadTexts: ciscoLwappDot11ClientMIB.setContactInfo(' Cisco Systems, Customer Service Postal: 170 West Tasman Drive San Jose, CA 95134 USA Tel: +1 800 553-NETS Email: cs-wnbu-snmp@cisco.com')
if mibBuilder.loadTexts: ciscoLwappDot11ClientMIB.setDescription('This MIB is intended to be implemented on all those devices operating as Central controllers, that terminate the Light Weight Access Point Protocol tunnel from Cisco Light-weight LWAPP Access Points. Information provided by this MIB is about the configuration and monitoring of 802.11 wireless clients in the network. The relationship between CC and the LWAPP APs can be depicted as follows: +......+ +......+ +......+ +......+ + + + + + + + + + CC + + CC + + CC + + CC + + + + + + + + + +......+ +......+ +......+ +......+ .. . . . .. . . . . . . . . . . . . . . . . . . . . . . . +......+ +......+ +......+ +......+ +......+ + + + + + + + + + + + AP + + AP + + AP + + AP + + AP + + + + + + + + + + + +......+ +......+ +......+ +......+ +......+ . . . . . . . . . . . . . . . . . . . . . . . . +......+ +......+ +......+ +......+ +......+ + + + + + + + + + + + MN + + MN + + MN + + MN + + MN + + + + + + + + + + + +......+ +......+ +......+ +......+ +......+ The LWAPP tunnel exists between the controller and the APs. The MNs communicate with the APs through the protocol defined by the 802.11 standard. LWAPP APs, upon bootup, discover and join one of the controllers and the controller pushes the configuration, that includes the WLAN parameters, to the LWAPP APs. The APs then encapsulate all the 802.11 frames from wireless clients inside LWAPP frames and forward the LWAPP frames to the controller. GLOSSARY Access Point ( AP ) An entity that contains an 802.11 medium access control ( MAC ) and physical layer ( PHY ) interface and provides access to the distribution services via the wireless medium for associated clients. LWAPP APs encapsulate all the 802.11 frames in LWAPP frames and sends them to the controller to which it is logically connected. Basic Service Set ( BSS ) Coverage area of one access point is called a BSS. An access point (AP) acts as a master to control the clients within that BSS. Clear To Send (CTS) Refer to the description of RTS. Light Weight Access Point Protocol ( LWAPP ) This is a generic protocol that defines the communication between the Access Points and the Central Controller. MAC Service Data Units ( MSDU ) The MSDU is that unit of data received from the logical link control ( LLC ) sub-layer which lies above the medium access control ( MAC ) sub-layer in a protocol stack. Message Integrity Code ( MIC ) A value generated by a symmetric key cryptographic function. If the input data are changed, a new value cannot be correctly computed without knowledge of the symmetric key. Thus, the secret key protects the input data from undetectable alteration. Mobile Node ( MN ) A roaming 802.11 wireless device in a wireless network associated with an access point. Mobile Node, Mobile Station(Ms) and client are used interchangeably. Request To Send ( RTS ) A client wishing to send data initiates the process by sending a Request To Send (RTS) frame. The destination client replies with a Clear To Send (CTS) frame. Wireless local-area network ( WLAN ) A local-area network that uses high-frequency radio waves rather than wires to communicate between nodes. Service Set Identifier (SSID) A service set identifier is a name that identifies a particular 802.11 wireless LAN. A client device receives broadcast messages from all access points within range advertising their SSIDs. The client device can then either manually or automatically based on configuration select the network with which to associate. The SSID can be up to 32 characters long. Hybrid Remote Edge Access Point (HREAP) HREAP is a wireless solution for branch office and remote office deployments. It enables customers to configure and control access points in a branch or remote office from the corporate office through a wide area network (WAN) link without deploying a controller in each office. Workgroup Bridge ( WGB ) A WGB can provide a wireless infrastructure connection for a Ethernet-enabled devices. Devices that do not have a wireless client adapter in order to connect to the wireless network can be connected to a WGB through Ethernet port. KTS (Key Telephone System) Key Telephone System is an alternative to a private branch exchange (PBX) phone system. A KTS is equipped with several buttons that allow a caller to directly select outgoing lines or incoming calls, and use intercom and conference facilities. REFERENCE [1] Wireless LAN Medium Access Control ( MAC ) and Physical Layer ( PHY ) Specifications [2] Draft-obara-capwap-lwapp-00.txt, IETF Light Weight Access Point Protocol ')
ciscoLwappDot11ClientMIBNotifs = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 599, 0))
ciscoLwappDot11ClientMIBObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 599, 1))
ciscoLwappDot11ClientMIBConform = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 599, 2))
ciscoLwappDot11ClientCcxMIBObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 599, 3))
cldcConfigObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 1))
cldcNotifObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2))
cldcStatusObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3))
cldcStatisticObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4))
cldcCcxObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 599, 3, 1))
cldcClientTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1), )
if mibBuilder.loadTexts: cldcClientTable.setStatus('current')
if mibBuilder.loadTexts: cldcClientTable.setDescription("This table represents the 802.11 wireless clients that are associated with the APs that have joined this controller. An entry is created automatically by the controller when the client gets associated to the AP. An existing entry gets deleted when the association gets dropped. Each client added to this table is uniquely identified by the client's MAC address.")
cldcClientEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1), ).setIndexNames((0, "CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientMacAddress"))
if mibBuilder.loadTexts: cldcClientEntry.setStatus('current')
if mibBuilder.loadTexts: cldcClientEntry.setDescription("Each entry represents a conceptual row in this table and provides the information about the clients associated to the APs that have joined the controller. An entry is identified the client's MAC address.")
cldcClientMacAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 1), MacAddress())
if mibBuilder.loadTexts: cldcClientMacAddress.setStatus('current')
if mibBuilder.loadTexts: cldcClientMacAddress.setDescription('This object specifies the MAC address of the client for this entry and uniquely identifies this entry. ')
cldcClientStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 2), CLDot11ClientStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientStatus.setStatus('current')
if mibBuilder.loadTexts: cldcClientStatus.setDescription('The object that represents the current status of the client.')
cldcClientWlanProfileName = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 3), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientWlanProfileName.setStatus('current')
if mibBuilder.loadTexts: cldcClientWlanProfileName.setDescription('This object specifies the WLAN Profile name this 802.11 wireless client is connected to.')
cldcClientWgbStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("regClient", 1), ("wgbClient", 2), ("wgb", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientWgbStatus.setStatus('current')
if mibBuilder.loadTexts: cldcClientWgbStatus.setDescription("The object that represents the work group bridging status of a DOT11 client. 'regClient' - The client is a wireless client 'wgbClient' - The client is connected via a WGB 'wgb' - The client is the WGB itself.")
cldcClientWgbMacAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 5), MacAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientWgbMacAddress.setStatus('current')
if mibBuilder.loadTexts: cldcClientWgbMacAddress.setDescription('This object specifies the MAC address of the WGB this 802.11 wireless client to which it is connected. This returns a non-zero value when the cldcClientWgbStatus is wgbClient.')
cldcClientProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=NamedValues(("dot11a", 1), ("dot11b", 2), ("dot11g", 3), ("unknown", 4), ("mobile", 5), ("dot11n24", 6), ("dot11n5", 7), ("ethernet", 8), ("dot3", 9), ("dot11ac5", 10)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientProtocol.setStatus('current')
if mibBuilder.loadTexts: cldcClientProtocol.setDescription("The 802.11 protocol type of the client. 'dot11a' - The client is using 802.11a standard to connect to the access point (AP) 'dot11b' - The client is using 802.11b standard to connect to the access point (AP) 'dot11g' - The client is using 802.11g standard to connect to the access point (AP) 'unknown' - The client protocol is unknown 'mobile' - The client using mobile wireless to connect to the access point (AP). 'dot11n24' - The client is using 802.11n standard with 2.4 GHz frequency to connect to the access point (AP) 'dot11n5' - The client is using 802.11n standard with 5 GHz frequency to connect to the access point (AP). 'ethernet' - The client is using ethernet standard to connect to the access point (AP). 'dot3' - The client is using dot3 standard to connect to the access point (AP). 'dot11ac5' - The client is using 802.11ac standard with 5 GHz frequency to connect to the access point (AP).")
cldcAssociationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("unknown", 1), ("wep", 2), ("wpa", 3), ("wpa2", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcAssociationMode.setStatus('current')
if mibBuilder.loadTexts: cldcAssociationMode.setDescription('The association mode for which the key decrypt error occurred.')
cldcApMacAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 8), MacAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcApMacAddress.setStatus('current')
if mibBuilder.loadTexts: cldcApMacAddress.setDescription('This object specifies the radio MAC address of a LWAPP AP. ')
cldcIfType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 9), CLApIfType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcIfType.setStatus('current')
if mibBuilder.loadTexts: cldcIfType.setDescription('This object specifies the wireless interface type.')
cldcClientIPAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 10), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientIPAddress.setStatus('current')
if mibBuilder.loadTexts: cldcClientIPAddress.setDescription(" This object specified client's IP address. ")
cldcClientNacState = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("quarantine", 1), ("access", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cldcClientNacState.setStatus('current')
if mibBuilder.loadTexts: cldcClientNacState.setDescription("This object specifies the client's network admission control state. 'quarantine' - The client goes through posture analysis and the client traffic is sent by controller in quarantine vlan. 'access' - The client traffic is sent by controller in access vlan. The client should have completed posture analysis. Posture Analysis is a state change where the client applies the configured policies to validate access to the network.")
cldcClientQuarantineVLAN = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 12), VlanId()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientQuarantineVLAN.setStatus('current')
if mibBuilder.loadTexts: cldcClientQuarantineVLAN.setDescription('This object indicates the quarantine VLAN for client. The quarantine VLAN only allows limited access to the network.')
cldcClientAccessVLAN = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 13), VlanId()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientAccessVLAN.setStatus('current')
if mibBuilder.loadTexts: cldcClientAccessVLAN.setDescription('This object indicates the access VLAN for client. The access VLAN allows unlimited access to the network.')
cldcClientLoginTime = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 14), TimeStamp()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientLoginTime.setStatus('current')
if mibBuilder.loadTexts: cldcClientLoginTime.setDescription('This object indicates the value of sysUpTime when the client logged in.')
cldcClientUpTime = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 15), TimeInterval()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientUpTime.setStatus('current')
if mibBuilder.loadTexts: cldcClientUpTime.setDescription('This object indicates the duration for which the client has been associated with this device.')
cldcClientPowerSaveMode = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 16), CLClientPowerSaveMode()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientPowerSaveMode.setStatus('current')
if mibBuilder.loadTexts: cldcClientPowerSaveMode.setDescription('This object indicates the power management mode of the client.')
cldcClientCurrentTxRateSet = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 17), OctetString().subtype(subtypeSpec=ValueSizeConstraint(2, 2)).setFixedLength(2)).setUnits('Mbit/s').setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientCurrentTxRateSet.setReference('RFC 5416')
if mibBuilder.loadTexts: cldcClientCurrentTxRateSet.setStatus('current')
if mibBuilder.loadTexts: cldcClientCurrentTxRateSet.setDescription('This object indicates the current data rate at which the client transmits and receives data. The data rate field is a 16-bit unsigned value expressing the data rate of the packets received by the client.')
cldcClientDataRateSet = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 18), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 126))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientDataRateSet.setReference('RFC 5416')
if mibBuilder.loadTexts: cldcClientDataRateSet.setStatus('current')
if mibBuilder.loadTexts: cldcClientDataRateSet.setDescription('This object indicates the set of data rates at which the client may transmit data. Each client can support up to 126 rates. Each octet contains an integer value representing one of these 126 rates ranging from 1 Mb/s to 63.5 Mb/s. One of the supported rates will be chosen by the access point for trasnmission with the client.')
cldcClientHreapApAuth = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("true", 1), ("false", 2), ("notApplicable", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientHreapApAuth.setStatus('current')
if mibBuilder.loadTexts: cldcClientHreapApAuth.setDescription("This object indicates whether the client is locally authenticated or authenticated by the controller. Local authentication is done only if the Access Point connected to the client is of hreap mode. A value of 'true' indicates that the client is locally authenticated. A value of 'false' indicates that the client is authenticated by the controller. A value of 'notApplicable' indicates that client is not connected to a HREAP.")
cldcClient80211uCapable = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 20), TruthValue()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClient80211uCapable.setReference('IEEE 802.11u')
if mibBuilder.loadTexts: cldcClient80211uCapable.setStatus('current')
if mibBuilder.loadTexts: cldcClient80211uCapable.setDescription("This object indicates whether the client supports 802.11u feature. The 802.11u standard allows devices such as laptop computers or cellular phones to join a wireless LAN widely used in the home, office and some commercial establishments. A value of 'true' indicates that the client supports the 802.11u feature. A value of 'false' indicates that the client does not support the 802.11u feature.")
cldcClientPostureState = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 21), TruthValue()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientPostureState.setStatus('current')
if mibBuilder.loadTexts: cldcClientPostureState.setDescription("This object indicates the Posture state of the client. Posture Analysis is a state change where the client applies the configured policies to validate access to the network. A value of 'true' indicates that the client supports the Posture feature. A value of 'false' indicates that the client does not support the Posture feature.")
cldcClientAclName = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 22), SnmpAdminString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientAclName.setStatus('current')
if mibBuilder.loadTexts: cldcClientAclName.setDescription('This object indicates the ACL Name for the client.')
cldcClientAclApplied = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 23), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("true", 1), ("false", 2), ("notAvailable", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientAclApplied.setStatus('current')
if mibBuilder.loadTexts: cldcClientAclApplied.setDescription("This object indicates the ACL applied status for the client. A value of 'true' indicates that the ACL is applied. A value of 'false' indicates that the ACL is not applied. A value of 'notAvailable' indicates that applied status is not available")
cldcClientRedirectUrl = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 24), CiscoURLStringOrEmpty()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientRedirectUrl.setStatus('current')
if mibBuilder.loadTexts: cldcClientRedirectUrl.setDescription('This object indicates the AAA override redirect URL for a client with cldcClientPostureState enabled. The object has a valid value when the WLAN, with which the client has associated requires Conditional or Splash-Page Web Redirection. This object is otherwise not applicable, and contains a zero-length string.')
cldcClientAaaOverrideAclName = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 25), SnmpAdminString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientAaaOverrideAclName.setStatus('current')
if mibBuilder.loadTexts: cldcClientAaaOverrideAclName.setDescription('This object indicates the AAA Override ACL Name for the client if cldcClientPostureState is enabled on the wlan.')
cldcClientAaaOverrideAclApplied = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 26), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("true", 1), ("false", 2), ("notAvailable", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientAaaOverrideAclApplied.setStatus('current')
if mibBuilder.loadTexts: cldcClientAaaOverrideAclApplied.setDescription("This object indicates the AAA Override ACL applied status for the client if cldcClientPostureState is enabled on the wlan. A value of 'true' indicates that the ACL is applied. A value of 'false' indicates that the ACL is not applied. A value of 'notAvailable' indicates that applied status is not available")
cldcClientUsername = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 27), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientUsername.setStatus('current')
if mibBuilder.loadTexts: cldcClientUsername.setDescription('This object represents the username used by the client.')
cldcClientSSID = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 28), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientSSID.setStatus('current')
if mibBuilder.loadTexts: cldcClientSSID.setDescription('This object represents the SSID of the WLAN to which the client is associated.')
cldcClientSecurityTagId = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 29), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientSecurityTagId.setStatus('current')
if mibBuilder.loadTexts: cldcClientSecurityTagId.setDescription('This object represents the security group tag of the client. This parameter will have a non-zero value when the client is DOT1X authenticated.')
cldcClientTypeKTS = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 30), TruthValue()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientTypeKTS.setStatus('current')
if mibBuilder.loadTexts: cldcClientTypeKTS.setDescription("This object indicates whether the Client is NEC KTS Client or not. A value of 'true' indicates that the client follows NEC KTS SIP protocol. A value of 'false' indicates that the client does not follow NEC KTS SIP protocol.")
cldcClientIpv6AclName = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 31), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientIpv6AclName.setStatus('current')
if mibBuilder.loadTexts: cldcClientIpv6AclName.setDescription('This object specifies the ACL Name for the Ipv6 client.')
cldcClientIpv6AclApplied = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 32), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("true", 1), ("false", 2), ("notAvailable", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientIpv6AclApplied.setStatus('current')
if mibBuilder.loadTexts: cldcClientIpv6AclApplied.setDescription("This object indicates the ACL applied status for the IPv6 client. A value of 'true' indicates that the ACL is applied. A value of 'false' indicates that the ACL is not applied. A value of 'NotAvailable' indicates that applied status is not avaliable")
cldcClientDataSwitching = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 33), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("unknown", 1), ("central", 2), ("local", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientDataSwitching.setStatus('current')
if mibBuilder.loadTexts: cldcClientDataSwitching.setDescription('This object specifies whether client is switching data locally or centrally.')
cldcClientAuthentication = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 34), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("unknown", 1), ("central", 2), ("local", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientAuthentication.setStatus('current')
if mibBuilder.loadTexts: cldcClientAuthentication.setDescription('This object specifies whether client is authentiated locally or centrally.')
cldcClientChannel = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 35), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientChannel.setStatus('current')
if mibBuilder.loadTexts: cldcClientChannel.setDescription("This object specifies the access point's channel to which the client is associated.")
cldcClientAuthMode = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 36), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=NamedValues(("none", 0), ("psk", 1), ("radius", 2), ("cckm", 3), ("wapipsk", 4), ("wapicert", 5), ("ftDot1x", 6), ("ftPsk", 7), ("pmfDot1x", 8), ("pmfPsk", 9)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientAuthMode.setStatus('current')
if mibBuilder.loadTexts: cldcClientAuthMode.setDescription('Represents the Authentication Mode of Client.')
cldcClientReasonCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 37), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 40, 41, 42, 43, 44, 45, 46, 99, 101, 105, 106, 200, 201, 202, 203))).clone(namedValues=NamedValues(("unspecified", 1), ("previousAuthNotValid", 2), ("deauthenticationLeaving", 3), ("disassociationDueToInactivity", 4), ("disassociationAPBusy", 5), ("class2FrameFromNonAuthStation", 6), ("class2FrameFromNonAssStation", 7), ("disassociationStaHasLeft", 8), ("staReqAssociationWithoutAuth", 9), ("invalidInformationElement", 40), ("groupCipherInvalid", 41), ("unicastCipherInvalid", 42), ("akmpInvalid", 43), ("unsupportedRsnVersion", 44), ("invalidRsnIeCapabilities", 45), ("cipherSuiteRejected", 46), ("missingReasonCode", 99), ("maxAssociatedClientsReached", 101), ("maxAssociatedClientsReachedOnRadio", 105), ("maxAssociatedClientsReachedOnWlan", 106), ("unSpecifiedQosFailure", 200), ("qosPolicyMismatch", 201), ("inSufficientBandwidth", 202), ("inValidQosParams", 203)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientReasonCode.setStatus('current')
if mibBuilder.loadTexts: cldcClientReasonCode.setDescription('unspecified - Unspecified. previousAuthNotValid - Previous Authentication was not valid. deauthenticationLeaving - Leaving due to deauthentication. disassociationDueToInactivity - Disassociation due to Inactivity. disassociationAPBusy - Disassociation since AP was busy. class2FrameFromNonAuthStation - Class 2 frame from non authenticated station. class2FrameFromNonAssStation - Class 2 frame from non associated station. disassociationStaHasLeft - Station has left due to disassociation. staReqAssociationWithoutAuth - Station send association request without authentication. invalidInformationElement - Invalid information element. groupCipherInvalid - Invalid group Cipher. unicastCipherInvalid - Invalid unicast cipher. akmpInvalid - Invalid AKMP. unsupportedRsnVersion - Unsupported RSN version. invalidRsnIeCapabilities - Invalid RSN IE capabilities. cipherSuiteRejected - Cipher suite rejected. missingReasonCode - Reason code is missing. maxAssociatedClientsReached - Maximum allowed associated client number has reached. maxAssociatedClientsReachedOnRadio - Maximum allowed associated client number has reached on radio. maxAssociatedClientsReachedOnWlan - Maximum allowed associated client number has reached on wlan. unSpecifiedQosFailure - Unsupported QOS failure. qosPolicyMismatch - Mismatch on QOS policy. inSufficientBandwidth - Insufficient bandwidth. inValidQosParams - Invalid QOS parameters.')
cldcClientSessionID = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 38), SnmpAdminString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientSessionID.setStatus('current')
if mibBuilder.loadTexts: cldcClientSessionID.setDescription('This object indicates the session to which the client is associated.')
cldcClientApRoamMacAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 39), MacAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientApRoamMacAddress.setStatus('current')
if mibBuilder.loadTexts: cldcClientApRoamMacAddress.setDescription('This object indicates the MAC address of the AP to which the client has roamed.')
cldcClientMdnsProfile = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 40), SnmpAdminString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientMdnsProfile.setStatus('current')
if mibBuilder.loadTexts: cldcClientMdnsProfile.setDescription('This object specifies the mDNS Profile name this 802.11 wireless client is mapped to. It could be mapped to the WLAN to which the client is connected to, or the interface/interface groups mapped to the WLAN.')
cldcClientMdnsAdvCount = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 41), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientMdnsAdvCount.setStatus('current')
if mibBuilder.loadTexts: cldcClientMdnsAdvCount.setDescription('This object specifies the number of mDNS advertisements received on the client.')
cldcClientPolicyName = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 42), SnmpAdminString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientPolicyName.setStatus('current')
if mibBuilder.loadTexts: cldcClientPolicyName.setDescription('This object indicates the local classification policy to which the client is associated.')
cldcClientAAARole = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 43), SnmpAdminString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientAAARole.setStatus('current')
if mibBuilder.loadTexts: cldcClientAAARole.setDescription('This object indicates the role string of the client that is used as match criterion for local policy profiling. This string is returned during authentication. ')
cldcClientDeviceType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 44), SnmpAdminString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientDeviceType.setStatus('current')
if mibBuilder.loadTexts: cldcClientDeviceType.setDescription('This object specifies the device type of the client. This is identified once the profiling operation is completed.')
cldcUserAuthType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 45), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("open", 1), ("wepPsk", 2), ("portal", 3), ("simPeap", 4), ("other", 5)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcUserAuthType.setStatus('current')
if mibBuilder.loadTexts: cldcUserAuthType.setDescription('Represents the Authentication Type of User.')
cldcClientByIpTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 2), )
if mibBuilder.loadTexts: cldcClientByIpTable.setStatus('current')
if mibBuilder.loadTexts: cldcClientByIpTable.setDescription('This table represents the 802.11 wireless clients that are associated with the APs that have joined this controller and are indexed by cldcClientByIpAddressType and cldcClientByIpAddress. An entry is created automatically by the controller when the client gets associated to the AP. An existing entry gets deleted when the association gets dropped.')
cldcClientByIpEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 2, 1), ).setIndexNames((0, "CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientMacAddress"), (0, "CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientByIpAddressType"), (0, "CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientByIpAddress"))
if mibBuilder.loadTexts: cldcClientByIpEntry.setStatus('current')
if mibBuilder.loadTexts: cldcClientByIpEntry.setDescription("Each entry represents a conceptual row in this table and provides the information about the clients associated to the APs that have joined the controller. An entry is identified by the client's IP address.")
cldcClientByIpAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 2, 1, 2), InetAddressType())
if mibBuilder.loadTexts: cldcClientByIpAddressType.setStatus('current')
if mibBuilder.loadTexts: cldcClientByIpAddressType.setDescription("This object represents the type of the Client's address made available through cldcClientByIpAddress.")
cldcClientByIpAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 2, 1, 3), InetAddress())
if mibBuilder.loadTexts: cldcClientByIpAddress.setStatus('current')
if mibBuilder.loadTexts: cldcClientByIpAddress.setDescription('This object represents the inet address of the Client')
cldcClientByIpAddressDiscoverType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("invalid", 1), ("ndp", 2), ("dhcp", 3), ("packet", 4), ("local", 5), ("static", 6)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientByIpAddressDiscoverType.setStatus('current')
if mibBuilder.loadTexts: cldcClientByIpAddressDiscoverType.setDescription("This object represents the discovery type of the Client's address invalid(1) = unknown ndp(2) = Address learnt by neighbor discovery protocol dhcp(3) = Address learnt via DHCP packet(4) = Address learnt by data packet addressing learning local(5) = Address applied to local interface static(6) = Address assigned statically ")
cldcClientByIpAddressLastSeen = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 2, 1, 5), TimeStamp()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientByIpAddressLastSeen.setStatus('current')
if mibBuilder.loadTexts: cldcClientByIpAddressLastSeen.setDescription('This object indicates timestamp of the time when an address was last seen in REACHABLE state')
cldcSleepingClientTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 3), )
if mibBuilder.loadTexts: cldcSleepingClientTable.setStatus('current')
if mibBuilder.loadTexts: cldcSleepingClientTable.setDescription(' This table represents the information about Sleeping clients')
cldcSleepingClientEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 3, 1), ).setIndexNames((0, "CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcSleepingClientMacAddress"))
if mibBuilder.loadTexts: cldcSleepingClientEntry.setStatus('current')
if mibBuilder.loadTexts: cldcSleepingClientEntry.setDescription('An entry containing the information about sleeping clients.')
cldcSleepingClientMacAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 3, 1, 1), MacAddress())
if mibBuilder.loadTexts: cldcSleepingClientMacAddress.setStatus('current')
if mibBuilder.loadTexts: cldcSleepingClientMacAddress.setDescription('This object specifies the MAC address of the sleeping client and uniquely identifies the entry.')
cldcSleepingClientSsid = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 3, 1, 2), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcSleepingClientSsid.setStatus('current')
if mibBuilder.loadTexts: cldcSleepingClientSsid.setDescription('This object represents the SSID of the WLAN to which the sleeping client is associated.')
cldcSleepingClientUserName = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 3, 1, 3), SnmpAdminString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcSleepingClientUserName.setStatus('current')
if mibBuilder.loadTexts: cldcSleepingClientUserName.setDescription('This object represents the username used by the sleeping client.')
cldcSleepingClientRemainingTime = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 3, 1, 4), TimeInterval()).setUnits('Hours').setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcSleepingClientRemainingTime.setStatus('current')
if mibBuilder.loadTexts: cldcSleepingClientRemainingTime.setDescription('This object indicates the remaining session time for the sleeping client.')
cldcSleepingClientRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 3, 1, 5), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: cldcSleepingClientRowStatus.setStatus('current')
if mibBuilder.loadTexts: cldcSleepingClientRowStatus.setDescription('This is the status column for this row and used to delete specific instances of row in the table.')
cldcClientStatisticTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1), )
if mibBuilder.loadTexts: cldcClientStatisticTable.setStatus('current')
if mibBuilder.loadTexts: cldcClientStatisticTable.setDescription('This table lists statistics and status of the 802.11 wireless clients associated with the access points attached to the controller.')
cldcClientStatisticEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1), ).setIndexNames((0, "CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientMacAddress"))
if mibBuilder.loadTexts: cldcClientStatisticEntry.setStatus('current')
if mibBuilder.loadTexts: cldcClientStatisticEntry.setDescription('An entry in this table provides traffic statistics of the associated client based upon its Mac address.')
cldcClientDataRetries = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 1), Counter64()).setUnits('Retries').setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientDataRetries.setStatus('current')
if mibBuilder.loadTexts: cldcClientDataRetries.setDescription('This object indicates the number of attempts made by the client before transmitting the MSDU successfully.')
cldcClientRtsRetries = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 2), Counter64()).setUnits('Retries').setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientRtsRetries.setStatus('current')
if mibBuilder.loadTexts: cldcClientRtsRetries.setDescription('This object indicates the number of times the client has attempted to send RTS packets before receiving CTS packets.')
cldcClientDuplicatePackets = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 3), Counter64()).setUnits('Packets').setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientDuplicatePackets.setStatus('current')
if mibBuilder.loadTexts: cldcClientDuplicatePackets.setDescription('This object indicates the number of times a duplicate packet is received for the client.')
cldcClientDecryptFailures = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 4), Counter64()).setUnits('Packets').setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientDecryptFailures.setStatus('current')
if mibBuilder.loadTexts: cldcClientDecryptFailures.setDescription('This object indicates the number of packets received from the client that failed to decrypt properly.')
cldcClientMicErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 5), Counter64()).setUnits('Packets').setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientMicErrors.setStatus('current')
if mibBuilder.loadTexts: cldcClientMicErrors.setDescription('This object indicates the number of MIC errors experienced by the client.')
cldcClientMicMissingFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 6), Counter64()).setUnits('Packets').setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientMicMissingFrames.setStatus('current')
if mibBuilder.loadTexts: cldcClientMicMissingFrames.setDescription('This object indicates the number of missing MIC packets for the client.')
cldcClientRaPacketsDropped = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 7), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientRaPacketsDropped.setStatus('current')
if mibBuilder.loadTexts: cldcClientRaPacketsDropped.setDescription('This is the number of RA Packets dropped for this client.')
cldcClientInterimUpdatesCount = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 8), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientInterimUpdatesCount.setStatus('current')
if mibBuilder.loadTexts: cldcClientInterimUpdatesCount.setDescription('This is the number of interim updates count sent for this client.')
cldcClientDataBytesReceived = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 9), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientDataBytesReceived.setStatus('current')
if mibBuilder.loadTexts: cldcClientDataBytesReceived.setDescription('This is the number data bytes received for this mobile station')
cldcClientRealtimeBytesReceived = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 10), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientRealtimeBytesReceived.setStatus('current')
if mibBuilder.loadTexts: cldcClientRealtimeBytesReceived.setDescription('This is the number realtime bytes received for this mobile station')
cldcClientRxDataBytesDropped = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 11), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientRxDataBytesDropped.setStatus('current')
if mibBuilder.loadTexts: cldcClientRxDataBytesDropped.setDescription('This is the number Rx data bytes dropped for this mobile station')
cldcClientRxRealtimeBytesDropped = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 12), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientRxRealtimeBytesDropped.setStatus('current')
if mibBuilder.loadTexts: cldcClientRxRealtimeBytesDropped.setDescription('This is the number Rx realtime bytes dropped for this mobile station')
cldcClientDataBytesSent = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 13), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientDataBytesSent.setStatus('current')
if mibBuilder.loadTexts: cldcClientDataBytesSent.setDescription('This is the number data bytes Sent for this mobile station')
cldcClientRealtimeBytesSent = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 14), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientRealtimeBytesSent.setStatus('current')
if mibBuilder.loadTexts: cldcClientRealtimeBytesSent.setDescription('This is the number realtime bytes Sent for this mobile station')
cldcClientTxDataBytesDropped = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 15), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientTxDataBytesDropped.setStatus('current')
if mibBuilder.loadTexts: cldcClientTxDataBytesDropped.setDescription('This is the number Tx data bytes dropped for this mobile station')
cldcClientTxRealtimeBytesDropped = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 16), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientTxRealtimeBytesDropped.setStatus('current')
if mibBuilder.loadTexts: cldcClientTxRealtimeBytesDropped.setDescription('This is the number Tx realtime bytes dropped for this mobile station')
cldcClientDataPacketsReceived = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 17), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientDataPacketsReceived.setStatus('current')
if mibBuilder.loadTexts: cldcClientDataPacketsReceived.setDescription('This is the number data Packets received for this mobile station')
cldcClientRealtimePacketsReceived = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 18), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientRealtimePacketsReceived.setStatus('current')
if mibBuilder.loadTexts: cldcClientRealtimePacketsReceived.setDescription('This is the number realtime Packets received for this mobile station')
cldcClientRxDataPacketsDropped = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 19), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientRxDataPacketsDropped.setStatus('current')
if mibBuilder.loadTexts: cldcClientRxDataPacketsDropped.setDescription('This is the number Rx data Packets dropped for this mobile station')
cldcClientRxRealtimePacketsDropped = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 20), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientRxRealtimePacketsDropped.setStatus('current')
if mibBuilder.loadTexts: cldcClientRxRealtimePacketsDropped.setDescription('This is the number Rx realtime Packets dropped for this mobile station')
cldcClientDataPacketsSent = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 21), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientDataPacketsSent.setStatus('current')
if mibBuilder.loadTexts: cldcClientDataPacketsSent.setDescription('This is the number data Packets Sent for this mobile station')
cldcClientRealtimePacketsSent = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 22), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientRealtimePacketsSent.setStatus('current')
if mibBuilder.loadTexts: cldcClientRealtimePacketsSent.setDescription('This is the number realtime Packets Sent for this mobile station')
cldcClientTxDataPacketsDropped = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 23), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientTxDataPacketsDropped.setStatus('current')
if mibBuilder.loadTexts: cldcClientTxDataPacketsDropped.setDescription('This is the number Tx data Packets dropped for this mobile station')
cldcClientTxRealtimePacketsDropped = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 24), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientTxRealtimePacketsDropped.setStatus('current')
if mibBuilder.loadTexts: cldcClientTxRealtimePacketsDropped.setDescription('This is the number Tx realtime Packets dropped for this mobile station')
cldcClientTxDataPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 25), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientTxDataPackets.setStatus('current')
if mibBuilder.loadTexts: cldcClientTxDataPackets.setDescription('This is the number of data packets sent by this mobile station')
cldcClientTxDataBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 26), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientTxDataBytes.setStatus('current')
if mibBuilder.loadTexts: cldcClientTxDataBytes.setDescription('This is the number of data bytes sent by this mobile station')
cldcClientRxDataPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 27), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientRxDataPackets.setStatus('current')
if mibBuilder.loadTexts: cldcClientRxDataPackets.setDescription('This is the number of data packets sent for this mobile station')
cldcClientRxDataBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 28), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldcClientRxDataBytes.setStatus('current')
if mibBuilder.loadTexts: cldcClientRxDataBytes.setDescription('This is the number of data bytes sent for this mobile station')
cldccCcxVersionInfoTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 599, 3, 1, 1), )
if mibBuilder.loadTexts: cldccCcxVersionInfoTable.setStatus('current')
if mibBuilder.loadTexts: cldccCcxVersionInfoTable.setDescription('This table contains the detail of the CCX version supported by the clients. This is used to identify the services supported by a CCX v6 client.')
cldccCcxVersionInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 599, 3, 1, 1, 1), ).setIndexNames((0, "CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientMacAddress"))
if mibBuilder.loadTexts: cldccCcxVersionInfoEntry.setStatus('current')
if mibBuilder.loadTexts: cldccCcxVersionInfoEntry.setDescription('There is an entry in the table for each entry identified by the client mac address.')
cldccCcxFoundationServiceVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 3, 1, 1, 1, 1), CcxServiceVersion()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldccCcxFoundationServiceVersion.setStatus('current')
if mibBuilder.loadTexts: cldccCcxFoundationServiceVersion.setDescription('This is the CCX version supported by the client for the service, foundation.')
cldccCcxLocationServiceVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 3, 1, 1, 1, 2), CcxServiceVersion()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldccCcxLocationServiceVersion.setStatus('current')
if mibBuilder.loadTexts: cldccCcxLocationServiceVersion.setDescription('This is the CCX version supported by the client for the service, location.')
cldccCcxVoiceServiceVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 3, 1, 1, 1, 3), CcxServiceVersion()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldccCcxVoiceServiceVersion.setStatus('current')
if mibBuilder.loadTexts: cldccCcxVoiceServiceVersion.setDescription('This is the CCX version supported by the client for the service, voice.')
cldccCcxManagementServiceVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 599, 3, 1, 1, 1, 4), CcxServiceVersion()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cldccCcxManagementServiceVersion.setStatus('current')
if mibBuilder.loadTexts: cldccCcxManagementServiceVersion.setDescription('This is the CCX version supported by the client for the service, management.')
cldcKeyDecryptErrorEnabled = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 1, 1), TruthValue().clone('true')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cldcKeyDecryptErrorEnabled.setStatus('current')
if mibBuilder.loadTexts: cldcKeyDecryptErrorEnabled.setDescription("The object to control the generation of ciscoLwappDot11ClientKeyDecryptError notification. A value of 'true' indicates that the agent generates ciscoLwappDot11ClientKeyDecryptError notification. A value of 'false' indicates that the agent doesn't generate ciscoLwappDot11ClientKeyDecryptError notification.")
cldcAssocNacAlertEnabled = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 1, 2), TruthValue()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cldcAssocNacAlertEnabled.setStatus('current')
if mibBuilder.loadTexts: cldcAssocNacAlertEnabled.setDescription("The object to control the generation of ciscoLwappDot11ClientAssocNacAlert notification. A value of 'true' indicates that the agent generates ciscoLwappDot11ClientAssocNacAlert notification. A value of 'false' indicates that the agent doesn't generate ciscoLwappDot11ClientAssocNacAlert notification.")
cldcDisassocNacAlertEnabled = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 1, 3), TruthValue()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cldcDisassocNacAlertEnabled.setStatus('current')
if mibBuilder.loadTexts: cldcDisassocNacAlertEnabled.setDescription("The object to control the generation of ciscoLwappDot11ClientDisassocNacAlert notification. A value of 'true' indicates that the agent generates ciscoLwappDot11ClientDisassocNacAlert notification. A value of 'false' indicates that the agent doesn't generate ciscoLwappDot11ClientDisassocNacAlert notification.")
cldcMovedToRunStateEnabled = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 1, 4), TruthValue()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cldcMovedToRunStateEnabled.setStatus('current')
if mibBuilder.loadTexts: cldcMovedToRunStateEnabled.setDescription("The object to control the generation of ciscoLwappDot11ClientMovedToRunState notification. A value of 'true' indicates that the agent generates ciscoLwappDot11ClientMovedToRunState notification. A value of 'false' indicates that the agent doesn't generate ciscoLwappDot11ClientMovedToRunState notification.")
ciscoLwappDot11ClientStaticIpFailTrapEnabled = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 1, 5), TruthValue().clone('true')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ciscoLwappDot11ClientStaticIpFailTrapEnabled.setStatus('current')
if mibBuilder.loadTexts: ciscoLwappDot11ClientStaticIpFailTrapEnabled.setDescription("The object to control the generation of ciscoLwappDot11ClientStaticIpFailTrap notification. A value of 'true' indicates that the agent generates ciscoLwappDot11ClientStaticIpFailTrap notification. A value of 'false' indicates that the agent doesn't generate ciscoLwappDot11ClientStaticIpFailTrap notification.")
cldcClientRSSI = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 1), Integer32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcClientRSSI.setStatus('current')
if mibBuilder.loadTexts: cldcClientRSSI.setDescription('This object specifies the average RSSI for the Mobile Station.')
cldcClientSNR = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 2), Integer32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcClientSNR.setStatus('current')
if mibBuilder.loadTexts: cldcClientSNR.setDescription('This object specifies the average SNR for the Mobile Station.')
cldcDOT11ClientReasonCode = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 40, 41, 42, 43, 44, 45, 46, 99, 101, 105, 106, 200, 201, 202, 203))).clone(namedValues=NamedValues(("unspecified", 1), ("previousAuthNotValid", 2), ("deauthenticationLeaving", 3), ("disassociationDueToInactivity", 4), ("disassociationAPBusy", 5), ("class2FrameFromNonAuthStation", 6), ("class2FrameFromNonAssStation", 7), ("disassociationStaHasLeft", 8), ("staReqAssociationWithoutAuth", 9), ("invalidInformationElement", 40), ("groupCipherInvalid", 41), ("unicastCipherInvalid", 42), ("akmpInvalid", 43), ("unsupportedRsnVersion", 44), ("invalidRsnIeCapabilities", 45), ("cipherSuiteRejected", 46), ("missingReasonCode", 99), ("maxAssociatedClientsReached", 101), ("maxAssociatedClientsReachedOnRadio", 105), ("maxAssociatedClientsReachedOnWlan", 106), ("unSpecifiedQosFailure", 200), ("qosPolicyMismatch", 201), ("inSufficientBandwidth", 202), ("inValidQosParams", 203)))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcDOT11ClientReasonCode.setStatus('current')
if mibBuilder.loadTexts: cldcDOT11ClientReasonCode.setDescription('unspecified - Unspecified. previousAuthNotValid - Previous Authentication was not valid. deauthenticationLeaving - Leaving due to deauthentication. disassociationDueToInactivity - Disassociation due to Inactivity. disassociationAPBusy - Disassociation since AP was busy. class2FrameFromNonAuthStation - Class 2 frame from non authenticated station. class2FrameFromNonAssStation - Class 2 frame from non associated station. disassociationStaHasLeft - Station has left due to disassociation. staReqAssociationWithoutAuth - Station send association request without authentication. invalidInformationElement - Invalid information element. groupCipherInvalid - Invalid group Cipher. unicastCipherInvalid - Invalid unicast cipher. akmpInvalid - Invalid AKMP. unsupportedRsnVersion - Unsupported RSN version. invalidRsnIeCapabilities - Invalid RSN IE capabilities. cipherSuiteRejected - Cipher suite rejected. missingReasonCode - Reason code is missing. maxAssociatedClientsReached - Maximum allowed. associated client number has reached. maxAssociatedClientsReachedOnRadio - Maximum allowed associated client number has reached on radio. maxAssociatedClientsReachedOnWlan - Maximum allowed associated client number has reached on wlan. unSpecifiedQosFailure - Unsupported QOS failure. qosPolicyMismatch - Mismatch on QOS policy. inSufficientBandwidth - Insufficient bandwidth. inValidQosParams - Invalid QOS parameters.')
cldcDOT11ClientTxDataPackets = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 4), Counter32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcDOT11ClientTxDataPackets.setStatus('current')
if mibBuilder.loadTexts: cldcDOT11ClientTxDataPackets.setDescription('This is the number of data packets sent by this mobile station')
cldcDOT11ClientTxDataBytes = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 5), Counter32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcDOT11ClientTxDataBytes.setStatus('current')
if mibBuilder.loadTexts: cldcDOT11ClientTxDataBytes.setDescription('This is the number of data bytes sent by this mobile station')
cldcDOT11ClientRxDataPackets = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 6), Counter32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcDOT11ClientRxDataPackets.setStatus('current')
if mibBuilder.loadTexts: cldcDOT11ClientRxDataPackets.setDescription('This is the number of data packets sent for this mobile station')
cldcDOT11ClientRxDataBytes = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 7), Counter32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcDOT11ClientRxDataBytes.setStatus('current')
if mibBuilder.loadTexts: cldcDOT11ClientRxDataBytes.setDescription('This is the number of data bytes sent for this mobile station')
cldcClientVlanId = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4096))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcClientVlanId.setStatus('current')
if mibBuilder.loadTexts: cldcClientVlanId.setDescription('Vlan ID of the Interface to which the client is associated.')
cldcClientPolicyType = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("dot1x", 1), ("wpa1", 2), ("wpa2", 3), ("wpa2vff", 4), ("notavailable", 5), ("unknown", 6), ("wapi", 7)))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcClientPolicyType.setStatus('current')
if mibBuilder.loadTexts: cldcClientPolicyType.setDescription('Mode of the AP to which the Mobile Station is associated.')
cldcClientEapType = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("eapTls", 1), ("ttls", 2), ("peap", 3), ("leap", 4), ("speke", 5), ("eapFast", 6), ("notavailable", 7), ("unknown", 8)))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcClientEapType.setStatus('current')
if mibBuilder.loadTexts: cldcClientEapType.setDescription('Mode of the AP to which the Mobile Station is associated.')
cldcClientAID = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 11), Unsigned32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcClientAID.setStatus('current')
if mibBuilder.loadTexts: cldcClientAID.setDescription('AID for the mobile station')
cldcClientAuthenticationAlgorithm = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 129))).clone(namedValues=NamedValues(("openSystem", 1), ("sharedKey", 2), ("unknown", 3), ("openAndEap", 129)))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcClientAuthenticationAlgorithm.setStatus('current')
if mibBuilder.loadTexts: cldcClientAuthenticationAlgorithm.setDescription('Authentication Algorithm of Mobile Station ')
cldcClientWepState = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcClientWepState.setStatus('current')
if mibBuilder.loadTexts: cldcClientWepState.setDescription('WEP State of Mobile Station')
cldcClientEncryptionCypher = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=NamedValues(("ccmpAes", 1), ("tkipMic", 2), ("wep40", 3), ("wep104", 4), ("wep128", 5), ("none", 6), ("notavailable", 7), ("unknown", 8), ("wapiSMS4", 9)))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcClientEncryptionCypher.setStatus('current')
if mibBuilder.loadTexts: cldcClientEncryptionCypher.setDescription('Mode of the AP to which the Mobile Station is associated.')
cldcClientPortNumber = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 15), Unsigned32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcClientPortNumber.setStatus('current')
if mibBuilder.loadTexts: cldcClientPortNumber.setDescription('The Port Number of this Airespace Switch on which the traffic of the Mobile Station is coming through.')
cldcClientAnchorAddressType = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 16), InetAddressType()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcClientAnchorAddressType.setStatus('current')
if mibBuilder.loadTexts: cldcClientAnchorAddressType.setDescription('This object indicates mobility Anchor address type.')
cldcClientAnchorAddress = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 17), InetAddress()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcClientAnchorAddress.setStatus('current')
if mibBuilder.loadTexts: cldcClientAnchorAddress.setDescription('If the Mobility Status of the Mobile Station is Anchor then it will have Peer Ip Address and will have Anchor IP if the Role is Foreign')
cldcClientEssIndex = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 18), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 517))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcClientEssIndex.setStatus('current')
if mibBuilder.loadTexts: cldcClientEssIndex.setDescription('Ess Index of the Wlan(SSID) that is being used by Mobile Station to connect to AP')
cldcClientCcxVersion = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("notSupported", 1), ("ccxv1", 2), ("ccxv2", 3), ("ccxv3", 4), ("ccxv4", 5), ("ccxv5", 6), ("ccxv6", 7))).clone('notSupported')).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcClientCcxVersion.setStatus('current')
if mibBuilder.loadTexts: cldcClientCcxVersion.setDescription('Represents the Cisco Compatible Extensions (CCX) Version the client is using for communication with the AP.')
cldcClientE2eVersion = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("notSupported", 1), ("e2ev1", 2), ("e2ev2", 3)))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcClientE2eVersion.setStatus('current')
if mibBuilder.loadTexts: cldcClientE2eVersion.setDescription('Represents the End-2-End Version the client is using for communication with the AP.')
cldcClientInterface = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 21), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcClientInterface.setStatus('current')
if mibBuilder.loadTexts: cldcClientInterface.setDescription('Name of the Interface of the mobile client to the switch.')
cldcClientMobilityStatus = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 22), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("unassociated", 1), ("local", 2), ("anchor", 3), ("foreign", 4), ("handoff", 5), ("unknown", 6), ("exportanchor", 7), ("exportforeign", 8)))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcClientMobilityStatus.setStatus('current')
if mibBuilder.loadTexts: cldcClientMobilityStatus.setDescription('Mobility Role of the Mobile Station.')
cldcClientStatusCode = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 23), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcClientStatusCode.setStatus('current')
if mibBuilder.loadTexts: cldcClientStatusCode.setDescription('Status Code of the Mobile Station')
cldcClientDeleteAction = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 24), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("default", 1), ("delete", 2)))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcClientDeleteAction.setStatus('current')
if mibBuilder.loadTexts: cldcClientDeleteAction.setDescription('Action to Deauthenticate the Mobile Station. Set the State to delete.')
cldcClientSecurityPolicyStatus = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 25), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("completed", 1), ("notcompleted", 2)))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcClientSecurityPolicyStatus.setStatus('current')
if mibBuilder.loadTexts: cldcClientSecurityPolicyStatus.setDescription('When this attribute has value completed, it shall indicate that the Mobile Station has completed the security policy checks. Otherwise the checks are yet to be completed.')
cldcClientTrapEventTime = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 26), TimeTicks()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcClientTrapEventTime.setStatus('current')
if mibBuilder.loadTexts: cldcClientTrapEventTime.setDescription('This object represents the inet address of the Client.')
cldcClientPolicyManagerState = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 27), SnmpAdminString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcClientPolicyManagerState.setStatus('current')
if mibBuilder.loadTexts: cldcClientPolicyManagerState.setDescription('This object represents the current policy enforcement manager state of the client in controller.')
cldcClientAssocTime = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 28), TimeStamp()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcClientAssocTime.setStatus('current')
if mibBuilder.loadTexts: cldcClientAssocTime.setDescription('This object indicates the value of client association time')
cldcClientPmipDataValid = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 29), TruthValue()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcClientPmipDataValid.setStatus('current')
if mibBuilder.loadTexts: cldcClientPmipDataValid.setDescription('This object represents whether client has valid PMIP data.')
cldcClientMobilityExtDataValid = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 30), TruthValue()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcClientMobilityExtDataValid.setStatus('current')
if mibBuilder.loadTexts: cldcClientMobilityExtDataValid.setDescription('This object represents new mobility status.')
cldcClientPolicyErrors = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 31), Counter64()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcClientPolicyErrors.setStatus('current')
if mibBuilder.loadTexts: cldcClientPolicyErrors.setDescription('Number of Policy Errors for Mobile Station')
cldcClientSessionId = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 32), SnmpAdminString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcClientSessionId.setStatus('current')
if mibBuilder.loadTexts: cldcClientSessionId.setDescription('This object indicates the session to which the client is associated.')
cldcClientPmipNai = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 33), SnmpAdminString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcClientPmipNai.setStatus('current')
if mibBuilder.loadTexts: cldcClientPmipNai.setDescription('This object indicates the name of the profile, the client is associated to.')
cldcClientPmipState = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 34), SnmpAdminString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcClientPmipState.setStatus('current')
if mibBuilder.loadTexts: cldcClientPmipState.setDescription("This object indicates the state of the PMIP client: null: binding doesn't exist init: binding created, Retx timer running for PBU, binding not yet accepted from LMA, Tunnel/route is not yet setup active: binding accepted by LMA, refresh timer running, Tunnel/route setup complete. refreshPending: Refresh timer expired and Retx timer running. PBU refresh sent, PBA not yet received from LMA, (Tunnel/route is already setup). disconnectingSt: Dereg reply is expected. Retx timer is running, tunnel/route is still setup.")
cldcClientPmipInterface = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 35), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcClientPmipInterface.setStatus('current')
if mibBuilder.loadTexts: cldcClientPmipInterface.setDescription('This object indicates the interface to which the client is associated.')
cldcClientPmipHomeAddrType = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 36), InetAddressType()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcClientPmipHomeAddrType.setStatus('current')
if mibBuilder.loadTexts: cldcClientPmipHomeAddrType.setDescription("This object indicates the type of the Client's Home address made available through cldcClientPmipHomeAddress.")
cldcClientPmipHomeAddr = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 37), InetAddress()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcClientPmipHomeAddr.setStatus('current')
if mibBuilder.loadTexts: cldcClientPmipHomeAddr.setDescription('This object indicates the Home Address of the client.')
cldcClientPmipAtt = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 38), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13))).clone(namedValues=NamedValues(("reserved", 1), ("logicalNetworkInterface", 2), ("pointToPointInterface", 3), ("ethernet", 4), ("wirelessLan", 5), ("wimax", 6), ("threeGPPGERAN", 7), ("threeGPPUTRAN", 8), ("threeGPPETRAN", 9), ("threeGPP2eHRPD", 10), ("threeGPP2HRPD", 11), ("threeGPP21xRTT", 12), ("threeGPP2UMB", 13)))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcClientPmipAtt.setStatus('current')
if mibBuilder.loadTexts: cldcClientPmipAtt.setDescription('This object indicates the access technology type by which the client is currently attached.')
cldcClientPmipLocalLinkId = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 39), MacAddress()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcClientPmipLocalLinkId.setStatus('current')
if mibBuilder.loadTexts: cldcClientPmipLocalLinkId.setDescription('This object indicates the local link identifier of the client.')
cldcClientPmipLmaName = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 40), SnmpAdminString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcClientPmipLmaName.setStatus('current')
if mibBuilder.loadTexts: cldcClientPmipLmaName.setDescription('This object indicates the LMA to which the client is connected.')
cldcClientPmipLifeTime = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 41), TimeTicks()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcClientPmipLifeTime.setStatus('current')
if mibBuilder.loadTexts: cldcClientPmipLifeTime.setDescription('This object indicates the duration of the PMIP client association.')
cldcClientPmipDomainName = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 42), SnmpAdminString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcClientPmipDomainName.setStatus('current')
if mibBuilder.loadTexts: cldcClientPmipDomainName.setDescription('This object indicates the domain to which the PMIP client is associated.')
cldcClientPmipUpKey = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 43), Unsigned32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcClientPmipUpKey.setStatus('current')
if mibBuilder.loadTexts: cldcClientPmipUpKey.setDescription('This object indicates the upstream key of the PMIP client.')
cldcClientPmipDownKey = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 44), Unsigned32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: cldcClientPmipDownKey.setStatus('current')
if mibBuilder.loadTexts: cldcClientPmipDownKey.setDescription('This object indicates the downstream key of the PMIP client.')
ciscoLwappDot11ClientKeyDecryptError = NotificationType((1, 3, 6, 1, 4, 1, 9, 9, 599, 0, 1)).setObjects(("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcAssociationMode"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientMacAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcApMacAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcIfType"), ("CISCO-LWAPP-AP-MIB", "cLApName"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientAuthMode"))
if mibBuilder.loadTexts: ciscoLwappDot11ClientKeyDecryptError.setStatus('current')
if mibBuilder.loadTexts: ciscoLwappDot11ClientKeyDecryptError.setDescription('This notification is generated when a decrypt error occurs. The WEP WPA or WPA2 Key configured at the station may be wrong. cldcAssociationMode represents the association mode for which the key decrypt error occurred. cldcApMacAddress represents the MacAddress of the AP to which the client is associated. cldcIfType represents the wireless interface type of the client. cLApName represents the name of the AP to which the client is associated.')
ciscoLwappDot11ClientAssocNacAlert = NotificationType((1, 3, 6, 1, 4, 1, 9, 9, 599, 0, 2)).setObjects(("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientMacAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientWlanProfileName"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientIPAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcApMacAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientQuarantineVLAN"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientAccessVLAN"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientAuthMode"))
if mibBuilder.loadTexts: ciscoLwappDot11ClientAssocNacAlert.setStatus('current')
if mibBuilder.loadTexts: ciscoLwappDot11ClientAssocNacAlert.setDescription("This notification is generated when the client on NAC enabled SSIDs complete layer2 authentication . This is to inform about client's presence to the NAC appliance. cldcClientWlanProfileName represents the profile name of the WLAN, this 802.11 wireless client is connected to. cldcClientIPAddress represents the unique ipaddress of the client. cldcApMacAddress represents the MacAddress of the AP to which the client is associated. cldcClientQuarantineVLAN represents the quarantine VLAN for the client. cldcClientAccessVLAN represents the access VLAN for the client.")
ciscoLwappDot11ClientDisassocNacAlert = NotificationType((1, 3, 6, 1, 4, 1, 9, 9, 599, 0, 3)).setObjects(("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientMacAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientWlanProfileName"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientIPAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcApMacAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientQuarantineVLAN"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientAccessVLAN"))
if mibBuilder.loadTexts: ciscoLwappDot11ClientDisassocNacAlert.setStatus('current')
if mibBuilder.loadTexts: ciscoLwappDot11ClientDisassocNacAlert.setDescription("This notification is generated when the controller removes the client entry on NAC enabled SSIDs. cldcClientWlanProfileName represents the profile name of the WLAN, this 802.11 wireless client is connected to. cldcClientIPAddress represents the unique ipaddress of the client. cldcApMacAddress represents the MacAddress of the AP to which the client is associated. cldcClientQuarantineVLAN represents the quarantine VLAN for the client. cldcClientAccessVLAN represents the access VLAN for the client. This is issued on NAC enabled ssids, whenever WLC removes client's entry.")
ciscoLwappDot11ClientMovedToRunState = NotificationType((1, 3, 6, 1, 4, 1, 9, 9, 599, 0, 4)).setObjects(("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientMacAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientIPAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientUsername"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientSSID"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcApMacAddress"), ("CISCO-LWAPP-AP-MIB", "cLApDot11IfSlotId"), ("CISCO-LWAPP-AP-MIB", "cLApName"))
if mibBuilder.loadTexts: ciscoLwappDot11ClientMovedToRunState.setStatus('current')
if mibBuilder.loadTexts: ciscoLwappDot11ClientMovedToRunState.setDescription('This notification is generated when the client completes the PEM state and moves to the RUN state. cldcClientUsername represents the username used by the client. cldcClientIPAddress represents the unique ipaddress of the client. cldcClientSSID represents the SSID of the WLAN to which the client is associated. cldcApMacAddress represents the MacAddress of the AP to which the client is associated. cLApDot11IfSlotId represents the slotId of the AP to which the client is associated. cLApName represents the name of the AP to which the client is associated.')
ciscoLwappDot11ClientStaticIpFailTrap = NotificationType((1, 3, 6, 1, 4, 1, 9, 9, 599, 0, 5)).setObjects(("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientMacAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientIPAddress"))
if mibBuilder.loadTexts: ciscoLwappDot11ClientStaticIpFailTrap.setStatus('current')
if mibBuilder.loadTexts: ciscoLwappDot11ClientStaticIpFailTrap.setDescription('This is issued whenever the subnet defined for the Static IP of a Client is not found.')
ciscoLwappDot11ClientDisassocDataStatsTrap = NotificationType((1, 3, 6, 1, 4, 1, 9, 9, 599, 0, 6)).setObjects(("CISCO-LWAPP-AP-MIB", "cLApName"), ("CISCO-LWAPP-AP-MIB", "cLApDot11IfSlotId"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientByIpAddressType"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientByIpAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcApMacAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientReasonCode"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientUsername"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientSSID"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientSessionID"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientTxDataPackets"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientTxDataBytes"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientRxDataPackets"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientRxDataBytes"))
if mibBuilder.loadTexts: ciscoLwappDot11ClientDisassocDataStatsTrap.setStatus('current')
if mibBuilder.loadTexts: ciscoLwappDot11ClientDisassocDataStatsTrap.setDescription('The disassociate notification shall be sent when the Station sends a Disassociation frame. The value of the notification shall include the MAC address of the MAC to which the Disassociation frame was sent and the reason for the disassociation')
ciscoLwappDot11ClientAssocDataStatsTrap = NotificationType((1, 3, 6, 1, 4, 1, 9, 9, 599, 0, 7)).setObjects(("CISCO-LWAPP-AP-MIB", "cLApDot11IfSlotId"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientByIpAddressType"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientByIpAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcApMacAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientUsername"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientApRoamMacAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientSSID"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientTxDataPackets"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientTxDataBytes"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientRxDataPackets"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientRxDataBytes"))
if mibBuilder.loadTexts: ciscoLwappDot11ClientAssocDataStatsTrap.setStatus('current')
if mibBuilder.loadTexts: ciscoLwappDot11ClientAssocDataStatsTrap.setDescription('The associate notification shall be sent when the Station sends a association frame.')
ciscoLwappDot11ClientSessionTrap = NotificationType((1, 3, 6, 1, 4, 1, 9, 9, 599, 0, 8)).setObjects(("CISCO-LWAPP-AP-MIB", "cLApDot11IfSlotId"), ("CISCO-LWAPP-AP-MIB", "cLApName"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientByIpAddressType"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientByIpAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientUsername"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientSSID"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientSessionID"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcApMacAddress"))
if mibBuilder.loadTexts: ciscoLwappDot11ClientSessionTrap.setStatus('current')
if mibBuilder.loadTexts: ciscoLwappDot11ClientSessionTrap.setDescription('Issued when the client completes the PEM state and moves to the RUN state.')
ciscoLwappDot11ClientAssocTrap = NotificationType((1, 3, 6, 1, 4, 1, 9, 9, 599, 0, 9)).setObjects(("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientTrapEventTime"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientMacAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientByIpAddressType"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientByIpAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientPolicyType"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientStatus"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientAID"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcApMacAddress"), ("CISCO-LWAPP-AP-MIB", "cLApDot11IfSlotId"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientSSID"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientAuthenticationAlgorithm"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientEncryptionCypher"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientPortNumber"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientAnchorAddressType"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientAnchorAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientEssIndex"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientWlanProfileName"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientWgbStatus"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientWgbMacAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientCcxVersion"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientE2eVersion"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientInterface"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClient80211uCapable"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientMobilityStatus"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientRSSI"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientSNR"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientSecurityPolicyStatus"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientLoginTime"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientAssocTime"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientCurrentTxRateSet"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientDataRateSet"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientHreapApAuth"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldccCcxFoundationServiceVersion"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldccCcxLocationServiceVersion"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldccCcxVoiceServiceVersion"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldccCcxManagementServiceVersion"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientDataSwitching"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientAuthentication"), ("CISCO-LWAPP-AP-MIB", "cLApDot11RadioChannelNumber"), ("CISCO-LWAPP-AP-MIB", "cLApIfLoadChannelUtilization"), ("CISCO-LWAPP-AP-MIB", "cLApLocation"), ("CISCO-LWAPP-AP-MIB", "cLAPGroupVlanName"), ("CISCO-LWAPP-AP-MIB", "cLApSubMode"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientIPAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientSessionId"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientVlanId"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientProtocol"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientEapType"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientPolicyErrors"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientDataRetries"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientRtsRetries"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientDataBytesSent"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientDataBytesReceived"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientDataPacketsSent"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientDataPacketsReceived"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientTxDataBytesDropped"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientRxDataBytesDropped"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientTxDataPacketsDropped"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientRxDataPacketsDropped"))
if mibBuilder.loadTexts: ciscoLwappDot11ClientAssocTrap.setStatus('current')
if mibBuilder.loadTexts: ciscoLwappDot11ClientAssocTrap.setDescription('The notification shall be sent when the Station associats to controller.')
ciscoLwappDot11ClientDeAuthenticatedTrap = NotificationType((1, 3, 6, 1, 4, 1, 9, 9, 599, 0, 10)).setObjects(("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientTrapEventTime"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientUpTime"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientMacAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientByIpAddressType"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientByIpAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientPostureState"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientProtocol"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientVlanId"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientPolicyType"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientEapType"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientStatus"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientAID"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcApMacAddress"), ("CISCO-LWAPP-AP-MIB", "cLApDot11IfSlotId"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientSSID"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientAuthenticationAlgorithm"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientWepState"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientEncryptionCypher"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientPortNumber"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientAnchorAddressType"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientAnchorAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientEssIndex"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientWlanProfileName"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientWgbStatus"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientWgbMacAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientCcxVersion"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientE2eVersion"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientInterface"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClient80211uCapable"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientMobilityStatus"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientRSSI"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientSNR"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientDataRetries"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientRtsRetries"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientUsername"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcDOT11ClientReasonCode"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientStatusCode"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientDeleteAction"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientSecurityPolicyStatus"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientNacState"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientLoginTime"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientAssocTime"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientCurrentTxRateSet"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientDataRateSet"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientHreapApAuth"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldccCcxFoundationServiceVersion"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldccCcxLocationServiceVersion"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldccCcxVoiceServiceVersion"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldccCcxManagementServiceVersion"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientDataSwitching"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientAuthentication"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientByIpAddressDiscoverType"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientByIpAddressLastSeen"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientPowerSaveMode"), ("CISCO-LWAPP-AP-MIB", "cLApDot11RadioChannelNumber"), ("CISCO-LWAPP-AP-MIB", "cLApIfLoadChannelUtilization"), ("CISCO-LWAPP-AP-MIB", "cLApLocation"), ("CISCO-LWAPP-AP-MIB", "cLAPGroupVlanName"), ("CISCO-LWAPP-AP-MIB", "cLApSubMode"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientIPAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientPolicyErrors"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientPolicyManagerState"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientDataBytesSent"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientDataBytesReceived"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientDataPacketsSent"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientDataPacketsReceived"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientTxDataBytesDropped"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientRxDataBytesDropped"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientTxDataPacketsDropped"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientRxDataPacketsDropped"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientSessionId"))
if mibBuilder.loadTexts: ciscoLwappDot11ClientDeAuthenticatedTrap.setStatus('current')
if mibBuilder.loadTexts: ciscoLwappDot11ClientDeAuthenticatedTrap.setDescription('The notification shall be sent when the Station gets de-authenticated.')
ciscoLwappDot11ClientMovedToRunStateNewTrap = NotificationType((1, 3, 6, 1, 4, 1, 9, 9, 599, 0, 11)).setObjects(("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientTrapEventTime"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientMacAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientByIpAddressType"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientByIpAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientPostureState"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientProtocol"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientVlanId"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientPolicyType"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientEapType"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientStatus"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientAID"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcApMacAddress"), ("CISCO-LWAPP-AP-MIB", "cLApDot11IfSlotId"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientWlanProfileName"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientAuthenticationAlgorithm"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientWepState"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientEncryptionCypher"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientPortNumber"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientAnchorAddressType"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientAnchorAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientEssIndex"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientWgbStatus"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientWgbMacAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientCcxVersion"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientE2eVersion"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClient80211uCapable"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientMobilityStatus"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientRSSI"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientSNR"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientDataRetries"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientRtsRetries"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientUsername"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientStatusCode"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientSecurityPolicyStatus"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientNacState"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientLoginTime"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientDataRateSet"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientHreapApAuth"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldccCcxFoundationServiceVersion"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldccCcxLocationServiceVersion"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldccCcxVoiceServiceVersion"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldccCcxManagementServiceVersion"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientDataSwitching"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientAuthentication"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientByIpAddressDiscoverType"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientByIpAddressLastSeen"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientPowerSaveMode"), ("CISCO-LWAPP-AP-MIB", "cLApDot11RadioChannelNumber"), ("CISCO-LWAPP-AP-MIB", "cLApIfLoadChannelUtilization"), ("CISCO-LWAPP-AP-MIB", "cLApSubMode"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientIPAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientPolicyManagerState"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientPmipNai"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientPmipState"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientPmipInterface"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientPmipHomeAddrType"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientPmipHomeAddr"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientPmipAtt"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientPmipLocalLinkId"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientPmipDomainName"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientPmipLmaName"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientPmipUpKey"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientPmipDownKey"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientPmipLifeTime"), ("CISCO-LWAPP-MOBILITY-EXT-MIB", "cLMobilityExtMCClientAnchorMCPrivateAddressType"), ("CISCO-LWAPP-MOBILITY-EXT-MIB", "cLMobilityExtMCClientAnchorMCPrivateAddress"), ("CISCO-LWAPP-MOBILITY-EXT-MIB", "cLMobilityExtMCClientAssociatedMAAddressType"), ("CISCO-LWAPP-MOBILITY-EXT-MIB", "cLMobilityExtMCClientAssociatedMAAddress"), ("CISCO-LWAPP-MOBILITY-EXT-MIB", "cLMobilityExtMCClientAssociatedMCAddressType"), ("CISCO-LWAPP-MOBILITY-EXT-MIB", "cLMobilityExtMCClientAssociatedMCAddress"), ("CISCO-LWAPP-MOBILITY-EXT-MIB", "cLMobilityExtMCClientAssociatedMCGroupId"), ("CISCO-LWAPP-MOBILITY-EXT-MIB", "cLMobilityExtMCClientAnchorMCGroupId"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientPmipDataValid"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientMobilityExtDataValid"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientSessionId"))
if mibBuilder.loadTexts: ciscoLwappDot11ClientMovedToRunStateNewTrap.setStatus('current')
if mibBuilder.loadTexts: ciscoLwappDot11ClientMovedToRunStateNewTrap.setDescription('The notification shall be sent when the Station moves to run or authenticated state.')
ciscoLwappDot11ClientMobilityTrap = NotificationType((1, 3, 6, 1, 4, 1, 9, 9, 599, 0, 12)).setObjects(("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientTrapEventTime"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientUpTime"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientMacAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientByIpAddressType"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientByIpAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientPostureState"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientProtocol"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientVlanId"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientPolicyType"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientEapType"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientStatus"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientAID"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcApMacAddress"), ("CISCO-LWAPP-AP-MIB", "cLApDot11IfSlotId"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientSSID"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientAuthenticationAlgorithm"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientWepState"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientEncryptionCypher"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientPortNumber"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientAnchorAddressType"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientAnchorAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientEssIndex"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientWlanProfileName"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientWgbStatus"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientWgbMacAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientCcxVersion"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientE2eVersion"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientInterface"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClient80211uCapable"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientMobilityStatus"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientRSSI"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientSNR"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientDataRetries"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientRtsRetries"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientUsername"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcDOT11ClientReasonCode"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientStatusCode"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientDeleteAction"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientSecurityPolicyStatus"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientNacState"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientLoginTime"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientAssocTime"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientCurrentTxRateSet"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientDataRateSet"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientHreapApAuth"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldccCcxFoundationServiceVersion"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldccCcxLocationServiceVersion"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldccCcxVoiceServiceVersion"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldccCcxManagementServiceVersion"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientDataSwitching"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientAuthentication"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientByIpAddressDiscoverType"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientByIpAddressLastSeen"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientPowerSaveMode"), ("CISCO-LWAPP-AP-MIB", "cLApDot11RadioChannelNumber"), ("CISCO-LWAPP-AP-MIB", "cLApIfLoadChannelUtilization"), ("CISCO-LWAPP-AP-MIB", "cLApLocation"), ("CISCO-LWAPP-AP-MIB", "cLAPGroupVlanName"), ("CISCO-LWAPP-AP-MIB", "cLApSubMode"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientIPAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientPolicyErrors"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientPolicyManagerState"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientDataBytesSent"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientDataBytesReceived"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientDataPacketsSent"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientDataPacketsReceived"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientTxDataBytesDropped"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientRxDataBytesDropped"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientTxDataPacketsDropped"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientRxDataPacketsDropped"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientSessionId"))
if mibBuilder.loadTexts: ciscoLwappDot11ClientMobilityTrap.setStatus('current')
if mibBuilder.loadTexts: ciscoLwappDot11ClientMobilityTrap.setDescription('The notification shall be sent when the Station gets roamed.')
ciscoLwappDot11ClientMIBCompliances = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 599, 2, 1))
ciscoLwappDot11ClientMIBGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 599, 2, 2))
ciscoLwappDot11ClientMIBCompliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 9, 9, 599, 2, 1, 1)).setObjects(("CISCO-LWAPP-DOT11-CLIENT-MIB", "ciscoLwappDot11ClientMIBConfigGroup"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "ciscoLwappDot11ClientMIBNotifsGroup"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "ciscoLwappDot11ClientMIBStatusGroup"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ciscoLwappDot11ClientMIBCompliance = ciscoLwappDot11ClientMIBCompliance.setStatus('deprecated')
if mibBuilder.loadTexts: ciscoLwappDot11ClientMIBCompliance.setDescription('The compliance statement for the SNMP entities that implement this MIB. ')
ciscoLwappDot11ClientMIBComplianceRev2 = ModuleCompliance((1, 3, 6, 1, 4, 1, 9, 9, 599, 2, 1, 2)).setObjects(("CISCO-LWAPP-DOT11-CLIENT-MIB", "ciscoLwappDot11ClientMIBConfigGroup"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "ciscoLwappDot11ClientMIBNotifsGroup"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "ciscoLwappDot11ClientMIBStatusGroup"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "ciscoLwappDot11ClientMIBStatusGroupRev2"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "ciscoLwappDot11ClientMIBNotifsGroupRev2"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "ciscoLwappDot11ClientMIBNotifControlGroup"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ciscoLwappDot11ClientMIBComplianceRev2 = ciscoLwappDot11ClientMIBComplianceRev2.setStatus('current')
if mibBuilder.loadTexts: ciscoLwappDot11ClientMIBComplianceRev2.setDescription('The compliance statement for the SNMP entities that implement this MIB.')
ciscoLwappDot11ClientMIBConfigGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 599, 2, 2, 1)).setObjects(("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcKeyDecryptErrorEnabled"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ciscoLwappDot11ClientMIBConfigGroup = ciscoLwappDot11ClientMIBConfigGroup.setStatus('current')
if mibBuilder.loadTexts: ciscoLwappDot11ClientMIBConfigGroup.setDescription('This collection of objects specifies the required configuration parameters for the 802.11 wireless clients.')
ciscoLwappDot11ClientMIBNotifsGroup = NotificationGroup((1, 3, 6, 1, 4, 1, 9, 9, 599, 2, 2, 2)).setObjects(("CISCO-LWAPP-DOT11-CLIENT-MIB", "ciscoLwappDot11ClientKeyDecryptError"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ciscoLwappDot11ClientMIBNotifsGroup = ciscoLwappDot11ClientMIBNotifsGroup.setStatus('current')
if mibBuilder.loadTexts: ciscoLwappDot11ClientMIBNotifsGroup.setDescription('This collection of objects specifies the notifications for the 802.11 wireless clients.')
ciscoLwappDot11ClientMIBStatusGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 599, 2, 2, 3)).setObjects(("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientStatus"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientWlanProfileName"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientWgbStatus"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientWgbMacAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientProtocol"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcAssociationMode"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcApMacAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcIfType"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientIPAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientNacState"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientQuarantineVLAN"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientAccessVLAN"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientAuthMode"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ciscoLwappDot11ClientMIBStatusGroup = ciscoLwappDot11ClientMIBStatusGroup.setStatus('current')
if mibBuilder.loadTexts: ciscoLwappDot11ClientMIBStatusGroup.setDescription('This collection of objects specifies the required status parameters for the 802.11 wireless clients.')
ciscoLwappDot11ClientMIBStatusGroupRev2 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 599, 2, 2, 4)).setObjects(("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientLoginTime"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientUpTime"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientPowerSaveMode"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientCurrentTxRateSet"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientDataRateSet"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientHreapApAuth"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClient80211uCapable"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientDataRetries"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientRtsRetries"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientDuplicatePackets"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientDecryptFailures"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientMicErrors"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientMicMissingFrames"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientIPAddress"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientNacState"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientQuarantineVLAN"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientAccessVLAN"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientPostureState"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientAclName"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientAclApplied"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientRedirectUrl"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientAaaOverrideAclName"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientAaaOverrideAclApplied"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientUsername"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcClientSSID"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ciscoLwappDot11ClientMIBStatusGroupRev2 = ciscoLwappDot11ClientMIBStatusGroupRev2.setStatus('current')
if mibBuilder.loadTexts: ciscoLwappDot11ClientMIBStatusGroupRev2.setDescription('This collection of objects specifies the required status parameters for the 802.11 wireless clients.')
ciscoLwappDot11ClientMIBNotifsGroupRev2 = NotificationGroup((1, 3, 6, 1, 4, 1, 9, 9, 599, 2, 2, 5)).setObjects(("CISCO-LWAPP-DOT11-CLIENT-MIB", "ciscoLwappDot11ClientAssocNacAlert"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "ciscoLwappDot11ClientDisassocNacAlert"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "ciscoLwappDot11ClientMovedToRunState"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ciscoLwappDot11ClientMIBNotifsGroupRev2 = ciscoLwappDot11ClientMIBNotifsGroupRev2.setStatus('current')
if mibBuilder.loadTexts: ciscoLwappDot11ClientMIBNotifsGroupRev2.setDescription('This collection of objects represents the notifications for the 802.11 wireless clients.')
ciscoLwappDot11ClientMIBNotifControlGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 599, 2, 2, 6)).setObjects(("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcAssocNacAlertEnabled"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcDisassocNacAlertEnabled"), ("CISCO-LWAPP-DOT11-CLIENT-MIB", "cldcMovedToRunStateEnabled"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ciscoLwappDot11ClientMIBNotifControlGroup = ciscoLwappDot11ClientMIBNotifControlGroup.setStatus('current')
if mibBuilder.loadTexts: ciscoLwappDot11ClientMIBNotifControlGroup.setDescription('This collection of objects represents the objects that control the notifications for the 802.11 wireless clients.')
mibBuilder.exportSymbols("CISCO-LWAPP-DOT11-CLIENT-MIB", cldcSleepingClientTable=cldcSleepingClientTable, cldcClientTrapEventTime=cldcClientTrapEventTime, cldcClientPmipDataValid=cldcClientPmipDataValid, cldcClientPolicyManagerState=cldcClientPolicyManagerState, cldcClientPmipAtt=cldcClientPmipAtt, cldcClientMobilityExtDataValid=cldcClientMobilityExtDataValid, cldcClientDataBytesSent=cldcClientDataBytesSent, cldcClientMdnsAdvCount=cldcClientMdnsAdvCount, cldcClientDecryptFailures=cldcClientDecryptFailures, cldcClientAuthentication=cldcClientAuthentication, ciscoLwappDot11ClientMovedToRunState=ciscoLwappDot11ClientMovedToRunState, cldcClientQuarantineVLAN=cldcClientQuarantineVLAN, cldccCcxVoiceServiceVersion=cldccCcxVoiceServiceVersion, cldcClientRtsRetries=cldcClientRtsRetries, cldcClientPmipDownKey=cldcClientPmipDownKey, cldcClientPmipNai=cldcClientPmipNai, cldcClientReasonCode=cldcClientReasonCode, cldcClientHreapApAuth=cldcClientHreapApAuth, cldcClientPostureState=cldcClientPostureState, cldcClientDataPacketsSent=cldcClientDataPacketsSent, cldcClientRxRealtimePacketsDropped=cldcClientRxRealtimePacketsDropped, cldcClientAnchorAddressType=cldcClientAnchorAddressType, cldcClientChannel=cldcClientChannel, cldcStatisticObjects=cldcStatisticObjects, cldcClientStatus=cldcClientStatus, cldcClientByIpAddressDiscoverType=cldcClientByIpAddressDiscoverType, cldcAssocNacAlertEnabled=cldcAssocNacAlertEnabled, cldcClientRealtimePacketsSent=cldcClientRealtimePacketsSent, cldcClientSecurityPolicyStatus=cldcClientSecurityPolicyStatus, cldcClientCurrentTxRateSet=cldcClientCurrentTxRateSet, ciscoLwappDot11ClientMIBNotifControlGroup=ciscoLwappDot11ClientMIBNotifControlGroup, cldcClientUpTime=cldcClientUpTime, cldcClientSessionID=cldcClientSessionID, cldcClientRxDataPackets=cldcClientRxDataPackets, ciscoLwappDot11ClientAssocDataStatsTrap=ciscoLwappDot11ClientAssocDataStatsTrap, cldcDOT11ClientRxDataPackets=cldcDOT11ClientRxDataPackets, ciscoLwappDot11ClientMIBComplianceRev2=ciscoLwappDot11ClientMIBComplianceRev2, cldcClientDataSwitching=cldcClientDataSwitching, cldcClientPolicyName=cldcClientPolicyName, ciscoLwappDot11ClientMIBGroups=ciscoLwappDot11ClientMIBGroups, ciscoLwappDot11ClientMIBObjects=ciscoLwappDot11ClientMIBObjects, cldcClientPolicyErrors=cldcClientPolicyErrors, cldcClientRealtimeBytesSent=cldcClientRealtimeBytesSent, cldcNotifObjects=cldcNotifObjects, cldcClientWgbMacAddress=cldcClientWgbMacAddress, cldcSleepingClientUserName=cldcSleepingClientUserName, cldcCcxObjects=cldcCcxObjects, cldcKeyDecryptErrorEnabled=cldcKeyDecryptErrorEnabled, cldcClientByIpAddressLastSeen=cldcClientByIpAddressLastSeen, ciscoLwappDot11ClientStaticIpFailTrap=ciscoLwappDot11ClientStaticIpFailTrap, cldcClientAaaOverrideAclName=cldcClientAaaOverrideAclName, ciscoLwappDot11ClientMIBConform=ciscoLwappDot11ClientMIBConform, ciscoLwappDot11ClientStaticIpFailTrapEnabled=ciscoLwappDot11ClientStaticIpFailTrapEnabled, cldcClientCcxVersion=cldcClientCcxVersion, cldcClientRaPacketsDropped=cldcClientRaPacketsDropped, ciscoLwappDot11ClientMIBNotifsGroupRev2=ciscoLwappDot11ClientMIBNotifsGroupRev2, ciscoLwappDot11ClientMIBCompliance=ciscoLwappDot11ClientMIBCompliance, cldcDOT11ClientTxDataBytes=cldcDOT11ClientTxDataBytes, cldccCcxManagementServiceVersion=cldccCcxManagementServiceVersion, ciscoLwappDot11ClientMIBConfigGroup=ciscoLwappDot11ClientMIBConfigGroup, cldcClientIpv6AclApplied=cldcClientIpv6AclApplied, cldcClientByIpEntry=cldcClientByIpEntry, cldcClientEntry=cldcClientEntry, cldccCcxFoundationServiceVersion=cldccCcxFoundationServiceVersion, cldcClientSNR=cldcClientSNR, cldcClientDataPacketsReceived=cldcClientDataPacketsReceived, cldcClientAID=cldcClientAID, cldcClientPortNumber=cldcClientPortNumber, cldcClientPolicyType=cldcClientPolicyType, cldcClientPmipHomeAddrType=cldcClientPmipHomeAddrType, cldcClientTxDataBytesDropped=cldcClientTxDataBytesDropped, cldccCcxVersionInfoTable=cldccCcxVersionInfoTable, cldcClientMdnsProfile=cldcClientMdnsProfile, cldcSleepingClientSsid=cldcSleepingClientSsid, cldcClientWlanProfileName=cldcClientWlanProfileName, cldcConfigObjects=cldcConfigObjects, cldcClientPowerSaveMode=cldcClientPowerSaveMode, cldcClientDataRetries=cldcClientDataRetries, cldcClientMacAddress=cldcClientMacAddress, cldcClientIPAddress=cldcClientIPAddress, cldcClientStatisticEntry=cldcClientStatisticEntry, cldcClientByIpAddress=cldcClientByIpAddress, ciscoLwappDot11ClientCcxMIBObjects=ciscoLwappDot11ClientCcxMIBObjects, ciscoLwappDot11ClientMIBStatusGroupRev2=ciscoLwappDot11ClientMIBStatusGroupRev2, cldcClientDuplicatePackets=cldcClientDuplicatePackets, cldcClientRxDataPacketsDropped=cldcClientRxDataPacketsDropped, cldcAssociationMode=cldcAssociationMode, cldcClientEssIndex=cldcClientEssIndex, ciscoLwappDot11ClientMovedToRunStateNewTrap=ciscoLwappDot11ClientMovedToRunStateNewTrap, cldcClientRealtimeBytesReceived=cldcClientRealtimeBytesReceived, cldcClientStatisticTable=cldcClientStatisticTable, ciscoLwappDot11ClientMIBStatusGroup=ciscoLwappDot11ClientMIBStatusGroup, cldcClientPmipHomeAddr=cldcClientPmipHomeAddr, cldcClientTxRealtimePacketsDropped=cldcClientTxRealtimePacketsDropped, cldcClientTxRealtimeBytesDropped=cldcClientTxRealtimeBytesDropped, cldcClientEncryptionCypher=cldcClientEncryptionCypher, cldcClientTypeKTS=cldcClientTypeKTS, cldcClientLoginTime=cldcClientLoginTime, cldcClientInterface=cldcClientInterface, cldcMovedToRunStateEnabled=cldcMovedToRunStateEnabled, cldcClientApRoamMacAddress=cldcClientApRoamMacAddress, cldcClientVlanId=cldcClientVlanId, cldcClientWepState=cldcClientWepState, cldcDOT11ClientReasonCode=cldcDOT11ClientReasonCode, cldcClientEapType=cldcClientEapType, cldcClientRedirectUrl=cldcClientRedirectUrl, ciscoLwappDot11ClientAssocTrap=ciscoLwappDot11ClientAssocTrap, cldcClientAuthMode=cldcClientAuthMode, cldcClientPmipLmaName=cldcClientPmipLmaName, cldcClientSSID=cldcClientSSID, cldcClient80211uCapable=cldcClient80211uCapable, cldcClientPmipUpKey=cldcClientPmipUpKey, cldcSleepingClientEntry=cldcSleepingClientEntry, cldcClientMicMissingFrames=cldcClientMicMissingFrames, cldcClientDeleteAction=cldcClientDeleteAction, cldcStatusObjects=cldcStatusObjects, cldcClientWgbStatus=cldcClientWgbStatus, cldcClientAclName=cldcClientAclName, cldcClientDeviceType=cldcClientDeviceType, cldcSleepingClientRowStatus=cldcSleepingClientRowStatus, cldcSleepingClientRemainingTime=cldcSleepingClientRemainingTime, cldcClientAnchorAddress=cldcClientAnchorAddress, ciscoLwappDot11ClientAssocNacAlert=ciscoLwappDot11ClientAssocNacAlert, ciscoLwappDot11ClientDisassocNacAlert=ciscoLwappDot11ClientDisassocNacAlert, cldcClientStatusCode=cldcClientStatusCode, ciscoLwappDot11ClientMIB=ciscoLwappDot11ClientMIB, cldcClientInterimUpdatesCount=cldcClientInterimUpdatesCount, cldcClientRxRealtimeBytesDropped=cldcClientRxRealtimeBytesDropped, cldcClientTxDataPacketsDropped=cldcClientTxDataPacketsDropped, cldcClientE2eVersion=cldcClientE2eVersion, cldccCcxLocationServiceVersion=cldccCcxLocationServiceVersion, ciscoLwappDot11ClientDeAuthenticatedTrap=ciscoLwappDot11ClientDeAuthenticatedTrap, cldcDisassocNacAlertEnabled=cldcDisassocNacAlertEnabled, cldcClientRealtimePacketsReceived=cldcClientRealtimePacketsReceived, cldcClientDataRateSet=cldcClientDataRateSet, cldcClientAaaOverrideAclApplied=cldcClientAaaOverrideAclApplied, cldcClientMicErrors=cldcClientMicErrors, cldcClientAAARole=cldcClientAAARole, cldccCcxVersionInfoEntry=cldccCcxVersionInfoEntry, cldcApMacAddress=cldcApMacAddress, cldcClientRSSI=cldcClientRSSI, ciscoLwappDot11ClientMIBNotifsGroup=ciscoLwappDot11ClientMIBNotifsGroup, PYSNMP_MODULE_ID=ciscoLwappDot11ClientMIB, cldcClientPmipLocalLinkId=cldcClientPmipLocalLinkId, ciscoLwappDot11ClientSessionTrap=ciscoLwappDot11ClientSessionTrap, ciscoLwappDot11ClientMobilityTrap=ciscoLwappDot11ClientMobilityTrap, cldcClientAuthenticationAlgorithm=cldcClientAuthenticationAlgorithm, cldcClientProtocol=cldcClientProtocol, cldcSleepingClientMacAddress=cldcSleepingClientMacAddress, ciscoLwappDot11ClientMIBCompliances=ciscoLwappDot11ClientMIBCompliances, cldcClientIpv6AclName=cldcClientIpv6AclName, cldcClientAclApplied=cldcClientAclApplied, cldcClientRxDataBytes=cldcClientRxDataBytes, ciscoLwappDot11ClientKeyDecryptError=ciscoLwappDot11ClientKeyDecryptError, cldcClientNacState=cldcClientNacState, cldcClientAccessVLAN=cldcClientAccessVLAN, cldcClientTxDataBytes=cldcClientTxDataBytes, cldcClientPmipInterface=cldcClientPmipInterface, cldcClientTable=cldcClientTable, cldcClientByIpTable=cldcClientByIpTable, cldcClientPmipLifeTime=cldcClientPmipLifeTime, cldcClientRxDataBytesDropped=cldcClientRxDataBytesDropped, cldcClientSessionId=cldcClientSessionId, cldcClientUsername=cldcClientUsername, cldcClientByIpAddressType=cldcClientByIpAddressType, cldcClientDataBytesReceived=cldcClientDataBytesReceived, ciscoLwappDot11ClientMIBNotifs=ciscoLwappDot11ClientMIBNotifs, cldcClientTxDataPackets=cldcClientTxDataPackets, ciscoLwappDot11ClientDisassocDataStatsTrap=ciscoLwappDot11ClientDisassocDataStatsTrap, cldcUserAuthType=cldcUserAuthType, cldcIfType=cldcIfType, cldcClientSecurityTagId=cldcClientSecurityTagId, cldcDOT11ClientTxDataPackets=cldcDOT11ClientTxDataPackets, cldcDOT11ClientRxDataBytes=cldcDOT11ClientRxDataBytes, cldcClientAssocTime=cldcClientAssocTime, cldcClientPmipDomainName=cldcClientPmipDomainName, cldcClientMobilityStatus=cldcClientMobilityStatus, cldcClientPmipState=cldcClientPmipState)
| (integer, object_identifier, octet_string) = mibBuilder.importSymbols('ASN1', 'Integer', 'ObjectIdentifier', 'OctetString')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(constraints_union, value_range_constraint, value_size_constraint, constraints_intersection, single_value_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsUnion', 'ValueRangeConstraint', 'ValueSizeConstraint', 'ConstraintsIntersection', 'SingleValueConstraint')
(c_l_ap_location, c_l_ap_if_load_channel_utilization, c_l_ap_name, c_lap_group_vlan_name, c_l_ap_dot11_if_slot_id, c_l_ap_dot11_radio_channel_number, c_l_ap_sub_mode) = mibBuilder.importSymbols('CISCO-LWAPP-AP-MIB', 'cLApLocation', 'cLApIfLoadChannelUtilization', 'cLApName', 'cLAPGroupVlanName', 'cLApDot11IfSlotId', 'cLApDot11RadioChannelNumber', 'cLApSubMode')
(c_l_mobility_ext_mc_client_anchor_mc_private_address_type, c_l_mobility_ext_mc_client_associated_ma_address, c_l_mobility_ext_mc_client_associated_mc_group_id, c_l_mobility_ext_mc_client_anchor_mc_group_id, c_l_mobility_ext_mc_client_associated_ma_address_type, c_l_mobility_ext_mc_client_associated_mc_address, c_l_mobility_ext_mc_client_associated_mc_address_type, c_l_mobility_ext_mc_client_anchor_mc_private_address) = mibBuilder.importSymbols('CISCO-LWAPP-MOBILITY-EXT-MIB', 'cLMobilityExtMCClientAnchorMCPrivateAddressType', 'cLMobilityExtMCClientAssociatedMAAddress', 'cLMobilityExtMCClientAssociatedMCGroupId', 'cLMobilityExtMCClientAnchorMCGroupId', 'cLMobilityExtMCClientAssociatedMAAddressType', 'cLMobilityExtMCClientAssociatedMCAddress', 'cLMobilityExtMCClientAssociatedMCAddressType', 'cLMobilityExtMCClientAnchorMCPrivateAddress')
(cl_ap_if_type, cl_client_power_save_mode, ccx_service_version, cl_dot11_client_status) = mibBuilder.importSymbols('CISCO-LWAPP-TC-MIB', 'CLApIfType', 'CLClientPowerSaveMode', 'CcxServiceVersion', 'CLDot11ClientStatus')
(cisco_mgmt,) = mibBuilder.importSymbols('CISCO-SMI', 'ciscoMgmt')
(cisco_url_string_or_empty,) = mibBuilder.importSymbols('CISCO-TC', 'CiscoURLStringOrEmpty')
(inet_address_type, inet_address) = mibBuilder.importSymbols('INET-ADDRESS-MIB', 'InetAddressType', 'InetAddress')
(vlan_id,) = mibBuilder.importSymbols('Q-BRIDGE-MIB', 'VlanId')
(snmp_admin_string,) = mibBuilder.importSymbols('SNMP-FRAMEWORK-MIB', 'SnmpAdminString')
(object_group, module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ObjectGroup', 'ModuleCompliance', 'NotificationGroup')
(iso, mib_identifier, notification_type, object_identity, unsigned32, time_ticks, integer32, bits, counter32, gauge32, counter64, ip_address, module_identity, mib_scalar, mib_table, mib_table_row, mib_table_column) = mibBuilder.importSymbols('SNMPv2-SMI', 'iso', 'MibIdentifier', 'NotificationType', 'ObjectIdentity', 'Unsigned32', 'TimeTicks', 'Integer32', 'Bits', 'Counter32', 'Gauge32', 'Counter64', 'IpAddress', 'ModuleIdentity', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn')
(display_string, mac_address, time_interval, truth_value, textual_convention, row_status, time_stamp) = mibBuilder.importSymbols('SNMPv2-TC', 'DisplayString', 'MacAddress', 'TimeInterval', 'TruthValue', 'TextualConvention', 'RowStatus', 'TimeStamp')
cisco_lwapp_dot11_client_mib = module_identity((1, 3, 6, 1, 4, 1, 9, 9, 599))
ciscoLwappDot11ClientMIB.setRevisions(('2011-04-29 00:00', '2006-11-21 00:00'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
if mibBuilder.loadTexts:
ciscoLwappDot11ClientMIB.setRevisionsDescriptions(('Added ciscoLwappDot11ClientMIBStatusGroupRev2, ciscoLwappDot11ClientMIBNotifsGroupRev2, and ciscoLwappDot11ClientMIBNotifControlGroup. Deprecated ciscoLwappDot11ClientMIBCompliance and added ciscoLwappDot11ClientMIBComplianceRev2', 'Initial version of this MIB module. '))
if mibBuilder.loadTexts:
ciscoLwappDot11ClientMIB.setLastUpdated('201104290000Z')
if mibBuilder.loadTexts:
ciscoLwappDot11ClientMIB.setOrganization('Cisco Systems Inc.')
if mibBuilder.loadTexts:
ciscoLwappDot11ClientMIB.setContactInfo(' Cisco Systems, Customer Service Postal: 170 West Tasman Drive San Jose, CA 95134 USA Tel: +1 800 553-NETS Email: cs-wnbu-snmp@cisco.com')
if mibBuilder.loadTexts:
ciscoLwappDot11ClientMIB.setDescription('This MIB is intended to be implemented on all those devices operating as Central controllers, that terminate the Light Weight Access Point Protocol tunnel from Cisco Light-weight LWAPP Access Points. Information provided by this MIB is about the configuration and monitoring of 802.11 wireless clients in the network. The relationship between CC and the LWAPP APs can be depicted as follows: +......+ +......+ +......+ +......+ + + + + + + + + + CC + + CC + + CC + + CC + + + + + + + + + +......+ +......+ +......+ +......+ .. . . . .. . . . . . . . . . . . . . . . . . . . . . . . +......+ +......+ +......+ +......+ +......+ + + + + + + + + + + + AP + + AP + + AP + + AP + + AP + + + + + + + + + + + +......+ +......+ +......+ +......+ +......+ . . . . . . . . . . . . . . . . . . . . . . . . +......+ +......+ +......+ +......+ +......+ + + + + + + + + + + + MN + + MN + + MN + + MN + + MN + + + + + + + + + + + +......+ +......+ +......+ +......+ +......+ The LWAPP tunnel exists between the controller and the APs. The MNs communicate with the APs through the protocol defined by the 802.11 standard. LWAPP APs, upon bootup, discover and join one of the controllers and the controller pushes the configuration, that includes the WLAN parameters, to the LWAPP APs. The APs then encapsulate all the 802.11 frames from wireless clients inside LWAPP frames and forward the LWAPP frames to the controller. GLOSSARY Access Point ( AP ) An entity that contains an 802.11 medium access control ( MAC ) and physical layer ( PHY ) interface and provides access to the distribution services via the wireless medium for associated clients. LWAPP APs encapsulate all the 802.11 frames in LWAPP frames and sends them to the controller to which it is logically connected. Basic Service Set ( BSS ) Coverage area of one access point is called a BSS. An access point (AP) acts as a master to control the clients within that BSS. Clear To Send (CTS) Refer to the description of RTS. Light Weight Access Point Protocol ( LWAPP ) This is a generic protocol that defines the communication between the Access Points and the Central Controller. MAC Service Data Units ( MSDU ) The MSDU is that unit of data received from the logical link control ( LLC ) sub-layer which lies above the medium access control ( MAC ) sub-layer in a protocol stack. Message Integrity Code ( MIC ) A value generated by a symmetric key cryptographic function. If the input data are changed, a new value cannot be correctly computed without knowledge of the symmetric key. Thus, the secret key protects the input data from undetectable alteration. Mobile Node ( MN ) A roaming 802.11 wireless device in a wireless network associated with an access point. Mobile Node, Mobile Station(Ms) and client are used interchangeably. Request To Send ( RTS ) A client wishing to send data initiates the process by sending a Request To Send (RTS) frame. The destination client replies with a Clear To Send (CTS) frame. Wireless local-area network ( WLAN ) A local-area network that uses high-frequency radio waves rather than wires to communicate between nodes. Service Set Identifier (SSID) A service set identifier is a name that identifies a particular 802.11 wireless LAN. A client device receives broadcast messages from all access points within range advertising their SSIDs. The client device can then either manually or automatically based on configuration select the network with which to associate. The SSID can be up to 32 characters long. Hybrid Remote Edge Access Point (HREAP) HREAP is a wireless solution for branch office and remote office deployments. It enables customers to configure and control access points in a branch or remote office from the corporate office through a wide area network (WAN) link without deploying a controller in each office. Workgroup Bridge ( WGB ) A WGB can provide a wireless infrastructure connection for a Ethernet-enabled devices. Devices that do not have a wireless client adapter in order to connect to the wireless network can be connected to a WGB through Ethernet port. KTS (Key Telephone System) Key Telephone System is an alternative to a private branch exchange (PBX) phone system. A KTS is equipped with several buttons that allow a caller to directly select outgoing lines or incoming calls, and use intercom and conference facilities. REFERENCE [1] Wireless LAN Medium Access Control ( MAC ) and Physical Layer ( PHY ) Specifications [2] Draft-obara-capwap-lwapp-00.txt, IETF Light Weight Access Point Protocol ')
cisco_lwapp_dot11_client_mib_notifs = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 599, 0))
cisco_lwapp_dot11_client_mib_objects = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 599, 1))
cisco_lwapp_dot11_client_mib_conform = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 599, 2))
cisco_lwapp_dot11_client_ccx_mib_objects = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 599, 3))
cldc_config_objects = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 1))
cldc_notif_objects = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2))
cldc_status_objects = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3))
cldc_statistic_objects = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4))
cldc_ccx_objects = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 599, 3, 1))
cldc_client_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1))
if mibBuilder.loadTexts:
cldcClientTable.setStatus('current')
if mibBuilder.loadTexts:
cldcClientTable.setDescription("This table represents the 802.11 wireless clients that are associated with the APs that have joined this controller. An entry is created automatically by the controller when the client gets associated to the AP. An existing entry gets deleted when the association gets dropped. Each client added to this table is uniquely identified by the client's MAC address.")
cldc_client_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1)).setIndexNames((0, 'CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientMacAddress'))
if mibBuilder.loadTexts:
cldcClientEntry.setStatus('current')
if mibBuilder.loadTexts:
cldcClientEntry.setDescription("Each entry represents a conceptual row in this table and provides the information about the clients associated to the APs that have joined the controller. An entry is identified the client's MAC address.")
cldc_client_mac_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 1), mac_address())
if mibBuilder.loadTexts:
cldcClientMacAddress.setStatus('current')
if mibBuilder.loadTexts:
cldcClientMacAddress.setDescription('This object specifies the MAC address of the client for this entry and uniquely identifies this entry. ')
cldc_client_status = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 2), cl_dot11_client_status()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientStatus.setStatus('current')
if mibBuilder.loadTexts:
cldcClientStatus.setDescription('The object that represents the current status of the client.')
cldc_client_wlan_profile_name = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 3), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientWlanProfileName.setStatus('current')
if mibBuilder.loadTexts:
cldcClientWlanProfileName.setDescription('This object specifies the WLAN Profile name this 802.11 wireless client is connected to.')
cldc_client_wgb_status = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('regClient', 1), ('wgbClient', 2), ('wgb', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientWgbStatus.setStatus('current')
if mibBuilder.loadTexts:
cldcClientWgbStatus.setDescription("The object that represents the work group bridging status of a DOT11 client. 'regClient' - The client is a wireless client 'wgbClient' - The client is connected via a WGB 'wgb' - The client is the WGB itself.")
cldc_client_wgb_mac_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 5), mac_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientWgbMacAddress.setStatus('current')
if mibBuilder.loadTexts:
cldcClientWgbMacAddress.setDescription('This object specifies the MAC address of the WGB this 802.11 wireless client to which it is connected. This returns a non-zero value when the cldcClientWgbStatus is wgbClient.')
cldc_client_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=named_values(('dot11a', 1), ('dot11b', 2), ('dot11g', 3), ('unknown', 4), ('mobile', 5), ('dot11n24', 6), ('dot11n5', 7), ('ethernet', 8), ('dot3', 9), ('dot11ac5', 10)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientProtocol.setStatus('current')
if mibBuilder.loadTexts:
cldcClientProtocol.setDescription("The 802.11 protocol type of the client. 'dot11a' - The client is using 802.11a standard to connect to the access point (AP) 'dot11b' - The client is using 802.11b standard to connect to the access point (AP) 'dot11g' - The client is using 802.11g standard to connect to the access point (AP) 'unknown' - The client protocol is unknown 'mobile' - The client using mobile wireless to connect to the access point (AP). 'dot11n24' - The client is using 802.11n standard with 2.4 GHz frequency to connect to the access point (AP) 'dot11n5' - The client is using 802.11n standard with 5 GHz frequency to connect to the access point (AP). 'ethernet' - The client is using ethernet standard to connect to the access point (AP). 'dot3' - The client is using dot3 standard to connect to the access point (AP). 'dot11ac5' - The client is using 802.11ac standard with 5 GHz frequency to connect to the access point (AP).")
cldc_association_mode = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('unknown', 1), ('wep', 2), ('wpa', 3), ('wpa2', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcAssociationMode.setStatus('current')
if mibBuilder.loadTexts:
cldcAssociationMode.setDescription('The association mode for which the key decrypt error occurred.')
cldc_ap_mac_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 8), mac_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcApMacAddress.setStatus('current')
if mibBuilder.loadTexts:
cldcApMacAddress.setDescription('This object specifies the radio MAC address of a LWAPP AP. ')
cldc_if_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 9), cl_ap_if_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcIfType.setStatus('current')
if mibBuilder.loadTexts:
cldcIfType.setDescription('This object specifies the wireless interface type.')
cldc_client_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 10), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientIPAddress.setStatus('current')
if mibBuilder.loadTexts:
cldcClientIPAddress.setDescription(" This object specified client's IP address. ")
cldc_client_nac_state = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('quarantine', 1), ('access', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cldcClientNacState.setStatus('current')
if mibBuilder.loadTexts:
cldcClientNacState.setDescription("This object specifies the client's network admission control state. 'quarantine' - The client goes through posture analysis and the client traffic is sent by controller in quarantine vlan. 'access' - The client traffic is sent by controller in access vlan. The client should have completed posture analysis. Posture Analysis is a state change where the client applies the configured policies to validate access to the network.")
cldc_client_quarantine_vlan = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 12), vlan_id()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientQuarantineVLAN.setStatus('current')
if mibBuilder.loadTexts:
cldcClientQuarantineVLAN.setDescription('This object indicates the quarantine VLAN for client. The quarantine VLAN only allows limited access to the network.')
cldc_client_access_vlan = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 13), vlan_id()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientAccessVLAN.setStatus('current')
if mibBuilder.loadTexts:
cldcClientAccessVLAN.setDescription('This object indicates the access VLAN for client. The access VLAN allows unlimited access to the network.')
cldc_client_login_time = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 14), time_stamp()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientLoginTime.setStatus('current')
if mibBuilder.loadTexts:
cldcClientLoginTime.setDescription('This object indicates the value of sysUpTime when the client logged in.')
cldc_client_up_time = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 15), time_interval()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientUpTime.setStatus('current')
if mibBuilder.loadTexts:
cldcClientUpTime.setDescription('This object indicates the duration for which the client has been associated with this device.')
cldc_client_power_save_mode = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 16), cl_client_power_save_mode()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientPowerSaveMode.setStatus('current')
if mibBuilder.loadTexts:
cldcClientPowerSaveMode.setDescription('This object indicates the power management mode of the client.')
cldc_client_current_tx_rate_set = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 17), octet_string().subtype(subtypeSpec=value_size_constraint(2, 2)).setFixedLength(2)).setUnits('Mbit/s').setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientCurrentTxRateSet.setReference('RFC 5416')
if mibBuilder.loadTexts:
cldcClientCurrentTxRateSet.setStatus('current')
if mibBuilder.loadTexts:
cldcClientCurrentTxRateSet.setDescription('This object indicates the current data rate at which the client transmits and receives data. The data rate field is a 16-bit unsigned value expressing the data rate of the packets received by the client.')
cldc_client_data_rate_set = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 18), octet_string().subtype(subtypeSpec=value_size_constraint(1, 126))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientDataRateSet.setReference('RFC 5416')
if mibBuilder.loadTexts:
cldcClientDataRateSet.setStatus('current')
if mibBuilder.loadTexts:
cldcClientDataRateSet.setDescription('This object indicates the set of data rates at which the client may transmit data. Each client can support up to 126 rates. Each octet contains an integer value representing one of these 126 rates ranging from 1 Mb/s to 63.5 Mb/s. One of the supported rates will be chosen by the access point for trasnmission with the client.')
cldc_client_hreap_ap_auth = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 19), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('true', 1), ('false', 2), ('notApplicable', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientHreapApAuth.setStatus('current')
if mibBuilder.loadTexts:
cldcClientHreapApAuth.setDescription("This object indicates whether the client is locally authenticated or authenticated by the controller. Local authentication is done only if the Access Point connected to the client is of hreap mode. A value of 'true' indicates that the client is locally authenticated. A value of 'false' indicates that the client is authenticated by the controller. A value of 'notApplicable' indicates that client is not connected to a HREAP.")
cldc_client80211u_capable = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 20), truth_value()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClient80211uCapable.setReference('IEEE 802.11u')
if mibBuilder.loadTexts:
cldcClient80211uCapable.setStatus('current')
if mibBuilder.loadTexts:
cldcClient80211uCapable.setDescription("This object indicates whether the client supports 802.11u feature. The 802.11u standard allows devices such as laptop computers or cellular phones to join a wireless LAN widely used in the home, office and some commercial establishments. A value of 'true' indicates that the client supports the 802.11u feature. A value of 'false' indicates that the client does not support the 802.11u feature.")
cldc_client_posture_state = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 21), truth_value()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientPostureState.setStatus('current')
if mibBuilder.loadTexts:
cldcClientPostureState.setDescription("This object indicates the Posture state of the client. Posture Analysis is a state change where the client applies the configured policies to validate access to the network. A value of 'true' indicates that the client supports the Posture feature. A value of 'false' indicates that the client does not support the Posture feature.")
cldc_client_acl_name = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 22), snmp_admin_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientAclName.setStatus('current')
if mibBuilder.loadTexts:
cldcClientAclName.setDescription('This object indicates the ACL Name for the client.')
cldc_client_acl_applied = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 23), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('true', 1), ('false', 2), ('notAvailable', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientAclApplied.setStatus('current')
if mibBuilder.loadTexts:
cldcClientAclApplied.setDescription("This object indicates the ACL applied status for the client. A value of 'true' indicates that the ACL is applied. A value of 'false' indicates that the ACL is not applied. A value of 'notAvailable' indicates that applied status is not available")
cldc_client_redirect_url = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 24), cisco_url_string_or_empty()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientRedirectUrl.setStatus('current')
if mibBuilder.loadTexts:
cldcClientRedirectUrl.setDescription('This object indicates the AAA override redirect URL for a client with cldcClientPostureState enabled. The object has a valid value when the WLAN, with which the client has associated requires Conditional or Splash-Page Web Redirection. This object is otherwise not applicable, and contains a zero-length string.')
cldc_client_aaa_override_acl_name = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 25), snmp_admin_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientAaaOverrideAclName.setStatus('current')
if mibBuilder.loadTexts:
cldcClientAaaOverrideAclName.setDescription('This object indicates the AAA Override ACL Name for the client if cldcClientPostureState is enabled on the wlan.')
cldc_client_aaa_override_acl_applied = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 26), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('true', 1), ('false', 2), ('notAvailable', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientAaaOverrideAclApplied.setStatus('current')
if mibBuilder.loadTexts:
cldcClientAaaOverrideAclApplied.setDescription("This object indicates the AAA Override ACL applied status for the client if cldcClientPostureState is enabled on the wlan. A value of 'true' indicates that the ACL is applied. A value of 'false' indicates that the ACL is not applied. A value of 'notAvailable' indicates that applied status is not available")
cldc_client_username = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 27), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientUsername.setStatus('current')
if mibBuilder.loadTexts:
cldcClientUsername.setDescription('This object represents the username used by the client.')
cldc_client_ssid = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 28), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientSSID.setStatus('current')
if mibBuilder.loadTexts:
cldcClientSSID.setDescription('This object represents the SSID of the WLAN to which the client is associated.')
cldc_client_security_tag_id = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 29), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientSecurityTagId.setStatus('current')
if mibBuilder.loadTexts:
cldcClientSecurityTagId.setDescription('This object represents the security group tag of the client. This parameter will have a non-zero value when the client is DOT1X authenticated.')
cldc_client_type_kts = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 30), truth_value()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientTypeKTS.setStatus('current')
if mibBuilder.loadTexts:
cldcClientTypeKTS.setDescription("This object indicates whether the Client is NEC KTS Client or not. A value of 'true' indicates that the client follows NEC KTS SIP protocol. A value of 'false' indicates that the client does not follow NEC KTS SIP protocol.")
cldc_client_ipv6_acl_name = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 31), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientIpv6AclName.setStatus('current')
if mibBuilder.loadTexts:
cldcClientIpv6AclName.setDescription('This object specifies the ACL Name for the Ipv6 client.')
cldc_client_ipv6_acl_applied = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 32), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('true', 1), ('false', 2), ('notAvailable', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientIpv6AclApplied.setStatus('current')
if mibBuilder.loadTexts:
cldcClientIpv6AclApplied.setDescription("This object indicates the ACL applied status for the IPv6 client. A value of 'true' indicates that the ACL is applied. A value of 'false' indicates that the ACL is not applied. A value of 'NotAvailable' indicates that applied status is not avaliable")
cldc_client_data_switching = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 33), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('unknown', 1), ('central', 2), ('local', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientDataSwitching.setStatus('current')
if mibBuilder.loadTexts:
cldcClientDataSwitching.setDescription('This object specifies whether client is switching data locally or centrally.')
cldc_client_authentication = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 34), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('unknown', 1), ('central', 2), ('local', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientAuthentication.setStatus('current')
if mibBuilder.loadTexts:
cldcClientAuthentication.setDescription('This object specifies whether client is authentiated locally or centrally.')
cldc_client_channel = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 35), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientChannel.setStatus('current')
if mibBuilder.loadTexts:
cldcClientChannel.setDescription("This object specifies the access point's channel to which the client is associated.")
cldc_client_auth_mode = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 36), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=named_values(('none', 0), ('psk', 1), ('radius', 2), ('cckm', 3), ('wapipsk', 4), ('wapicert', 5), ('ftDot1x', 6), ('ftPsk', 7), ('pmfDot1x', 8), ('pmfPsk', 9)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientAuthMode.setStatus('current')
if mibBuilder.loadTexts:
cldcClientAuthMode.setDescription('Represents the Authentication Mode of Client.')
cldc_client_reason_code = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 37), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 40, 41, 42, 43, 44, 45, 46, 99, 101, 105, 106, 200, 201, 202, 203))).clone(namedValues=named_values(('unspecified', 1), ('previousAuthNotValid', 2), ('deauthenticationLeaving', 3), ('disassociationDueToInactivity', 4), ('disassociationAPBusy', 5), ('class2FrameFromNonAuthStation', 6), ('class2FrameFromNonAssStation', 7), ('disassociationStaHasLeft', 8), ('staReqAssociationWithoutAuth', 9), ('invalidInformationElement', 40), ('groupCipherInvalid', 41), ('unicastCipherInvalid', 42), ('akmpInvalid', 43), ('unsupportedRsnVersion', 44), ('invalidRsnIeCapabilities', 45), ('cipherSuiteRejected', 46), ('missingReasonCode', 99), ('maxAssociatedClientsReached', 101), ('maxAssociatedClientsReachedOnRadio', 105), ('maxAssociatedClientsReachedOnWlan', 106), ('unSpecifiedQosFailure', 200), ('qosPolicyMismatch', 201), ('inSufficientBandwidth', 202), ('inValidQosParams', 203)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientReasonCode.setStatus('current')
if mibBuilder.loadTexts:
cldcClientReasonCode.setDescription('unspecified - Unspecified. previousAuthNotValid - Previous Authentication was not valid. deauthenticationLeaving - Leaving due to deauthentication. disassociationDueToInactivity - Disassociation due to Inactivity. disassociationAPBusy - Disassociation since AP was busy. class2FrameFromNonAuthStation - Class 2 frame from non authenticated station. class2FrameFromNonAssStation - Class 2 frame from non associated station. disassociationStaHasLeft - Station has left due to disassociation. staReqAssociationWithoutAuth - Station send association request without authentication. invalidInformationElement - Invalid information element. groupCipherInvalid - Invalid group Cipher. unicastCipherInvalid - Invalid unicast cipher. akmpInvalid - Invalid AKMP. unsupportedRsnVersion - Unsupported RSN version. invalidRsnIeCapabilities - Invalid RSN IE capabilities. cipherSuiteRejected - Cipher suite rejected. missingReasonCode - Reason code is missing. maxAssociatedClientsReached - Maximum allowed associated client number has reached. maxAssociatedClientsReachedOnRadio - Maximum allowed associated client number has reached on radio. maxAssociatedClientsReachedOnWlan - Maximum allowed associated client number has reached on wlan. unSpecifiedQosFailure - Unsupported QOS failure. qosPolicyMismatch - Mismatch on QOS policy. inSufficientBandwidth - Insufficient bandwidth. inValidQosParams - Invalid QOS parameters.')
cldc_client_session_id = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 38), snmp_admin_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientSessionID.setStatus('current')
if mibBuilder.loadTexts:
cldcClientSessionID.setDescription('This object indicates the session to which the client is associated.')
cldc_client_ap_roam_mac_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 39), mac_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientApRoamMacAddress.setStatus('current')
if mibBuilder.loadTexts:
cldcClientApRoamMacAddress.setDescription('This object indicates the MAC address of the AP to which the client has roamed.')
cldc_client_mdns_profile = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 40), snmp_admin_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientMdnsProfile.setStatus('current')
if mibBuilder.loadTexts:
cldcClientMdnsProfile.setDescription('This object specifies the mDNS Profile name this 802.11 wireless client is mapped to. It could be mapped to the WLAN to which the client is connected to, or the interface/interface groups mapped to the WLAN.')
cldc_client_mdns_adv_count = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 41), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientMdnsAdvCount.setStatus('current')
if mibBuilder.loadTexts:
cldcClientMdnsAdvCount.setDescription('This object specifies the number of mDNS advertisements received on the client.')
cldc_client_policy_name = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 42), snmp_admin_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientPolicyName.setStatus('current')
if mibBuilder.loadTexts:
cldcClientPolicyName.setDescription('This object indicates the local classification policy to which the client is associated.')
cldc_client_aaa_role = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 43), snmp_admin_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientAAARole.setStatus('current')
if mibBuilder.loadTexts:
cldcClientAAARole.setDescription('This object indicates the role string of the client that is used as match criterion for local policy profiling. This string is returned during authentication. ')
cldc_client_device_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 44), snmp_admin_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientDeviceType.setStatus('current')
if mibBuilder.loadTexts:
cldcClientDeviceType.setDescription('This object specifies the device type of the client. This is identified once the profiling operation is completed.')
cldc_user_auth_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 1, 1, 45), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('open', 1), ('wepPsk', 2), ('portal', 3), ('simPeap', 4), ('other', 5)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcUserAuthType.setStatus('current')
if mibBuilder.loadTexts:
cldcUserAuthType.setDescription('Represents the Authentication Type of User.')
cldc_client_by_ip_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 2))
if mibBuilder.loadTexts:
cldcClientByIpTable.setStatus('current')
if mibBuilder.loadTexts:
cldcClientByIpTable.setDescription('This table represents the 802.11 wireless clients that are associated with the APs that have joined this controller and are indexed by cldcClientByIpAddressType and cldcClientByIpAddress. An entry is created automatically by the controller when the client gets associated to the AP. An existing entry gets deleted when the association gets dropped.')
cldc_client_by_ip_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 2, 1)).setIndexNames((0, 'CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientMacAddress'), (0, 'CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientByIpAddressType'), (0, 'CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientByIpAddress'))
if mibBuilder.loadTexts:
cldcClientByIpEntry.setStatus('current')
if mibBuilder.loadTexts:
cldcClientByIpEntry.setDescription("Each entry represents a conceptual row in this table and provides the information about the clients associated to the APs that have joined the controller. An entry is identified by the client's IP address.")
cldc_client_by_ip_address_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 2, 1, 2), inet_address_type())
if mibBuilder.loadTexts:
cldcClientByIpAddressType.setStatus('current')
if mibBuilder.loadTexts:
cldcClientByIpAddressType.setDescription("This object represents the type of the Client's address made available through cldcClientByIpAddress.")
cldc_client_by_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 2, 1, 3), inet_address())
if mibBuilder.loadTexts:
cldcClientByIpAddress.setStatus('current')
if mibBuilder.loadTexts:
cldcClientByIpAddress.setDescription('This object represents the inet address of the Client')
cldc_client_by_ip_address_discover_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('invalid', 1), ('ndp', 2), ('dhcp', 3), ('packet', 4), ('local', 5), ('static', 6)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientByIpAddressDiscoverType.setStatus('current')
if mibBuilder.loadTexts:
cldcClientByIpAddressDiscoverType.setDescription("This object represents the discovery type of the Client's address invalid(1) = unknown ndp(2) = Address learnt by neighbor discovery protocol dhcp(3) = Address learnt via DHCP packet(4) = Address learnt by data packet addressing learning local(5) = Address applied to local interface static(6) = Address assigned statically ")
cldc_client_by_ip_address_last_seen = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 2, 1, 5), time_stamp()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientByIpAddressLastSeen.setStatus('current')
if mibBuilder.loadTexts:
cldcClientByIpAddressLastSeen.setDescription('This object indicates timestamp of the time when an address was last seen in REACHABLE state')
cldc_sleeping_client_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 3))
if mibBuilder.loadTexts:
cldcSleepingClientTable.setStatus('current')
if mibBuilder.loadTexts:
cldcSleepingClientTable.setDescription(' This table represents the information about Sleeping clients')
cldc_sleeping_client_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 3, 1)).setIndexNames((0, 'CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcSleepingClientMacAddress'))
if mibBuilder.loadTexts:
cldcSleepingClientEntry.setStatus('current')
if mibBuilder.loadTexts:
cldcSleepingClientEntry.setDescription('An entry containing the information about sleeping clients.')
cldc_sleeping_client_mac_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 3, 1, 1), mac_address())
if mibBuilder.loadTexts:
cldcSleepingClientMacAddress.setStatus('current')
if mibBuilder.loadTexts:
cldcSleepingClientMacAddress.setDescription('This object specifies the MAC address of the sleeping client and uniquely identifies the entry.')
cldc_sleeping_client_ssid = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 3, 1, 2), octet_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcSleepingClientSsid.setStatus('current')
if mibBuilder.loadTexts:
cldcSleepingClientSsid.setDescription('This object represents the SSID of the WLAN to which the sleeping client is associated.')
cldc_sleeping_client_user_name = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 3, 1, 3), snmp_admin_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcSleepingClientUserName.setStatus('current')
if mibBuilder.loadTexts:
cldcSleepingClientUserName.setDescription('This object represents the username used by the sleeping client.')
cldc_sleeping_client_remaining_time = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 3, 1, 4), time_interval()).setUnits('Hours').setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcSleepingClientRemainingTime.setStatus('current')
if mibBuilder.loadTexts:
cldcSleepingClientRemainingTime.setDescription('This object indicates the remaining session time for the sleeping client.')
cldc_sleeping_client_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 3, 3, 1, 5), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
cldcSleepingClientRowStatus.setStatus('current')
if mibBuilder.loadTexts:
cldcSleepingClientRowStatus.setDescription('This is the status column for this row and used to delete specific instances of row in the table.')
cldc_client_statistic_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1))
if mibBuilder.loadTexts:
cldcClientStatisticTable.setStatus('current')
if mibBuilder.loadTexts:
cldcClientStatisticTable.setDescription('This table lists statistics and status of the 802.11 wireless clients associated with the access points attached to the controller.')
cldc_client_statistic_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1)).setIndexNames((0, 'CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientMacAddress'))
if mibBuilder.loadTexts:
cldcClientStatisticEntry.setStatus('current')
if mibBuilder.loadTexts:
cldcClientStatisticEntry.setDescription('An entry in this table provides traffic statistics of the associated client based upon its Mac address.')
cldc_client_data_retries = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 1), counter64()).setUnits('Retries').setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientDataRetries.setStatus('current')
if mibBuilder.loadTexts:
cldcClientDataRetries.setDescription('This object indicates the number of attempts made by the client before transmitting the MSDU successfully.')
cldc_client_rts_retries = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 2), counter64()).setUnits('Retries').setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientRtsRetries.setStatus('current')
if mibBuilder.loadTexts:
cldcClientRtsRetries.setDescription('This object indicates the number of times the client has attempted to send RTS packets before receiving CTS packets.')
cldc_client_duplicate_packets = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 3), counter64()).setUnits('Packets').setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientDuplicatePackets.setStatus('current')
if mibBuilder.loadTexts:
cldcClientDuplicatePackets.setDescription('This object indicates the number of times a duplicate packet is received for the client.')
cldc_client_decrypt_failures = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 4), counter64()).setUnits('Packets').setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientDecryptFailures.setStatus('current')
if mibBuilder.loadTexts:
cldcClientDecryptFailures.setDescription('This object indicates the number of packets received from the client that failed to decrypt properly.')
cldc_client_mic_errors = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 5), counter64()).setUnits('Packets').setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientMicErrors.setStatus('current')
if mibBuilder.loadTexts:
cldcClientMicErrors.setDescription('This object indicates the number of MIC errors experienced by the client.')
cldc_client_mic_missing_frames = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 6), counter64()).setUnits('Packets').setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientMicMissingFrames.setStatus('current')
if mibBuilder.loadTexts:
cldcClientMicMissingFrames.setDescription('This object indicates the number of missing MIC packets for the client.')
cldc_client_ra_packets_dropped = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 7), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientRaPacketsDropped.setStatus('current')
if mibBuilder.loadTexts:
cldcClientRaPacketsDropped.setDescription('This is the number of RA Packets dropped for this client.')
cldc_client_interim_updates_count = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 8), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientInterimUpdatesCount.setStatus('current')
if mibBuilder.loadTexts:
cldcClientInterimUpdatesCount.setDescription('This is the number of interim updates count sent for this client.')
cldc_client_data_bytes_received = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 9), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientDataBytesReceived.setStatus('current')
if mibBuilder.loadTexts:
cldcClientDataBytesReceived.setDescription('This is the number data bytes received for this mobile station')
cldc_client_realtime_bytes_received = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 10), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientRealtimeBytesReceived.setStatus('current')
if mibBuilder.loadTexts:
cldcClientRealtimeBytesReceived.setDescription('This is the number realtime bytes received for this mobile station')
cldc_client_rx_data_bytes_dropped = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 11), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientRxDataBytesDropped.setStatus('current')
if mibBuilder.loadTexts:
cldcClientRxDataBytesDropped.setDescription('This is the number Rx data bytes dropped for this mobile station')
cldc_client_rx_realtime_bytes_dropped = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 12), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientRxRealtimeBytesDropped.setStatus('current')
if mibBuilder.loadTexts:
cldcClientRxRealtimeBytesDropped.setDescription('This is the number Rx realtime bytes dropped for this mobile station')
cldc_client_data_bytes_sent = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 13), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientDataBytesSent.setStatus('current')
if mibBuilder.loadTexts:
cldcClientDataBytesSent.setDescription('This is the number data bytes Sent for this mobile station')
cldc_client_realtime_bytes_sent = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 14), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientRealtimeBytesSent.setStatus('current')
if mibBuilder.loadTexts:
cldcClientRealtimeBytesSent.setDescription('This is the number realtime bytes Sent for this mobile station')
cldc_client_tx_data_bytes_dropped = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 15), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientTxDataBytesDropped.setStatus('current')
if mibBuilder.loadTexts:
cldcClientTxDataBytesDropped.setDescription('This is the number Tx data bytes dropped for this mobile station')
cldc_client_tx_realtime_bytes_dropped = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 16), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientTxRealtimeBytesDropped.setStatus('current')
if mibBuilder.loadTexts:
cldcClientTxRealtimeBytesDropped.setDescription('This is the number Tx realtime bytes dropped for this mobile station')
cldc_client_data_packets_received = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 17), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientDataPacketsReceived.setStatus('current')
if mibBuilder.loadTexts:
cldcClientDataPacketsReceived.setDescription('This is the number data Packets received for this mobile station')
cldc_client_realtime_packets_received = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 18), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientRealtimePacketsReceived.setStatus('current')
if mibBuilder.loadTexts:
cldcClientRealtimePacketsReceived.setDescription('This is the number realtime Packets received for this mobile station')
cldc_client_rx_data_packets_dropped = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 19), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientRxDataPacketsDropped.setStatus('current')
if mibBuilder.loadTexts:
cldcClientRxDataPacketsDropped.setDescription('This is the number Rx data Packets dropped for this mobile station')
cldc_client_rx_realtime_packets_dropped = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 20), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientRxRealtimePacketsDropped.setStatus('current')
if mibBuilder.loadTexts:
cldcClientRxRealtimePacketsDropped.setDescription('This is the number Rx realtime Packets dropped for this mobile station')
cldc_client_data_packets_sent = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 21), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientDataPacketsSent.setStatus('current')
if mibBuilder.loadTexts:
cldcClientDataPacketsSent.setDescription('This is the number data Packets Sent for this mobile station')
cldc_client_realtime_packets_sent = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 22), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientRealtimePacketsSent.setStatus('current')
if mibBuilder.loadTexts:
cldcClientRealtimePacketsSent.setDescription('This is the number realtime Packets Sent for this mobile station')
cldc_client_tx_data_packets_dropped = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 23), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientTxDataPacketsDropped.setStatus('current')
if mibBuilder.loadTexts:
cldcClientTxDataPacketsDropped.setDescription('This is the number Tx data Packets dropped for this mobile station')
cldc_client_tx_realtime_packets_dropped = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 24), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientTxRealtimePacketsDropped.setStatus('current')
if mibBuilder.loadTexts:
cldcClientTxRealtimePacketsDropped.setDescription('This is the number Tx realtime Packets dropped for this mobile station')
cldc_client_tx_data_packets = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 25), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientTxDataPackets.setStatus('current')
if mibBuilder.loadTexts:
cldcClientTxDataPackets.setDescription('This is the number of data packets sent by this mobile station')
cldc_client_tx_data_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 26), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientTxDataBytes.setStatus('current')
if mibBuilder.loadTexts:
cldcClientTxDataBytes.setDescription('This is the number of data bytes sent by this mobile station')
cldc_client_rx_data_packets = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 27), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientRxDataPackets.setStatus('current')
if mibBuilder.loadTexts:
cldcClientRxDataPackets.setDescription('This is the number of data packets sent for this mobile station')
cldc_client_rx_data_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 4, 1, 1, 28), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldcClientRxDataBytes.setStatus('current')
if mibBuilder.loadTexts:
cldcClientRxDataBytes.setDescription('This is the number of data bytes sent for this mobile station')
cldcc_ccx_version_info_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 599, 3, 1, 1))
if mibBuilder.loadTexts:
cldccCcxVersionInfoTable.setStatus('current')
if mibBuilder.loadTexts:
cldccCcxVersionInfoTable.setDescription('This table contains the detail of the CCX version supported by the clients. This is used to identify the services supported by a CCX v6 client.')
cldcc_ccx_version_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 599, 3, 1, 1, 1)).setIndexNames((0, 'CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientMacAddress'))
if mibBuilder.loadTexts:
cldccCcxVersionInfoEntry.setStatus('current')
if mibBuilder.loadTexts:
cldccCcxVersionInfoEntry.setDescription('There is an entry in the table for each entry identified by the client mac address.')
cldcc_ccx_foundation_service_version = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 3, 1, 1, 1, 1), ccx_service_version()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldccCcxFoundationServiceVersion.setStatus('current')
if mibBuilder.loadTexts:
cldccCcxFoundationServiceVersion.setDescription('This is the CCX version supported by the client for the service, foundation.')
cldcc_ccx_location_service_version = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 3, 1, 1, 1, 2), ccx_service_version()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldccCcxLocationServiceVersion.setStatus('current')
if mibBuilder.loadTexts:
cldccCcxLocationServiceVersion.setDescription('This is the CCX version supported by the client for the service, location.')
cldcc_ccx_voice_service_version = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 3, 1, 1, 1, 3), ccx_service_version()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldccCcxVoiceServiceVersion.setStatus('current')
if mibBuilder.loadTexts:
cldccCcxVoiceServiceVersion.setDescription('This is the CCX version supported by the client for the service, voice.')
cldcc_ccx_management_service_version = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 599, 3, 1, 1, 1, 4), ccx_service_version()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cldccCcxManagementServiceVersion.setStatus('current')
if mibBuilder.loadTexts:
cldccCcxManagementServiceVersion.setDescription('This is the CCX version supported by the client for the service, management.')
cldc_key_decrypt_error_enabled = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 1, 1), truth_value().clone('true')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cldcKeyDecryptErrorEnabled.setStatus('current')
if mibBuilder.loadTexts:
cldcKeyDecryptErrorEnabled.setDescription("The object to control the generation of ciscoLwappDot11ClientKeyDecryptError notification. A value of 'true' indicates that the agent generates ciscoLwappDot11ClientKeyDecryptError notification. A value of 'false' indicates that the agent doesn't generate ciscoLwappDot11ClientKeyDecryptError notification.")
cldc_assoc_nac_alert_enabled = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 1, 2), truth_value()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cldcAssocNacAlertEnabled.setStatus('current')
if mibBuilder.loadTexts:
cldcAssocNacAlertEnabled.setDescription("The object to control the generation of ciscoLwappDot11ClientAssocNacAlert notification. A value of 'true' indicates that the agent generates ciscoLwappDot11ClientAssocNacAlert notification. A value of 'false' indicates that the agent doesn't generate ciscoLwappDot11ClientAssocNacAlert notification.")
cldc_disassoc_nac_alert_enabled = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 1, 3), truth_value()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cldcDisassocNacAlertEnabled.setStatus('current')
if mibBuilder.loadTexts:
cldcDisassocNacAlertEnabled.setDescription("The object to control the generation of ciscoLwappDot11ClientDisassocNacAlert notification. A value of 'true' indicates that the agent generates ciscoLwappDot11ClientDisassocNacAlert notification. A value of 'false' indicates that the agent doesn't generate ciscoLwappDot11ClientDisassocNacAlert notification.")
cldc_moved_to_run_state_enabled = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 1, 4), truth_value()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cldcMovedToRunStateEnabled.setStatus('current')
if mibBuilder.loadTexts:
cldcMovedToRunStateEnabled.setDescription("The object to control the generation of ciscoLwappDot11ClientMovedToRunState notification. A value of 'true' indicates that the agent generates ciscoLwappDot11ClientMovedToRunState notification. A value of 'false' indicates that the agent doesn't generate ciscoLwappDot11ClientMovedToRunState notification.")
cisco_lwapp_dot11_client_static_ip_fail_trap_enabled = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 1, 5), truth_value().clone('true')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
ciscoLwappDot11ClientStaticIpFailTrapEnabled.setStatus('current')
if mibBuilder.loadTexts:
ciscoLwappDot11ClientStaticIpFailTrapEnabled.setDescription("The object to control the generation of ciscoLwappDot11ClientStaticIpFailTrap notification. A value of 'true' indicates that the agent generates ciscoLwappDot11ClientStaticIpFailTrap notification. A value of 'false' indicates that the agent doesn't generate ciscoLwappDot11ClientStaticIpFailTrap notification.")
cldc_client_rssi = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 1), integer32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcClientRSSI.setStatus('current')
if mibBuilder.loadTexts:
cldcClientRSSI.setDescription('This object specifies the average RSSI for the Mobile Station.')
cldc_client_snr = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 2), integer32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcClientSNR.setStatus('current')
if mibBuilder.loadTexts:
cldcClientSNR.setDescription('This object specifies the average SNR for the Mobile Station.')
cldc_dot11_client_reason_code = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 40, 41, 42, 43, 44, 45, 46, 99, 101, 105, 106, 200, 201, 202, 203))).clone(namedValues=named_values(('unspecified', 1), ('previousAuthNotValid', 2), ('deauthenticationLeaving', 3), ('disassociationDueToInactivity', 4), ('disassociationAPBusy', 5), ('class2FrameFromNonAuthStation', 6), ('class2FrameFromNonAssStation', 7), ('disassociationStaHasLeft', 8), ('staReqAssociationWithoutAuth', 9), ('invalidInformationElement', 40), ('groupCipherInvalid', 41), ('unicastCipherInvalid', 42), ('akmpInvalid', 43), ('unsupportedRsnVersion', 44), ('invalidRsnIeCapabilities', 45), ('cipherSuiteRejected', 46), ('missingReasonCode', 99), ('maxAssociatedClientsReached', 101), ('maxAssociatedClientsReachedOnRadio', 105), ('maxAssociatedClientsReachedOnWlan', 106), ('unSpecifiedQosFailure', 200), ('qosPolicyMismatch', 201), ('inSufficientBandwidth', 202), ('inValidQosParams', 203)))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcDOT11ClientReasonCode.setStatus('current')
if mibBuilder.loadTexts:
cldcDOT11ClientReasonCode.setDescription('unspecified - Unspecified. previousAuthNotValid - Previous Authentication was not valid. deauthenticationLeaving - Leaving due to deauthentication. disassociationDueToInactivity - Disassociation due to Inactivity. disassociationAPBusy - Disassociation since AP was busy. class2FrameFromNonAuthStation - Class 2 frame from non authenticated station. class2FrameFromNonAssStation - Class 2 frame from non associated station. disassociationStaHasLeft - Station has left due to disassociation. staReqAssociationWithoutAuth - Station send association request without authentication. invalidInformationElement - Invalid information element. groupCipherInvalid - Invalid group Cipher. unicastCipherInvalid - Invalid unicast cipher. akmpInvalid - Invalid AKMP. unsupportedRsnVersion - Unsupported RSN version. invalidRsnIeCapabilities - Invalid RSN IE capabilities. cipherSuiteRejected - Cipher suite rejected. missingReasonCode - Reason code is missing. maxAssociatedClientsReached - Maximum allowed. associated client number has reached. maxAssociatedClientsReachedOnRadio - Maximum allowed associated client number has reached on radio. maxAssociatedClientsReachedOnWlan - Maximum allowed associated client number has reached on wlan. unSpecifiedQosFailure - Unsupported QOS failure. qosPolicyMismatch - Mismatch on QOS policy. inSufficientBandwidth - Insufficient bandwidth. inValidQosParams - Invalid QOS parameters.')
cldc_dot11_client_tx_data_packets = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 4), counter32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcDOT11ClientTxDataPackets.setStatus('current')
if mibBuilder.loadTexts:
cldcDOT11ClientTxDataPackets.setDescription('This is the number of data packets sent by this mobile station')
cldc_dot11_client_tx_data_bytes = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 5), counter32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcDOT11ClientTxDataBytes.setStatus('current')
if mibBuilder.loadTexts:
cldcDOT11ClientTxDataBytes.setDescription('This is the number of data bytes sent by this mobile station')
cldc_dot11_client_rx_data_packets = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 6), counter32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcDOT11ClientRxDataPackets.setStatus('current')
if mibBuilder.loadTexts:
cldcDOT11ClientRxDataPackets.setDescription('This is the number of data packets sent for this mobile station')
cldc_dot11_client_rx_data_bytes = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 7), counter32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcDOT11ClientRxDataBytes.setStatus('current')
if mibBuilder.loadTexts:
cldcDOT11ClientRxDataBytes.setDescription('This is the number of data bytes sent for this mobile station')
cldc_client_vlan_id = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 8), integer32().subtype(subtypeSpec=value_range_constraint(0, 4096))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcClientVlanId.setStatus('current')
if mibBuilder.loadTexts:
cldcClientVlanId.setDescription('Vlan ID of the Interface to which the client is associated.')
cldc_client_policy_type = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=named_values(('dot1x', 1), ('wpa1', 2), ('wpa2', 3), ('wpa2vff', 4), ('notavailable', 5), ('unknown', 6), ('wapi', 7)))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcClientPolicyType.setStatus('current')
if mibBuilder.loadTexts:
cldcClientPolicyType.setDescription('Mode of the AP to which the Mobile Station is associated.')
cldc_client_eap_type = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('eapTls', 1), ('ttls', 2), ('peap', 3), ('leap', 4), ('speke', 5), ('eapFast', 6), ('notavailable', 7), ('unknown', 8)))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcClientEapType.setStatus('current')
if mibBuilder.loadTexts:
cldcClientEapType.setDescription('Mode of the AP to which the Mobile Station is associated.')
cldc_client_aid = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 11), unsigned32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcClientAID.setStatus('current')
if mibBuilder.loadTexts:
cldcClientAID.setDescription('AID for the mobile station')
cldc_client_authentication_algorithm = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 129))).clone(namedValues=named_values(('openSystem', 1), ('sharedKey', 2), ('unknown', 3), ('openAndEap', 129)))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcClientAuthenticationAlgorithm.setStatus('current')
if mibBuilder.loadTexts:
cldcClientAuthenticationAlgorithm.setDescription('Authentication Algorithm of Mobile Station ')
cldc_client_wep_state = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcClientWepState.setStatus('current')
if mibBuilder.loadTexts:
cldcClientWepState.setDescription('WEP State of Mobile Station')
cldc_client_encryption_cypher = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 14), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=named_values(('ccmpAes', 1), ('tkipMic', 2), ('wep40', 3), ('wep104', 4), ('wep128', 5), ('none', 6), ('notavailable', 7), ('unknown', 8), ('wapiSMS4', 9)))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcClientEncryptionCypher.setStatus('current')
if mibBuilder.loadTexts:
cldcClientEncryptionCypher.setDescription('Mode of the AP to which the Mobile Station is associated.')
cldc_client_port_number = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 15), unsigned32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcClientPortNumber.setStatus('current')
if mibBuilder.loadTexts:
cldcClientPortNumber.setDescription('The Port Number of this Airespace Switch on which the traffic of the Mobile Station is coming through.')
cldc_client_anchor_address_type = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 16), inet_address_type()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcClientAnchorAddressType.setStatus('current')
if mibBuilder.loadTexts:
cldcClientAnchorAddressType.setDescription('This object indicates mobility Anchor address type.')
cldc_client_anchor_address = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 17), inet_address()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcClientAnchorAddress.setStatus('current')
if mibBuilder.loadTexts:
cldcClientAnchorAddress.setDescription('If the Mobility Status of the Mobile Station is Anchor then it will have Peer Ip Address and will have Anchor IP if the Role is Foreign')
cldc_client_ess_index = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 18), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 517))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcClientEssIndex.setStatus('current')
if mibBuilder.loadTexts:
cldcClientEssIndex.setDescription('Ess Index of the Wlan(SSID) that is being used by Mobile Station to connect to AP')
cldc_client_ccx_version = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 19), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=named_values(('notSupported', 1), ('ccxv1', 2), ('ccxv2', 3), ('ccxv3', 4), ('ccxv4', 5), ('ccxv5', 6), ('ccxv6', 7))).clone('notSupported')).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcClientCcxVersion.setStatus('current')
if mibBuilder.loadTexts:
cldcClientCcxVersion.setDescription('Represents the Cisco Compatible Extensions (CCX) Version the client is using for communication with the AP.')
cldc_client_e2e_version = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 20), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('notSupported', 1), ('e2ev1', 2), ('e2ev2', 3)))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcClientE2eVersion.setStatus('current')
if mibBuilder.loadTexts:
cldcClientE2eVersion.setDescription('Represents the End-2-End Version the client is using for communication with the AP.')
cldc_client_interface = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 21), display_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcClientInterface.setStatus('current')
if mibBuilder.loadTexts:
cldcClientInterface.setDescription('Name of the Interface of the mobile client to the switch.')
cldc_client_mobility_status = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 22), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('unassociated', 1), ('local', 2), ('anchor', 3), ('foreign', 4), ('handoff', 5), ('unknown', 6), ('exportanchor', 7), ('exportforeign', 8)))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcClientMobilityStatus.setStatus('current')
if mibBuilder.loadTexts:
cldcClientMobilityStatus.setDescription('Mobility Role of the Mobile Station.')
cldc_client_status_code = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 23), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcClientStatusCode.setStatus('current')
if mibBuilder.loadTexts:
cldcClientStatusCode.setDescription('Status Code of the Mobile Station')
cldc_client_delete_action = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 24), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('default', 1), ('delete', 2)))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcClientDeleteAction.setStatus('current')
if mibBuilder.loadTexts:
cldcClientDeleteAction.setDescription('Action to Deauthenticate the Mobile Station. Set the State to delete.')
cldc_client_security_policy_status = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 25), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('completed', 1), ('notcompleted', 2)))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcClientSecurityPolicyStatus.setStatus('current')
if mibBuilder.loadTexts:
cldcClientSecurityPolicyStatus.setDescription('When this attribute has value completed, it shall indicate that the Mobile Station has completed the security policy checks. Otherwise the checks are yet to be completed.')
cldc_client_trap_event_time = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 26), time_ticks()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcClientTrapEventTime.setStatus('current')
if mibBuilder.loadTexts:
cldcClientTrapEventTime.setDescription('This object represents the inet address of the Client.')
cldc_client_policy_manager_state = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 27), snmp_admin_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcClientPolicyManagerState.setStatus('current')
if mibBuilder.loadTexts:
cldcClientPolicyManagerState.setDescription('This object represents the current policy enforcement manager state of the client in controller.')
cldc_client_assoc_time = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 28), time_stamp()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcClientAssocTime.setStatus('current')
if mibBuilder.loadTexts:
cldcClientAssocTime.setDescription('This object indicates the value of client association time')
cldc_client_pmip_data_valid = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 29), truth_value()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcClientPmipDataValid.setStatus('current')
if mibBuilder.loadTexts:
cldcClientPmipDataValid.setDescription('This object represents whether client has valid PMIP data.')
cldc_client_mobility_ext_data_valid = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 30), truth_value()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcClientMobilityExtDataValid.setStatus('current')
if mibBuilder.loadTexts:
cldcClientMobilityExtDataValid.setDescription('This object represents new mobility status.')
cldc_client_policy_errors = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 31), counter64()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcClientPolicyErrors.setStatus('current')
if mibBuilder.loadTexts:
cldcClientPolicyErrors.setDescription('Number of Policy Errors for Mobile Station')
cldc_client_session_id = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 32), snmp_admin_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcClientSessionId.setStatus('current')
if mibBuilder.loadTexts:
cldcClientSessionId.setDescription('This object indicates the session to which the client is associated.')
cldc_client_pmip_nai = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 33), snmp_admin_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcClientPmipNai.setStatus('current')
if mibBuilder.loadTexts:
cldcClientPmipNai.setDescription('This object indicates the name of the profile, the client is associated to.')
cldc_client_pmip_state = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 34), snmp_admin_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcClientPmipState.setStatus('current')
if mibBuilder.loadTexts:
cldcClientPmipState.setDescription("This object indicates the state of the PMIP client: null: binding doesn't exist init: binding created, Retx timer running for PBU, binding not yet accepted from LMA, Tunnel/route is not yet setup active: binding accepted by LMA, refresh timer running, Tunnel/route setup complete. refreshPending: Refresh timer expired and Retx timer running. PBU refresh sent, PBA not yet received from LMA, (Tunnel/route is already setup). disconnectingSt: Dereg reply is expected. Retx timer is running, tunnel/route is still setup.")
cldc_client_pmip_interface = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 35), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcClientPmipInterface.setStatus('current')
if mibBuilder.loadTexts:
cldcClientPmipInterface.setDescription('This object indicates the interface to which the client is associated.')
cldc_client_pmip_home_addr_type = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 36), inet_address_type()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcClientPmipHomeAddrType.setStatus('current')
if mibBuilder.loadTexts:
cldcClientPmipHomeAddrType.setDescription("This object indicates the type of the Client's Home address made available through cldcClientPmipHomeAddress.")
cldc_client_pmip_home_addr = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 37), inet_address()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcClientPmipHomeAddr.setStatus('current')
if mibBuilder.loadTexts:
cldcClientPmipHomeAddr.setDescription('This object indicates the Home Address of the client.')
cldc_client_pmip_att = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 38), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13))).clone(namedValues=named_values(('reserved', 1), ('logicalNetworkInterface', 2), ('pointToPointInterface', 3), ('ethernet', 4), ('wirelessLan', 5), ('wimax', 6), ('threeGPPGERAN', 7), ('threeGPPUTRAN', 8), ('threeGPPETRAN', 9), ('threeGPP2eHRPD', 10), ('threeGPP2HRPD', 11), ('threeGPP21xRTT', 12), ('threeGPP2UMB', 13)))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcClientPmipAtt.setStatus('current')
if mibBuilder.loadTexts:
cldcClientPmipAtt.setDescription('This object indicates the access technology type by which the client is currently attached.')
cldc_client_pmip_local_link_id = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 39), mac_address()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcClientPmipLocalLinkId.setStatus('current')
if mibBuilder.loadTexts:
cldcClientPmipLocalLinkId.setDescription('This object indicates the local link identifier of the client.')
cldc_client_pmip_lma_name = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 40), snmp_admin_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcClientPmipLmaName.setStatus('current')
if mibBuilder.loadTexts:
cldcClientPmipLmaName.setDescription('This object indicates the LMA to which the client is connected.')
cldc_client_pmip_life_time = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 41), time_ticks()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcClientPmipLifeTime.setStatus('current')
if mibBuilder.loadTexts:
cldcClientPmipLifeTime.setDescription('This object indicates the duration of the PMIP client association.')
cldc_client_pmip_domain_name = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 42), snmp_admin_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcClientPmipDomainName.setStatus('current')
if mibBuilder.loadTexts:
cldcClientPmipDomainName.setDescription('This object indicates the domain to which the PMIP client is associated.')
cldc_client_pmip_up_key = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 43), unsigned32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcClientPmipUpKey.setStatus('current')
if mibBuilder.loadTexts:
cldcClientPmipUpKey.setDescription('This object indicates the upstream key of the PMIP client.')
cldc_client_pmip_down_key = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 599, 1, 2, 44), unsigned32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
cldcClientPmipDownKey.setStatus('current')
if mibBuilder.loadTexts:
cldcClientPmipDownKey.setDescription('This object indicates the downstream key of the PMIP client.')
cisco_lwapp_dot11_client_key_decrypt_error = notification_type((1, 3, 6, 1, 4, 1, 9, 9, 599, 0, 1)).setObjects(('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcAssociationMode'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientMacAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcApMacAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcIfType'), ('CISCO-LWAPP-AP-MIB', 'cLApName'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientAuthMode'))
if mibBuilder.loadTexts:
ciscoLwappDot11ClientKeyDecryptError.setStatus('current')
if mibBuilder.loadTexts:
ciscoLwappDot11ClientKeyDecryptError.setDescription('This notification is generated when a decrypt error occurs. The WEP WPA or WPA2 Key configured at the station may be wrong. cldcAssociationMode represents the association mode for which the key decrypt error occurred. cldcApMacAddress represents the MacAddress of the AP to which the client is associated. cldcIfType represents the wireless interface type of the client. cLApName represents the name of the AP to which the client is associated.')
cisco_lwapp_dot11_client_assoc_nac_alert = notification_type((1, 3, 6, 1, 4, 1, 9, 9, 599, 0, 2)).setObjects(('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientMacAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientWlanProfileName'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientIPAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcApMacAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientQuarantineVLAN'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientAccessVLAN'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientAuthMode'))
if mibBuilder.loadTexts:
ciscoLwappDot11ClientAssocNacAlert.setStatus('current')
if mibBuilder.loadTexts:
ciscoLwappDot11ClientAssocNacAlert.setDescription("This notification is generated when the client on NAC enabled SSIDs complete layer2 authentication . This is to inform about client's presence to the NAC appliance. cldcClientWlanProfileName represents the profile name of the WLAN, this 802.11 wireless client is connected to. cldcClientIPAddress represents the unique ipaddress of the client. cldcApMacAddress represents the MacAddress of the AP to which the client is associated. cldcClientQuarantineVLAN represents the quarantine VLAN for the client. cldcClientAccessVLAN represents the access VLAN for the client.")
cisco_lwapp_dot11_client_disassoc_nac_alert = notification_type((1, 3, 6, 1, 4, 1, 9, 9, 599, 0, 3)).setObjects(('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientMacAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientWlanProfileName'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientIPAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcApMacAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientQuarantineVLAN'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientAccessVLAN'))
if mibBuilder.loadTexts:
ciscoLwappDot11ClientDisassocNacAlert.setStatus('current')
if mibBuilder.loadTexts:
ciscoLwappDot11ClientDisassocNacAlert.setDescription("This notification is generated when the controller removes the client entry on NAC enabled SSIDs. cldcClientWlanProfileName represents the profile name of the WLAN, this 802.11 wireless client is connected to. cldcClientIPAddress represents the unique ipaddress of the client. cldcApMacAddress represents the MacAddress of the AP to which the client is associated. cldcClientQuarantineVLAN represents the quarantine VLAN for the client. cldcClientAccessVLAN represents the access VLAN for the client. This is issued on NAC enabled ssids, whenever WLC removes client's entry.")
cisco_lwapp_dot11_client_moved_to_run_state = notification_type((1, 3, 6, 1, 4, 1, 9, 9, 599, 0, 4)).setObjects(('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientMacAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientIPAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientUsername'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientSSID'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcApMacAddress'), ('CISCO-LWAPP-AP-MIB', 'cLApDot11IfSlotId'), ('CISCO-LWAPP-AP-MIB', 'cLApName'))
if mibBuilder.loadTexts:
ciscoLwappDot11ClientMovedToRunState.setStatus('current')
if mibBuilder.loadTexts:
ciscoLwappDot11ClientMovedToRunState.setDescription('This notification is generated when the client completes the PEM state and moves to the RUN state. cldcClientUsername represents the username used by the client. cldcClientIPAddress represents the unique ipaddress of the client. cldcClientSSID represents the SSID of the WLAN to which the client is associated. cldcApMacAddress represents the MacAddress of the AP to which the client is associated. cLApDot11IfSlotId represents the slotId of the AP to which the client is associated. cLApName represents the name of the AP to which the client is associated.')
cisco_lwapp_dot11_client_static_ip_fail_trap = notification_type((1, 3, 6, 1, 4, 1, 9, 9, 599, 0, 5)).setObjects(('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientMacAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientIPAddress'))
if mibBuilder.loadTexts:
ciscoLwappDot11ClientStaticIpFailTrap.setStatus('current')
if mibBuilder.loadTexts:
ciscoLwappDot11ClientStaticIpFailTrap.setDescription('This is issued whenever the subnet defined for the Static IP of a Client is not found.')
cisco_lwapp_dot11_client_disassoc_data_stats_trap = notification_type((1, 3, 6, 1, 4, 1, 9, 9, 599, 0, 6)).setObjects(('CISCO-LWAPP-AP-MIB', 'cLApName'), ('CISCO-LWAPP-AP-MIB', 'cLApDot11IfSlotId'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientByIpAddressType'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientByIpAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcApMacAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientReasonCode'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientUsername'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientSSID'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientSessionID'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientTxDataPackets'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientTxDataBytes'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientRxDataPackets'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientRxDataBytes'))
if mibBuilder.loadTexts:
ciscoLwappDot11ClientDisassocDataStatsTrap.setStatus('current')
if mibBuilder.loadTexts:
ciscoLwappDot11ClientDisassocDataStatsTrap.setDescription('The disassociate notification shall be sent when the Station sends a Disassociation frame. The value of the notification shall include the MAC address of the MAC to which the Disassociation frame was sent and the reason for the disassociation')
cisco_lwapp_dot11_client_assoc_data_stats_trap = notification_type((1, 3, 6, 1, 4, 1, 9, 9, 599, 0, 7)).setObjects(('CISCO-LWAPP-AP-MIB', 'cLApDot11IfSlotId'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientByIpAddressType'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientByIpAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcApMacAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientUsername'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientApRoamMacAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientSSID'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientTxDataPackets'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientTxDataBytes'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientRxDataPackets'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientRxDataBytes'))
if mibBuilder.loadTexts:
ciscoLwappDot11ClientAssocDataStatsTrap.setStatus('current')
if mibBuilder.loadTexts:
ciscoLwappDot11ClientAssocDataStatsTrap.setDescription('The associate notification shall be sent when the Station sends a association frame.')
cisco_lwapp_dot11_client_session_trap = notification_type((1, 3, 6, 1, 4, 1, 9, 9, 599, 0, 8)).setObjects(('CISCO-LWAPP-AP-MIB', 'cLApDot11IfSlotId'), ('CISCO-LWAPP-AP-MIB', 'cLApName'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientByIpAddressType'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientByIpAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientUsername'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientSSID'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientSessionID'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcApMacAddress'))
if mibBuilder.loadTexts:
ciscoLwappDot11ClientSessionTrap.setStatus('current')
if mibBuilder.loadTexts:
ciscoLwappDot11ClientSessionTrap.setDescription('Issued when the client completes the PEM state and moves to the RUN state.')
cisco_lwapp_dot11_client_assoc_trap = notification_type((1, 3, 6, 1, 4, 1, 9, 9, 599, 0, 9)).setObjects(('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientTrapEventTime'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientMacAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientByIpAddressType'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientByIpAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientPolicyType'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientStatus'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientAID'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcApMacAddress'), ('CISCO-LWAPP-AP-MIB', 'cLApDot11IfSlotId'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientSSID'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientAuthenticationAlgorithm'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientEncryptionCypher'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientPortNumber'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientAnchorAddressType'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientAnchorAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientEssIndex'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientWlanProfileName'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientWgbStatus'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientWgbMacAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientCcxVersion'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientE2eVersion'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientInterface'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClient80211uCapable'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientMobilityStatus'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientRSSI'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientSNR'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientSecurityPolicyStatus'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientLoginTime'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientAssocTime'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientCurrentTxRateSet'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientDataRateSet'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientHreapApAuth'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldccCcxFoundationServiceVersion'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldccCcxLocationServiceVersion'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldccCcxVoiceServiceVersion'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldccCcxManagementServiceVersion'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientDataSwitching'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientAuthentication'), ('CISCO-LWAPP-AP-MIB', 'cLApDot11RadioChannelNumber'), ('CISCO-LWAPP-AP-MIB', 'cLApIfLoadChannelUtilization'), ('CISCO-LWAPP-AP-MIB', 'cLApLocation'), ('CISCO-LWAPP-AP-MIB', 'cLAPGroupVlanName'), ('CISCO-LWAPP-AP-MIB', 'cLApSubMode'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientIPAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientSessionId'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientVlanId'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientProtocol'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientEapType'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientPolicyErrors'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientDataRetries'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientRtsRetries'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientDataBytesSent'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientDataBytesReceived'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientDataPacketsSent'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientDataPacketsReceived'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientTxDataBytesDropped'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientRxDataBytesDropped'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientTxDataPacketsDropped'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientRxDataPacketsDropped'))
if mibBuilder.loadTexts:
ciscoLwappDot11ClientAssocTrap.setStatus('current')
if mibBuilder.loadTexts:
ciscoLwappDot11ClientAssocTrap.setDescription('The notification shall be sent when the Station associats to controller.')
cisco_lwapp_dot11_client_de_authenticated_trap = notification_type((1, 3, 6, 1, 4, 1, 9, 9, 599, 0, 10)).setObjects(('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientTrapEventTime'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientUpTime'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientMacAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientByIpAddressType'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientByIpAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientPostureState'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientProtocol'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientVlanId'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientPolicyType'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientEapType'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientStatus'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientAID'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcApMacAddress'), ('CISCO-LWAPP-AP-MIB', 'cLApDot11IfSlotId'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientSSID'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientAuthenticationAlgorithm'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientWepState'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientEncryptionCypher'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientPortNumber'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientAnchorAddressType'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientAnchorAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientEssIndex'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientWlanProfileName'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientWgbStatus'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientWgbMacAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientCcxVersion'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientE2eVersion'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientInterface'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClient80211uCapable'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientMobilityStatus'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientRSSI'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientSNR'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientDataRetries'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientRtsRetries'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientUsername'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcDOT11ClientReasonCode'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientStatusCode'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientDeleteAction'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientSecurityPolicyStatus'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientNacState'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientLoginTime'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientAssocTime'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientCurrentTxRateSet'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientDataRateSet'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientHreapApAuth'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldccCcxFoundationServiceVersion'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldccCcxLocationServiceVersion'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldccCcxVoiceServiceVersion'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldccCcxManagementServiceVersion'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientDataSwitching'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientAuthentication'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientByIpAddressDiscoverType'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientByIpAddressLastSeen'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientPowerSaveMode'), ('CISCO-LWAPP-AP-MIB', 'cLApDot11RadioChannelNumber'), ('CISCO-LWAPP-AP-MIB', 'cLApIfLoadChannelUtilization'), ('CISCO-LWAPP-AP-MIB', 'cLApLocation'), ('CISCO-LWAPP-AP-MIB', 'cLAPGroupVlanName'), ('CISCO-LWAPP-AP-MIB', 'cLApSubMode'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientIPAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientPolicyErrors'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientPolicyManagerState'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientDataBytesSent'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientDataBytesReceived'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientDataPacketsSent'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientDataPacketsReceived'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientTxDataBytesDropped'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientRxDataBytesDropped'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientTxDataPacketsDropped'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientRxDataPacketsDropped'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientSessionId'))
if mibBuilder.loadTexts:
ciscoLwappDot11ClientDeAuthenticatedTrap.setStatus('current')
if mibBuilder.loadTexts:
ciscoLwappDot11ClientDeAuthenticatedTrap.setDescription('The notification shall be sent when the Station gets de-authenticated.')
cisco_lwapp_dot11_client_moved_to_run_state_new_trap = notification_type((1, 3, 6, 1, 4, 1, 9, 9, 599, 0, 11)).setObjects(('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientTrapEventTime'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientMacAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientByIpAddressType'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientByIpAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientPostureState'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientProtocol'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientVlanId'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientPolicyType'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientEapType'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientStatus'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientAID'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcApMacAddress'), ('CISCO-LWAPP-AP-MIB', 'cLApDot11IfSlotId'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientWlanProfileName'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientAuthenticationAlgorithm'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientWepState'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientEncryptionCypher'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientPortNumber'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientAnchorAddressType'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientAnchorAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientEssIndex'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientWgbStatus'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientWgbMacAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientCcxVersion'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientE2eVersion'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClient80211uCapable'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientMobilityStatus'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientRSSI'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientSNR'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientDataRetries'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientRtsRetries'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientUsername'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientStatusCode'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientSecurityPolicyStatus'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientNacState'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientLoginTime'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientDataRateSet'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientHreapApAuth'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldccCcxFoundationServiceVersion'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldccCcxLocationServiceVersion'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldccCcxVoiceServiceVersion'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldccCcxManagementServiceVersion'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientDataSwitching'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientAuthentication'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientByIpAddressDiscoverType'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientByIpAddressLastSeen'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientPowerSaveMode'), ('CISCO-LWAPP-AP-MIB', 'cLApDot11RadioChannelNumber'), ('CISCO-LWAPP-AP-MIB', 'cLApIfLoadChannelUtilization'), ('CISCO-LWAPP-AP-MIB', 'cLApSubMode'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientIPAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientPolicyManagerState'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientPmipNai'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientPmipState'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientPmipInterface'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientPmipHomeAddrType'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientPmipHomeAddr'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientPmipAtt'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientPmipLocalLinkId'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientPmipDomainName'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientPmipLmaName'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientPmipUpKey'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientPmipDownKey'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientPmipLifeTime'), ('CISCO-LWAPP-MOBILITY-EXT-MIB', 'cLMobilityExtMCClientAnchorMCPrivateAddressType'), ('CISCO-LWAPP-MOBILITY-EXT-MIB', 'cLMobilityExtMCClientAnchorMCPrivateAddress'), ('CISCO-LWAPP-MOBILITY-EXT-MIB', 'cLMobilityExtMCClientAssociatedMAAddressType'), ('CISCO-LWAPP-MOBILITY-EXT-MIB', 'cLMobilityExtMCClientAssociatedMAAddress'), ('CISCO-LWAPP-MOBILITY-EXT-MIB', 'cLMobilityExtMCClientAssociatedMCAddressType'), ('CISCO-LWAPP-MOBILITY-EXT-MIB', 'cLMobilityExtMCClientAssociatedMCAddress'), ('CISCO-LWAPP-MOBILITY-EXT-MIB', 'cLMobilityExtMCClientAssociatedMCGroupId'), ('CISCO-LWAPP-MOBILITY-EXT-MIB', 'cLMobilityExtMCClientAnchorMCGroupId'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientPmipDataValid'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientMobilityExtDataValid'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientSessionId'))
if mibBuilder.loadTexts:
ciscoLwappDot11ClientMovedToRunStateNewTrap.setStatus('current')
if mibBuilder.loadTexts:
ciscoLwappDot11ClientMovedToRunStateNewTrap.setDescription('The notification shall be sent when the Station moves to run or authenticated state.')
cisco_lwapp_dot11_client_mobility_trap = notification_type((1, 3, 6, 1, 4, 1, 9, 9, 599, 0, 12)).setObjects(('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientTrapEventTime'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientUpTime'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientMacAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientByIpAddressType'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientByIpAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientPostureState'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientProtocol'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientVlanId'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientPolicyType'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientEapType'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientStatus'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientAID'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcApMacAddress'), ('CISCO-LWAPP-AP-MIB', 'cLApDot11IfSlotId'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientSSID'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientAuthenticationAlgorithm'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientWepState'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientEncryptionCypher'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientPortNumber'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientAnchorAddressType'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientAnchorAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientEssIndex'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientWlanProfileName'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientWgbStatus'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientWgbMacAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientCcxVersion'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientE2eVersion'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientInterface'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClient80211uCapable'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientMobilityStatus'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientRSSI'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientSNR'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientDataRetries'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientRtsRetries'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientUsername'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcDOT11ClientReasonCode'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientStatusCode'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientDeleteAction'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientSecurityPolicyStatus'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientNacState'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientLoginTime'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientAssocTime'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientCurrentTxRateSet'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientDataRateSet'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientHreapApAuth'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldccCcxFoundationServiceVersion'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldccCcxLocationServiceVersion'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldccCcxVoiceServiceVersion'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldccCcxManagementServiceVersion'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientDataSwitching'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientAuthentication'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientByIpAddressDiscoverType'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientByIpAddressLastSeen'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientPowerSaveMode'), ('CISCO-LWAPP-AP-MIB', 'cLApDot11RadioChannelNumber'), ('CISCO-LWAPP-AP-MIB', 'cLApIfLoadChannelUtilization'), ('CISCO-LWAPP-AP-MIB', 'cLApLocation'), ('CISCO-LWAPP-AP-MIB', 'cLAPGroupVlanName'), ('CISCO-LWAPP-AP-MIB', 'cLApSubMode'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientIPAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientPolicyErrors'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientPolicyManagerState'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientDataBytesSent'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientDataBytesReceived'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientDataPacketsSent'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientDataPacketsReceived'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientTxDataBytesDropped'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientRxDataBytesDropped'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientTxDataPacketsDropped'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientRxDataPacketsDropped'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientSessionId'))
if mibBuilder.loadTexts:
ciscoLwappDot11ClientMobilityTrap.setStatus('current')
if mibBuilder.loadTexts:
ciscoLwappDot11ClientMobilityTrap.setDescription('The notification shall be sent when the Station gets roamed.')
cisco_lwapp_dot11_client_mib_compliances = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 599, 2, 1))
cisco_lwapp_dot11_client_mib_groups = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 599, 2, 2))
cisco_lwapp_dot11_client_mib_compliance = module_compliance((1, 3, 6, 1, 4, 1, 9, 9, 599, 2, 1, 1)).setObjects(('CISCO-LWAPP-DOT11-CLIENT-MIB', 'ciscoLwappDot11ClientMIBConfigGroup'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'ciscoLwappDot11ClientMIBNotifsGroup'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'ciscoLwappDot11ClientMIBStatusGroup'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cisco_lwapp_dot11_client_mib_compliance = ciscoLwappDot11ClientMIBCompliance.setStatus('deprecated')
if mibBuilder.loadTexts:
ciscoLwappDot11ClientMIBCompliance.setDescription('The compliance statement for the SNMP entities that implement this MIB. ')
cisco_lwapp_dot11_client_mib_compliance_rev2 = module_compliance((1, 3, 6, 1, 4, 1, 9, 9, 599, 2, 1, 2)).setObjects(('CISCO-LWAPP-DOT11-CLIENT-MIB', 'ciscoLwappDot11ClientMIBConfigGroup'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'ciscoLwappDot11ClientMIBNotifsGroup'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'ciscoLwappDot11ClientMIBStatusGroup'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'ciscoLwappDot11ClientMIBStatusGroupRev2'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'ciscoLwappDot11ClientMIBNotifsGroupRev2'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'ciscoLwappDot11ClientMIBNotifControlGroup'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cisco_lwapp_dot11_client_mib_compliance_rev2 = ciscoLwappDot11ClientMIBComplianceRev2.setStatus('current')
if mibBuilder.loadTexts:
ciscoLwappDot11ClientMIBComplianceRev2.setDescription('The compliance statement for the SNMP entities that implement this MIB.')
cisco_lwapp_dot11_client_mib_config_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 599, 2, 2, 1)).setObjects(('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcKeyDecryptErrorEnabled'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cisco_lwapp_dot11_client_mib_config_group = ciscoLwappDot11ClientMIBConfigGroup.setStatus('current')
if mibBuilder.loadTexts:
ciscoLwappDot11ClientMIBConfigGroup.setDescription('This collection of objects specifies the required configuration parameters for the 802.11 wireless clients.')
cisco_lwapp_dot11_client_mib_notifs_group = notification_group((1, 3, 6, 1, 4, 1, 9, 9, 599, 2, 2, 2)).setObjects(('CISCO-LWAPP-DOT11-CLIENT-MIB', 'ciscoLwappDot11ClientKeyDecryptError'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cisco_lwapp_dot11_client_mib_notifs_group = ciscoLwappDot11ClientMIBNotifsGroup.setStatus('current')
if mibBuilder.loadTexts:
ciscoLwappDot11ClientMIBNotifsGroup.setDescription('This collection of objects specifies the notifications for the 802.11 wireless clients.')
cisco_lwapp_dot11_client_mib_status_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 599, 2, 2, 3)).setObjects(('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientStatus'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientWlanProfileName'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientWgbStatus'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientWgbMacAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientProtocol'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcAssociationMode'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcApMacAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcIfType'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientIPAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientNacState'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientQuarantineVLAN'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientAccessVLAN'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientAuthMode'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cisco_lwapp_dot11_client_mib_status_group = ciscoLwappDot11ClientMIBStatusGroup.setStatus('current')
if mibBuilder.loadTexts:
ciscoLwappDot11ClientMIBStatusGroup.setDescription('This collection of objects specifies the required status parameters for the 802.11 wireless clients.')
cisco_lwapp_dot11_client_mib_status_group_rev2 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 599, 2, 2, 4)).setObjects(('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientLoginTime'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientUpTime'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientPowerSaveMode'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientCurrentTxRateSet'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientDataRateSet'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientHreapApAuth'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClient80211uCapable'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientDataRetries'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientRtsRetries'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientDuplicatePackets'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientDecryptFailures'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientMicErrors'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientMicMissingFrames'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientIPAddress'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientNacState'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientQuarantineVLAN'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientAccessVLAN'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientPostureState'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientAclName'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientAclApplied'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientRedirectUrl'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientAaaOverrideAclName'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientAaaOverrideAclApplied'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientUsername'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcClientSSID'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cisco_lwapp_dot11_client_mib_status_group_rev2 = ciscoLwappDot11ClientMIBStatusGroupRev2.setStatus('current')
if mibBuilder.loadTexts:
ciscoLwappDot11ClientMIBStatusGroupRev2.setDescription('This collection of objects specifies the required status parameters for the 802.11 wireless clients.')
cisco_lwapp_dot11_client_mib_notifs_group_rev2 = notification_group((1, 3, 6, 1, 4, 1, 9, 9, 599, 2, 2, 5)).setObjects(('CISCO-LWAPP-DOT11-CLIENT-MIB', 'ciscoLwappDot11ClientAssocNacAlert'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'ciscoLwappDot11ClientDisassocNacAlert'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'ciscoLwappDot11ClientMovedToRunState'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cisco_lwapp_dot11_client_mib_notifs_group_rev2 = ciscoLwappDot11ClientMIBNotifsGroupRev2.setStatus('current')
if mibBuilder.loadTexts:
ciscoLwappDot11ClientMIBNotifsGroupRev2.setDescription('This collection of objects represents the notifications for the 802.11 wireless clients.')
cisco_lwapp_dot11_client_mib_notif_control_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 599, 2, 2, 6)).setObjects(('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcAssocNacAlertEnabled'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcDisassocNacAlertEnabled'), ('CISCO-LWAPP-DOT11-CLIENT-MIB', 'cldcMovedToRunStateEnabled'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cisco_lwapp_dot11_client_mib_notif_control_group = ciscoLwappDot11ClientMIBNotifControlGroup.setStatus('current')
if mibBuilder.loadTexts:
ciscoLwappDot11ClientMIBNotifControlGroup.setDescription('This collection of objects represents the objects that control the notifications for the 802.11 wireless clients.')
mibBuilder.exportSymbols('CISCO-LWAPP-DOT11-CLIENT-MIB', cldcSleepingClientTable=cldcSleepingClientTable, cldcClientTrapEventTime=cldcClientTrapEventTime, cldcClientPmipDataValid=cldcClientPmipDataValid, cldcClientPolicyManagerState=cldcClientPolicyManagerState, cldcClientPmipAtt=cldcClientPmipAtt, cldcClientMobilityExtDataValid=cldcClientMobilityExtDataValid, cldcClientDataBytesSent=cldcClientDataBytesSent, cldcClientMdnsAdvCount=cldcClientMdnsAdvCount, cldcClientDecryptFailures=cldcClientDecryptFailures, cldcClientAuthentication=cldcClientAuthentication, ciscoLwappDot11ClientMovedToRunState=ciscoLwappDot11ClientMovedToRunState, cldcClientQuarantineVLAN=cldcClientQuarantineVLAN, cldccCcxVoiceServiceVersion=cldccCcxVoiceServiceVersion, cldcClientRtsRetries=cldcClientRtsRetries, cldcClientPmipDownKey=cldcClientPmipDownKey, cldcClientPmipNai=cldcClientPmipNai, cldcClientReasonCode=cldcClientReasonCode, cldcClientHreapApAuth=cldcClientHreapApAuth, cldcClientPostureState=cldcClientPostureState, cldcClientDataPacketsSent=cldcClientDataPacketsSent, cldcClientRxRealtimePacketsDropped=cldcClientRxRealtimePacketsDropped, cldcClientAnchorAddressType=cldcClientAnchorAddressType, cldcClientChannel=cldcClientChannel, cldcStatisticObjects=cldcStatisticObjects, cldcClientStatus=cldcClientStatus, cldcClientByIpAddressDiscoverType=cldcClientByIpAddressDiscoverType, cldcAssocNacAlertEnabled=cldcAssocNacAlertEnabled, cldcClientRealtimePacketsSent=cldcClientRealtimePacketsSent, cldcClientSecurityPolicyStatus=cldcClientSecurityPolicyStatus, cldcClientCurrentTxRateSet=cldcClientCurrentTxRateSet, ciscoLwappDot11ClientMIBNotifControlGroup=ciscoLwappDot11ClientMIBNotifControlGroup, cldcClientUpTime=cldcClientUpTime, cldcClientSessionID=cldcClientSessionID, cldcClientRxDataPackets=cldcClientRxDataPackets, ciscoLwappDot11ClientAssocDataStatsTrap=ciscoLwappDot11ClientAssocDataStatsTrap, cldcDOT11ClientRxDataPackets=cldcDOT11ClientRxDataPackets, ciscoLwappDot11ClientMIBComplianceRev2=ciscoLwappDot11ClientMIBComplianceRev2, cldcClientDataSwitching=cldcClientDataSwitching, cldcClientPolicyName=cldcClientPolicyName, ciscoLwappDot11ClientMIBGroups=ciscoLwappDot11ClientMIBGroups, ciscoLwappDot11ClientMIBObjects=ciscoLwappDot11ClientMIBObjects, cldcClientPolicyErrors=cldcClientPolicyErrors, cldcClientRealtimeBytesSent=cldcClientRealtimeBytesSent, cldcNotifObjects=cldcNotifObjects, cldcClientWgbMacAddress=cldcClientWgbMacAddress, cldcSleepingClientUserName=cldcSleepingClientUserName, cldcCcxObjects=cldcCcxObjects, cldcKeyDecryptErrorEnabled=cldcKeyDecryptErrorEnabled, cldcClientByIpAddressLastSeen=cldcClientByIpAddressLastSeen, ciscoLwappDot11ClientStaticIpFailTrap=ciscoLwappDot11ClientStaticIpFailTrap, cldcClientAaaOverrideAclName=cldcClientAaaOverrideAclName, ciscoLwappDot11ClientMIBConform=ciscoLwappDot11ClientMIBConform, ciscoLwappDot11ClientStaticIpFailTrapEnabled=ciscoLwappDot11ClientStaticIpFailTrapEnabled, cldcClientCcxVersion=cldcClientCcxVersion, cldcClientRaPacketsDropped=cldcClientRaPacketsDropped, ciscoLwappDot11ClientMIBNotifsGroupRev2=ciscoLwappDot11ClientMIBNotifsGroupRev2, ciscoLwappDot11ClientMIBCompliance=ciscoLwappDot11ClientMIBCompliance, cldcDOT11ClientTxDataBytes=cldcDOT11ClientTxDataBytes, cldccCcxManagementServiceVersion=cldccCcxManagementServiceVersion, ciscoLwappDot11ClientMIBConfigGroup=ciscoLwappDot11ClientMIBConfigGroup, cldcClientIpv6AclApplied=cldcClientIpv6AclApplied, cldcClientByIpEntry=cldcClientByIpEntry, cldcClientEntry=cldcClientEntry, cldccCcxFoundationServiceVersion=cldccCcxFoundationServiceVersion, cldcClientSNR=cldcClientSNR, cldcClientDataPacketsReceived=cldcClientDataPacketsReceived, cldcClientAID=cldcClientAID, cldcClientPortNumber=cldcClientPortNumber, cldcClientPolicyType=cldcClientPolicyType, cldcClientPmipHomeAddrType=cldcClientPmipHomeAddrType, cldcClientTxDataBytesDropped=cldcClientTxDataBytesDropped, cldccCcxVersionInfoTable=cldccCcxVersionInfoTable, cldcClientMdnsProfile=cldcClientMdnsProfile, cldcSleepingClientSsid=cldcSleepingClientSsid, cldcClientWlanProfileName=cldcClientWlanProfileName, cldcConfigObjects=cldcConfigObjects, cldcClientPowerSaveMode=cldcClientPowerSaveMode, cldcClientDataRetries=cldcClientDataRetries, cldcClientMacAddress=cldcClientMacAddress, cldcClientIPAddress=cldcClientIPAddress, cldcClientStatisticEntry=cldcClientStatisticEntry, cldcClientByIpAddress=cldcClientByIpAddress, ciscoLwappDot11ClientCcxMIBObjects=ciscoLwappDot11ClientCcxMIBObjects, ciscoLwappDot11ClientMIBStatusGroupRev2=ciscoLwappDot11ClientMIBStatusGroupRev2, cldcClientDuplicatePackets=cldcClientDuplicatePackets, cldcClientRxDataPacketsDropped=cldcClientRxDataPacketsDropped, cldcAssociationMode=cldcAssociationMode, cldcClientEssIndex=cldcClientEssIndex, ciscoLwappDot11ClientMovedToRunStateNewTrap=ciscoLwappDot11ClientMovedToRunStateNewTrap, cldcClientRealtimeBytesReceived=cldcClientRealtimeBytesReceived, cldcClientStatisticTable=cldcClientStatisticTable, ciscoLwappDot11ClientMIBStatusGroup=ciscoLwappDot11ClientMIBStatusGroup, cldcClientPmipHomeAddr=cldcClientPmipHomeAddr, cldcClientTxRealtimePacketsDropped=cldcClientTxRealtimePacketsDropped, cldcClientTxRealtimeBytesDropped=cldcClientTxRealtimeBytesDropped, cldcClientEncryptionCypher=cldcClientEncryptionCypher, cldcClientTypeKTS=cldcClientTypeKTS, cldcClientLoginTime=cldcClientLoginTime, cldcClientInterface=cldcClientInterface, cldcMovedToRunStateEnabled=cldcMovedToRunStateEnabled, cldcClientApRoamMacAddress=cldcClientApRoamMacAddress, cldcClientVlanId=cldcClientVlanId, cldcClientWepState=cldcClientWepState, cldcDOT11ClientReasonCode=cldcDOT11ClientReasonCode, cldcClientEapType=cldcClientEapType, cldcClientRedirectUrl=cldcClientRedirectUrl, ciscoLwappDot11ClientAssocTrap=ciscoLwappDot11ClientAssocTrap, cldcClientAuthMode=cldcClientAuthMode, cldcClientPmipLmaName=cldcClientPmipLmaName, cldcClientSSID=cldcClientSSID, cldcClient80211uCapable=cldcClient80211uCapable, cldcClientPmipUpKey=cldcClientPmipUpKey, cldcSleepingClientEntry=cldcSleepingClientEntry, cldcClientMicMissingFrames=cldcClientMicMissingFrames, cldcClientDeleteAction=cldcClientDeleteAction, cldcStatusObjects=cldcStatusObjects, cldcClientWgbStatus=cldcClientWgbStatus, cldcClientAclName=cldcClientAclName, cldcClientDeviceType=cldcClientDeviceType, cldcSleepingClientRowStatus=cldcSleepingClientRowStatus, cldcSleepingClientRemainingTime=cldcSleepingClientRemainingTime, cldcClientAnchorAddress=cldcClientAnchorAddress, ciscoLwappDot11ClientAssocNacAlert=ciscoLwappDot11ClientAssocNacAlert, ciscoLwappDot11ClientDisassocNacAlert=ciscoLwappDot11ClientDisassocNacAlert, cldcClientStatusCode=cldcClientStatusCode, ciscoLwappDot11ClientMIB=ciscoLwappDot11ClientMIB, cldcClientInterimUpdatesCount=cldcClientInterimUpdatesCount, cldcClientRxRealtimeBytesDropped=cldcClientRxRealtimeBytesDropped, cldcClientTxDataPacketsDropped=cldcClientTxDataPacketsDropped, cldcClientE2eVersion=cldcClientE2eVersion, cldccCcxLocationServiceVersion=cldccCcxLocationServiceVersion, ciscoLwappDot11ClientDeAuthenticatedTrap=ciscoLwappDot11ClientDeAuthenticatedTrap, cldcDisassocNacAlertEnabled=cldcDisassocNacAlertEnabled, cldcClientRealtimePacketsReceived=cldcClientRealtimePacketsReceived, cldcClientDataRateSet=cldcClientDataRateSet, cldcClientAaaOverrideAclApplied=cldcClientAaaOverrideAclApplied, cldcClientMicErrors=cldcClientMicErrors, cldcClientAAARole=cldcClientAAARole, cldccCcxVersionInfoEntry=cldccCcxVersionInfoEntry, cldcApMacAddress=cldcApMacAddress, cldcClientRSSI=cldcClientRSSI, ciscoLwappDot11ClientMIBNotifsGroup=ciscoLwappDot11ClientMIBNotifsGroup, PYSNMP_MODULE_ID=ciscoLwappDot11ClientMIB, cldcClientPmipLocalLinkId=cldcClientPmipLocalLinkId, ciscoLwappDot11ClientSessionTrap=ciscoLwappDot11ClientSessionTrap, ciscoLwappDot11ClientMobilityTrap=ciscoLwappDot11ClientMobilityTrap, cldcClientAuthenticationAlgorithm=cldcClientAuthenticationAlgorithm, cldcClientProtocol=cldcClientProtocol, cldcSleepingClientMacAddress=cldcSleepingClientMacAddress, ciscoLwappDot11ClientMIBCompliances=ciscoLwappDot11ClientMIBCompliances, cldcClientIpv6AclName=cldcClientIpv6AclName, cldcClientAclApplied=cldcClientAclApplied, cldcClientRxDataBytes=cldcClientRxDataBytes, ciscoLwappDot11ClientKeyDecryptError=ciscoLwappDot11ClientKeyDecryptError, cldcClientNacState=cldcClientNacState, cldcClientAccessVLAN=cldcClientAccessVLAN, cldcClientTxDataBytes=cldcClientTxDataBytes, cldcClientPmipInterface=cldcClientPmipInterface, cldcClientTable=cldcClientTable, cldcClientByIpTable=cldcClientByIpTable, cldcClientPmipLifeTime=cldcClientPmipLifeTime, cldcClientRxDataBytesDropped=cldcClientRxDataBytesDropped, cldcClientSessionId=cldcClientSessionId, cldcClientUsername=cldcClientUsername, cldcClientByIpAddressType=cldcClientByIpAddressType, cldcClientDataBytesReceived=cldcClientDataBytesReceived, ciscoLwappDot11ClientMIBNotifs=ciscoLwappDot11ClientMIBNotifs, cldcClientTxDataPackets=cldcClientTxDataPackets, ciscoLwappDot11ClientDisassocDataStatsTrap=ciscoLwappDot11ClientDisassocDataStatsTrap, cldcUserAuthType=cldcUserAuthType, cldcIfType=cldcIfType, cldcClientSecurityTagId=cldcClientSecurityTagId, cldcDOT11ClientTxDataPackets=cldcDOT11ClientTxDataPackets, cldcDOT11ClientRxDataBytes=cldcDOT11ClientRxDataBytes, cldcClientAssocTime=cldcClientAssocTime, cldcClientPmipDomainName=cldcClientPmipDomainName, cldcClientMobilityStatus=cldcClientMobilityStatus, cldcClientPmipState=cldcClientPmipState) |
'''
pyleaves/pyleaves/trainers/__init__.py
trainers submodule of the pyleaves package
contains trainer subclasses for use in pyleaves for assembling and executing full experiments.
e.g. data preprocessing -> data loading -> model training -> model testing
'''
| """
pyleaves/pyleaves/trainers/__init__.py
trainers submodule of the pyleaves package
contains trainer subclasses for use in pyleaves for assembling and executing full experiments.
e.g. data preprocessing -> data loading -> model training -> model testing
""" |
# n = int(input())
# for i in range(n):
# print("*"*i)
# n = int(input())
# i = n
# while i >=0:
# print("*"*i)
# i -= 1
# n = int(input())
# i = 0
# j = n
# while i <=n:
# print(" "*j+"*"*i)
# i += 1
# j -= 1
# n = int(input())
# i = n
# j = 0
# while i >=0:
# print(" "*j+"*"*i)
# i -= 1
# j += 1
n = int(input())
i = n
j = 0
while i >= 0:
print(" "*j+"*"*i)
i -= 2
j += 1
| n = int(input())
i = n
j = 0
while i >= 0:
print(' ' * j + '*' * i)
i -= 2
j += 1 |
# Space: O(n)
# Time: O(n)
class RecentCounter:
def __init__(self):
self.data = []
self.count = 0
def ping(self, t: int) -> int:
self.data.append(t)
self.count += 1
while self.data[0] < max(0, t - 3000):
self.data.pop(0)
self.count -= 1
return self.count
| class Recentcounter:
def __init__(self):
self.data = []
self.count = 0
def ping(self, t: int) -> int:
self.data.append(t)
self.count += 1
while self.data[0] < max(0, t - 3000):
self.data.pop(0)
self.count -= 1
return self.count |
languages = []
languages.append("Java")
languages.append("Python")
languages.append("C#")
languages.append("Ruby")
print(languages)
numbers = [1, 2, 3]
imdb_top_3 = [
"The Shawshank Redemption",
"The Godfather",
"The Godfather: Part II"
]
print(imdb_top_3)
empty = []
mixed = [1, True, "Three", [], None]
print(mixed)
# len is a "built-in" function
# more on them, here - https://docs.python.org/3/library/functions.html
if len(empty) == 0:
print("Empty list check with len")
# bool([]) == False
# bool([1]) == True
if numbers:
print("Numbers is non-empty")
if not empty:
print("empty is empty")
# How to check if a given value exists in a list
if 1 in numbers:
print("1 is in numbers")
if 10 not in numbers:
print("10 is not in numbers")
for n in numbers:
print(n)
for movie in imdb_top_3:
print(movie)
for nothing in empty:
print(nothing)
for item in mixed:
print(item)
# Lists have standard index access
print(numbers[0])
# Lists can be mutated
print(numbers)
numbers[0] = 111
print(numbers)
print(empty)
empty.append("Something")
print(empty)
# We can easily compare lists
# Two lists xs & ns are equal, if
# xs[i] == ns[i] for every index i of that lists
# or if both xs & ns are empty
print([] == [])
print([1] == [])
print([1, 2] == [2, 1])
| languages = []
languages.append('Java')
languages.append('Python')
languages.append('C#')
languages.append('Ruby')
print(languages)
numbers = [1, 2, 3]
imdb_top_3 = ['The Shawshank Redemption', 'The Godfather', 'The Godfather: Part II']
print(imdb_top_3)
empty = []
mixed = [1, True, 'Three', [], None]
print(mixed)
if len(empty) == 0:
print('Empty list check with len')
if numbers:
print('Numbers is non-empty')
if not empty:
print('empty is empty')
if 1 in numbers:
print('1 is in numbers')
if 10 not in numbers:
print('10 is not in numbers')
for n in numbers:
print(n)
for movie in imdb_top_3:
print(movie)
for nothing in empty:
print(nothing)
for item in mixed:
print(item)
print(numbers[0])
print(numbers)
numbers[0] = 111
print(numbers)
print(empty)
empty.append('Something')
print(empty)
print([] == [])
print([1] == [])
print([1, 2] == [2, 1]) |
"""
Client stub for connecting to file operations server. Any Windows client
(controller) abstractions should go here.
"""
| """
Client stub for connecting to file operations server. Any Windows client
(controller) abstractions should go here.
""" |
class Solution:
def reorganizeString(self, S: str) -> str:
"""Heap.
Running time:O(nlogn) where n is the length of S.
"""
c = collections.Counter(S)
heap = [(-v, k) for k, v in c.items()]
heapq.heapify(heap)
res = ''
while heap:
v, k = heapq.heappop(heap)
if not res or res[-1] != k:
res += k
if -v > 1:
heapq.heappush(heap, (v+1, k))
else:
if not heap:
return ''
vv, kk = heapq.heappop(heap)
res += kk
if -vv > 1:
heapq.heappush(heap, (vv+1, kk))
heapq.heappush(heap, (v, k))
return res
| class Solution:
def reorganize_string(self, S: str) -> str:
"""Heap.
Running time:O(nlogn) where n is the length of S.
"""
c = collections.Counter(S)
heap = [(-v, k) for (k, v) in c.items()]
heapq.heapify(heap)
res = ''
while heap:
(v, k) = heapq.heappop(heap)
if not res or res[-1] != k:
res += k
if -v > 1:
heapq.heappush(heap, (v + 1, k))
else:
if not heap:
return ''
(vv, kk) = heapq.heappop(heap)
res += kk
if -vv > 1:
heapq.heappush(heap, (vv + 1, kk))
heapq.heappush(heap, (v, k))
return res |
# Datasets
FACE_FORENSICS = 'ff++'
FACE_FORENSICS_DF = 'ff++_df'
FACE_FORENSICS_F2F = 'ff++_f2f'
FACE_FORENSICS_FSW = 'ff++_fsw'
FACE_FORENSICS_NT = 'ff++_nt'
FACE_FORENSICS_FSH = 'ff++_fsh'
CELEB_DF = 'celeb-df'
DEEPER_FORENSICS = 'deeperface'
DFDC = 'dfdc'
# Manipulation type of FaceForensics++
DF = 'Deepfakes'
F2F = 'Face2Face'
FSH = 'FaceShifter'
FSW = 'FaceSwap'
NT = 'NeuralTextures'
| face_forensics = 'ff++'
face_forensics_df = 'ff++_df'
face_forensics_f2_f = 'ff++_f2f'
face_forensics_fsw = 'ff++_fsw'
face_forensics_nt = 'ff++_nt'
face_forensics_fsh = 'ff++_fsh'
celeb_df = 'celeb-df'
deeper_forensics = 'deeperface'
dfdc = 'dfdc'
df = 'Deepfakes'
f2_f = 'Face2Face'
fsh = 'FaceShifter'
fsw = 'FaceSwap'
nt = 'NeuralTextures' |
"""
Copyright 2019 Skyscanner Ltd
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 Public:
def __init__(self, item):
self.item = item
def audit(self):
if self.item.arn.service == 'apigateway':
if self.item.policy:
return
apiKeyRequired = False
authorizationType = None
for res in self.item.resources:
if res['apiKeyRequired']:
apiKeyRequired = True
if res['authorizationType'] != 'NONE':
authorizationType = res['authorizationType']
if not apiKeyRequired and not authorizationType:
yield {
'level': 'high',
'text': 'Service is publicly accessible due to missing Resource-based policy'
}
| """
Copyright 2019 Skyscanner Ltd
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 Public:
def __init__(self, item):
self.item = item
def audit(self):
if self.item.arn.service == 'apigateway':
if self.item.policy:
return
api_key_required = False
authorization_type = None
for res in self.item.resources:
if res['apiKeyRequired']:
api_key_required = True
if res['authorizationType'] != 'NONE':
authorization_type = res['authorizationType']
if not apiKeyRequired and (not authorizationType):
yield {'level': 'high', 'text': 'Service is publicly accessible due to missing Resource-based policy'} |
def test_input_text(expected_result, actual_result):
assert expected_result == actual_result, \
"expected {}, got {}".format(expected_result, actual_result)
def main():
test_input_text(8, 8)
test_input_text(8, 11)
if __name__ == "__main__":
main()
| def test_input_text(expected_result, actual_result):
assert expected_result == actual_result, 'expected {}, got {}'.format(expected_result, actual_result)
def main():
test_input_text(8, 8)
test_input_text(8, 11)
if __name__ == '__main__':
main() |
pattern_zero=[0.0, 0.01492194674, 0.02938475666, 0.0303030303, 0.04338842975, 0.04522497704, 0.05693296602, 0.05968778696, 0.06060606061, 0.07001836547, 0.07369146006, 0.07552800735, 0.0826446281, 0.08723599633, 0.08999081726, 0.09090909091, 0.0948117539, 0.10032139578, 0.10399449036, 0.10583103765, 0.10651974288, 0.1129476584, 0.11753902663, 0.11776859504, 0.12029384757, 0.12121212121, 0.12511478421, 0.12855831038, 0.13062442608, 0.13429752066, 0.13613406795, 0.13682277319, 0.13888888889, 0.14325068871, 0.14784205693, 0.14807162534, 0.14876033058, 0.15059687787, 0.15151515152, 0.15541781451, 0.15817263545, 0.15886134068, 0.16092745638, 0.16460055096, 0.16643709826, 0.16712580349, 0.16919191919, 0.17355371901, 0.17561983471, 0.17814508724, 0.17837465565, 0.17906336088, 0.18089990817, 0.18181818182, 0.18365472911, 0.18572084481, 0.18847566575, 0.18916437098, 0.19123048669, 0.19490358127, 0.19674012856, 0.19742883379, 0.19834710744, 0.1994949495, 0.20385674931, 0.20500459137, 0.20592286501, 0.20844811754, 0.20867768595, 0.20936639119, 0.21120293848, 0.21212121212, 0.21395775941, 0.21602387512, 0.21694214876, 0.21877869605, 0.21946740129, 0.22153351699, 0.22222222222, 0.22520661157, 0.22704315886, 0.2277318641, 0.22865013774, 0.2297979798, 0.23140495868, 0.23415977961, 0.23530762167, 0.23622589532, 0.23875114784, 0.23898071625, 0.23966942149, 0.24150596878, 0.24173553719, 0.24242424242, 0.24426078972, 0.24632690542, 0.24724517906, 0.2479338843, 0.24908172635, 0.24977043159, 0.25, 0.25183654729, 0.25252525253, 0.25550964187, 0.25734618916, 0.2580348944, 0.25895316804, 0.2601010101, 0.26170798898, 0.26446280992, 0.26561065197, 0.26652892562, 0.26905417815, 0.26928374656, 0.26997245179, 0.27180899908, 0.27203856749, 0.27272727273, 0.27456382002, 0.27662993572, 0.27754820937, 0.2782369146, 0.27938475666, 0.28007346189, 0.2803030303, 0.28213957759, 0.28282828283, 0.28581267218, 0.28764921947, 0.2883379247, 0.28925619835, 0.2904040404, 0.29201101928, 0.29476584022, 0.29591368228, 0.29683195592, 0.29935720845, 0.29958677686, 0.30027548209, 0.30211202939, 0.3023415978, 0.30303030303, 0.30486685032, 0.30693296602, 0.30785123967, 0.3085399449, 0.30968778696, 0.3103764922, 0.31060606061, 0.3124426079, 0.31313131313, 0.31611570248, 0.31795224977, 0.31864095501, 0.31955922865, 0.32070707071, 0.32231404959, 0.32506887052, 0.32621671258, 0.32713498623, 0.32966023875, 0.32988980716, 0.3305785124, 0.33241505969, 0.3326446281, 0.33333333333, 0.33516988062, 0.33723599633, 0.33815426997, 0.33884297521, 0.33999081726, 0.3406795225, 0.34090909091, 0.3427456382, 0.34343434343, 0.34641873278, 0.34825528007, 0.34894398531, 0.34986225895, 0.35101010101, 0.35261707989, 0.35537190083, 0.35651974288, 0.35743801653, 0.35996326905, 0.36019283747, 0.3608815427, 0.36271808999, 0.3629476584, 0.36363636364, 0.36547291093, 0.36753902663, 0.36845730028, 0.36914600551, 0.37029384757, 0.3709825528, 0.37121212121, 0.3730486685, 0.37373737374, 0.37672176309, 0.37855831038, 0.37924701561, 0.38016528926, 0.38131313131, 0.38292011019, 0.38567493113, 0.38682277319, 0.38774104683, 0.39026629936, 0.39049586777, 0.391184573, 0.39302112029, 0.39325068871, 0.39393939394, 0.39577594123, 0.39784205693, 0.39876033058, 0.39944903581, 0.40059687787, 0.4012855831, 0.40151515152, 0.40335169881, 0.40404040404, 0.40702479339, 0.40886134068, 0.40955004591, 0.41046831956, 0.41161616162, 0.4132231405, 0.41597796143, 0.41712580349, 0.41804407714, 0.42056932966, 0.42079889807, 0.42148760331, 0.4233241506, 0.42355371901, 0.42424242424, 0.42607897153, 0.42814508724, 0.42906336088, 0.42975206612, 0.43089990817, 0.43158861341, 0.43181818182, 0.43365472911, 0.43434343434, 0.43732782369, 0.43916437098, 0.43985307622, 0.44077134986, 0.44191919192, 0.4435261708, 0.44628099174, 0.44742883379, 0.44834710744, 0.45087235996, 0.45110192838, 0.45179063361, 0.4536271809, 0.45385674931, 0.45454545455, 0.45638200184, 0.45844811754, 0.45936639119, 0.46005509642, 0.46120293848, 0.46189164371, 0.46212121212, 0.46395775941, 0.46464646465, 0.46763085399, 0.46946740129, 0.47015610652, 0.47107438017, 0.47222222222, 0.4738292011, 0.47658402204, 0.4777318641, 0.47865013774, 0.48117539027, 0.48140495868, 0.48209366391, 0.4839302112, 0.48415977961, 0.48484848485, 0.48668503214, 0.48875114784, 0.48966942149, 0.49035812672, 0.49150596878, 0.49219467401, 0.49242424242, 0.49426078972, 0.49494949495, 0.4979338843, 0.49977043159, 0.50045913682, 0.50137741047, 0.50252525253, 0.50413223141, 0.50688705234, 0.5080348944, 0.50895316804, 0.51147842057, 0.51170798898, 0.51239669422, 0.51423324151, 0.51446280992, 0.51515151515, 0.51698806244, 0.51905417815, 0.51997245179, 0.52066115703, 0.52180899908, 0.52249770432, 0.52272727273, 0.52456382002, 0.52525252525, 0.5282369146, 0.53007346189, 0.53076216713, 0.53168044077, 0.53282828283, 0.53443526171, 0.53719008265, 0.5383379247, 0.53925619835, 0.54178145087, 0.54201101928, 0.54269972452, 0.54453627181, 0.54476584022, 0.54545454546, 0.54729109275, 0.54935720845, 0.55027548209, 0.55096418733, 0.55211202939, 0.55280073462, 0.55303030303, 0.55486685032, 0.55555555556, 0.5585399449, 0.5603764922, 0.56106519743, 0.56198347107, 0.56313131313, 0.56473829201, 0.56749311295, 0.56864095501, 0.56955922865, 0.57208448118, 0.57231404959, 0.57300275482, 0.57483930211, 0.57506887052, 0.57575757576, 0.57759412305, 0.57966023875, 0.5805785124, 0.58126721763, 0.58241505969, 0.58310376492, 0.58333333333, 0.58516988062, 0.58585858586, 0.58884297521, 0.5906795225, 0.59136822773, 0.59228650138, 0.59343434343, 0.59504132231, 0.59779614325, 0.59894398531, 0.59986225895, 0.60238751148, 0.60261707989, 0.60330578512, 0.60514233242, 0.60537190083, 0.60606060606, 0.60789715335, 0.60996326905, 0.6108815427, 0.61157024793, 0.61271808999, 0.61340679523, 0.61363636364, 0.61547291093, 0.61616161616, 0.61914600551, 0.6209825528, 0.62167125804, 0.62258953168, 0.62373737374, 0.62534435262, 0.62809917355, 0.62924701561, 0.63016528926, 0.63269054178, 0.63292011019, 0.63360881543, 0.63544536272, 0.63567493113, 0.63636363636, 0.63820018366, 0.64026629936, 0.641184573, 0.64187327824, 0.64302112029, 0.64370982553, 0.64393939394, 0.64577594123, 0.64646464647, 0.64944903581, 0.6512855831, 0.65197428834, 0.65289256198, 0.65404040404, 0.65564738292, 0.65840220386, 0.65955004591, 0.66046831956, 0.66299357208, 0.6632231405, 0.66391184573, 0.66574839302, 0.66597796143, 0.66666666667, 0.66850321396, 0.67056932966, 0.67148760331, 0.67217630854, 0.6733241506, 0.67401285583, 0.67424242424, 0.67607897153, 0.67676767677, 0.67975206612, 0.68158861341, 0.68227731864, 0.68319559229, 0.68434343434, 0.68595041322, 0.68870523416, 0.68985307622, 0.69077134986, 0.69329660239, 0.6935261708, 0.69421487603, 0.69605142332, 0.69628099174, 0.69696969697, 0.69880624426, 0.70087235996, 0.70179063361, 0.70247933884, 0.7036271809, 0.70431588613, 0.70454545455, 0.70638200184, 0.70707070707, 0.71005509642, 0.71189164371, 0.71258034894, 0.71349862259, 0.71464646465, 0.71625344353, 0.71900826446, 0.72015610652, 0.72107438017, 0.72359963269, 0.7238292011, 0.72451790634, 0.72635445363, 0.72658402204, 0.72727272727, 0.72910927456, 0.73117539027, 0.73209366391, 0.73278236915, 0.7339302112, 0.73461891644, 0.73484848485, 0.73668503214, 0.73737373737, 0.74035812672, 0.74219467401, 0.74288337925, 0.74380165289, 0.74494949495, 0.74655647383, 0.74931129477, 0.75045913682, 0.75137741047, 0.75390266299, 0.75413223141, 0.75482093664, 0.75665748393, 0.75688705234, 0.75757575758, 0.75941230487, 0.76147842057, 0.76239669422, 0.76308539945, 0.76423324151, 0.76492194674, 0.76515151515, 0.76698806244, 0.76767676768, 0.77066115703, 0.77249770432, 0.77318640955, 0.7741046832, 0.77525252525, 0.77685950413, 0.77961432507, 0.78076216713, 0.78168044077, 0.7842056933, 0.78443526171, 0.78512396694, 0.78696051423, 0.78719008265, 0.78787878788, 0.78971533517, 0.79178145087, 0.79269972452, 0.79338842975, 0.79453627181, 0.79522497704, 0.79545454546, 0.79729109275, 0.79797979798, 0.80096418733, 0.80280073462, 0.80348943985, 0.8044077135, 0.80555555556, 0.80716253444, 0.80991735537, 0.81106519743, 0.81198347107, 0.8145087236, 0.81473829201, 0.81542699725, 0.81726354454, 0.81749311295, 0.81818181818, 0.82001836547, 0.82208448118, 0.82300275482, 0.82369146006, 0.82483930211, 0.82552800735, 0.82575757576, 0.82759412305, 0.82828282828, 0.83126721763, 0.83310376492, 0.83379247016, 0.8347107438, 0.83585858586, 0.83746556474, 0.84022038568, 0.84136822773, 0.84228650138, 0.8448117539, 0.84504132231, 0.84573002755, 0.84756657484, 0.84779614325, 0.84848484849, 0.85032139578, 0.85238751148, 0.85330578512, 0.85399449036, 0.85514233242, 0.85583103765, 0.85606060606, 0.85789715335, 0.85858585859, 0.86157024793, 0.86340679523, 0.86409550046, 0.86501377411, 0.86616161616, 0.86776859504, 0.87052341598, 0.87167125804, 0.87258953168, 0.87511478421, 0.87534435262, 0.87603305785, 0.87786960514, 0.87809917355, 0.87878787879, 0.88062442608, 0.88269054178, 0.88360881543, 0.88429752066, 0.88544536272, 0.88613406795, 0.88636363636, 0.88820018366, 0.88888888889, 0.89187327824, 0.89370982553, 0.89439853076, 0.89531680441, 0.89646464647, 0.89807162534, 0.90082644628, 0.90197428834, 0.90289256198, 0.90541781451, 0.90564738292, 0.90633608815, 0.90817263545, 0.90840220386, 0.90909090909, 0.91092745638, 0.91299357208, 0.91391184573, 0.91460055096, 0.91574839302, 0.91643709826, 0.91666666667, 0.91850321396, 0.91919191919, 0.92217630854, 0.92401285583, 0.92470156107, 0.92561983471, 0.92676767677, 0.92837465565, 0.93112947658, 0.93227731864, 0.93319559229, 0.93572084481, 0.93595041322, 0.93663911846, 0.93847566575, 0.93870523416, 0.93939393939, 0.94123048669, 0.94329660239, 0.94421487603, 0.94490358127, 0.94605142332, 0.94674012856, 0.94696969697, 0.94880624426, 0.9494949495, 0.95247933884, 0.95431588613, 0.95500459137, 0.95592286501, 0.95707070707, 0.95867768595, 0.96143250689, 0.96258034894, 0.96349862259, 0.96602387512, 0.96625344353, 0.96694214876, 0.96877869605, 0.96900826446, 0.9696969697, 0.97153351699, 0.97359963269, 0.97451790634, 0.97520661157, 0.97635445363, 0.97704315886, 0.97727272727, 0.97910927456, 0.9797979798, 0.98278236915, 0.98461891644, 0.98530762167, 0.98622589532, 0.98737373737, 0.98898071625, 0.99173553719, 0.99288337925, 0.99380165289, 0.99632690542, 0.99655647383, 0.99724517906, 0.99908172635, 0.99931129477]
pattern_odd=[0.0, 0.00183654729, 0.00390266299, 0.00482093664, 0.00550964187, 0.00665748393, 0.00734618916, 0.00757575758, 0.00941230487, 0.0101010101, 0.01308539945, 0.01492194674, 0.01561065197, 0.01652892562, 0.01767676768, 0.01928374656, 0.02203856749, 0.02318640955, 0.0241046832, 0.02662993572, 0.02685950413, 0.02754820937, 0.02938475666, 0.02961432507, 0.0303030303, 0.03213957759, 0.0342056933, 0.03512396694, 0.03581267218, 0.03696051423, 0.03764921947, 0.03787878788, 0.03971533517, 0.0404040404, 0.04338842975, 0.04522497704, 0.04591368228, 0.04683195592, 0.04797979798, 0.04958677686, 0.0523415978, 0.05348943985, 0.0544077135, 0.05693296602, 0.05716253444, 0.05785123967, 0.05968778696, 0.05991735537, 0.06060606061, 0.0624426079, 0.0645087236, 0.06542699725, 0.06611570248, 0.06726354454, 0.06795224977, 0.06818181818, 0.07001836547, 0.07070707071, 0.07369146006, 0.07552800735, 0.07621671258, 0.07713498623, 0.07828282828, 0.07988980716, 0.0826446281, 0.08379247016, 0.0847107438, 0.08723599633, 0.08746556474, 0.08815426997, 0.08999081726, 0.09022038568, 0.09090909091, 0.0927456382, 0.0948117539, 0.09573002755, 0.09641873278, 0.09756657484, 0.09825528007, 0.09848484849, 0.10032139578, 0.10101010101, 0.10399449036, 0.10583103765, 0.10651974288, 0.10743801653, 0.10858585859, 0.11019283747, 0.1129476584, 0.11409550046, 0.11501377411, 0.11753902663, 0.11776859504, 0.11845730028, 0.12029384757, 0.12052341598, 0.12121212121, 0.1230486685, 0.12511478421, 0.12603305785, 0.12672176309, 0.12786960514, 0.12855831038, 0.12878787879, 0.13062442608, 0.13131313131, 0.13429752066, 0.13613406795, 0.13682277319, 0.13774104683, 0.13888888889, 0.14049586777, 0.14325068871, 0.14439853076, 0.14531680441, 0.14784205693, 0.14807162534, 0.14876033058, 0.15059687787, 0.15082644628, 0.15151515152, 0.15335169881, 0.15541781451, 0.15633608815, 0.15702479339, 0.15817263545, 0.15886134068, 0.15909090909, 0.16092745638, 0.16161616162, 0.16460055096, 0.16643709826, 0.16712580349, 0.16804407714, 0.16919191919, 0.17079889807, 0.17355371901, 0.17470156107, 0.17561983471, 0.17814508724, 0.17837465565, 0.17906336088, 0.18089990817, 0.18112947658, 0.18181818182, 0.18365472911, 0.18572084481, 0.18663911846, 0.18732782369, 0.18847566575, 0.18916437098, 0.18939393939, 0.19123048669, 0.19191919192, 0.19490358127, 0.19674012856, 0.19742883379, 0.19834710744, 0.1994949495, 0.20110192838, 0.20385674931, 0.20500459137, 0.20592286501, 0.20844811754, 0.20867768595, 0.20936639119, 0.21120293848, 0.21143250689, 0.21212121212, 0.21395775941, 0.21602387512, 0.21694214876, 0.21763085399, 0.21877869605, 0.21946740129, 0.2196969697, 0.22153351699, 0.22222222222, 0.22520661157, 0.22704315886, 0.2277318641, 0.22865013774, 0.2297979798, 0.23140495868, 0.23415977961, 0.23530762167, 0.23622589532, 0.23875114784, 0.23898071625, 0.23966942149, 0.24150596878, 0.24173553719, 0.24242424242, 0.24426078972, 0.24632690542, 0.24724517906, 0.2479338843, 0.24908172635, 0.24977043159, 0.25, 0.25183654729, 0.25252525253, 0.25550964187, 0.25734618916, 0.2580348944, 0.25895316804, 0.2601010101, 0.26170798898, 0.26446280992, 0.26561065197, 0.26652892562, 0.26905417815, 0.26928374656, 0.26997245179, 0.27180899908, 0.27203856749, 0.27272727273, 0.27456382002, 0.27662993572, 0.27754820937, 0.2782369146, 0.27938475666, 0.28007346189, 0.2803030303, 0.28213957759, 0.28282828283, 0.28581267218, 0.28764921947, 0.2883379247, 0.28925619835, 0.2904040404, 0.29201101928, 0.29476584022, 0.29591368228, 0.29683195592, 0.29935720845, 0.29958677686, 0.30027548209, 0.30211202939, 0.3023415978, 0.30303030303, 0.30486685032, 0.30693296602, 0.30785123967, 0.3085399449, 0.30968778696, 0.3103764922, 0.31060606061, 0.3124426079, 0.31313131313, 0.31611570248, 0.31795224977, 0.31864095501, 0.31955922865, 0.32070707071, 0.32231404959, 0.32506887052, 0.32621671258, 0.32713498623, 0.32966023875, 0.32988980716, 0.3305785124, 0.33241505969, 0.3326446281, 0.33333333333, 0.33516988062, 0.33723599633, 0.33815426997, 0.33884297521, 0.33999081726, 0.3406795225, 0.34090909091, 0.3427456382, 0.34343434343, 0.34641873278, 0.34825528007, 0.34894398531, 0.34986225895, 0.35101010101, 0.35261707989, 0.35537190083, 0.35651974288, 0.35743801653, 0.35996326905, 0.36019283747, 0.3608815427, 0.36271808999, 0.3629476584, 0.36363636364, 0.36547291093, 0.36753902663, 0.36845730028, 0.36914600551, 0.37029384757, 0.3709825528, 0.37121212121, 0.3730486685, 0.37373737374, 0.37672176309, 0.37855831038, 0.37924701561, 0.38016528926, 0.38131313131, 0.38292011019, 0.38567493113, 0.38682277319, 0.38774104683, 0.39026629936, 0.39049586777, 0.391184573, 0.39302112029, 0.39325068871, 0.39393939394, 0.39577594123, 0.39784205693, 0.39876033058, 0.39944903581, 0.40059687787, 0.4012855831, 0.40151515152, 0.40335169881, 0.40404040404, 0.40702479339, 0.40886134068, 0.40955004591, 0.41046831956, 0.41161616162, 0.4132231405, 0.41597796143, 0.41712580349, 0.41804407714, 0.42056932966, 0.42079889807, 0.42148760331, 0.4233241506, 0.42355371901, 0.42424242424, 0.42607897153, 0.42814508724, 0.42906336088, 0.42975206612, 0.43089990817, 0.43158861341, 0.43181818182, 0.43365472911, 0.43434343434, 0.43732782369, 0.43916437098, 0.43985307622, 0.44077134986, 0.44191919192, 0.4435261708, 0.44628099174, 0.44742883379, 0.44834710744, 0.45087235996, 0.45110192838, 0.45179063361, 0.4536271809, 0.45385674931, 0.45454545455, 0.45638200184, 0.45844811754, 0.45936639119, 0.46005509642, 0.46120293848, 0.46189164371, 0.46212121212, 0.46395775941, 0.46464646465, 0.46763085399, 0.46946740129, 0.47015610652, 0.47107438017, 0.47222222222, 0.4738292011, 0.47658402204, 0.4777318641, 0.47865013774, 0.48117539027, 0.48140495868, 0.48209366391, 0.4839302112, 0.48415977961, 0.48484848485, 0.48668503214, 0.48875114784, 0.48966942149, 0.49035812672, 0.49150596878, 0.49219467401, 0.49242424242, 0.49426078972, 0.49494949495, 0.4979338843, 0.49977043159, 0.50045913682, 0.50137741047, 0.50252525253, 0.50413223141, 0.50688705234, 0.5080348944, 0.50895316804, 0.51147842057, 0.51170798898, 0.51239669422, 0.51423324151, 0.51446280992, 0.51515151515, 0.51698806244, 0.51905417815, 0.51997245179, 0.52066115703, 0.52180899908, 0.52249770432, 0.52272727273, 0.52456382002, 0.52525252525, 0.5282369146, 0.53007346189, 0.53076216713, 0.53168044077, 0.53282828283, 0.53443526171, 0.53719008265, 0.5383379247, 0.53925619835, 0.54178145087, 0.54201101928, 0.54269972452, 0.54453627181, 0.54476584022, 0.54545454546, 0.54729109275, 0.54935720845, 0.55027548209, 0.55096418733, 0.55211202939, 0.55280073462, 0.55303030303, 0.55486685032, 0.55555555556, 0.5585399449, 0.5603764922, 0.56106519743, 0.56198347107, 0.56313131313, 0.56473829201, 0.56749311295, 0.56864095501, 0.56955922865, 0.57208448118, 0.57231404959, 0.57300275482, 0.57483930211, 0.57506887052, 0.57575757576, 0.57759412305, 0.57966023875, 0.5805785124, 0.58126721763, 0.58241505969, 0.58310376492, 0.58333333333, 0.58516988062, 0.58585858586, 0.58884297521, 0.5906795225, 0.59136822773, 0.59228650138, 0.59343434343, 0.59504132231, 0.59779614325, 0.59894398531, 0.59986225895, 0.60238751148, 0.60261707989, 0.60330578512, 0.60514233242, 0.60537190083, 0.60606060606, 0.60789715335, 0.60996326905, 0.6108815427, 0.61157024793, 0.61271808999, 0.61340679523, 0.61363636364, 0.61547291093, 0.61616161616, 0.61914600551, 0.6209825528, 0.62167125804, 0.62258953168, 0.62373737374, 0.62534435262, 0.62809917355, 0.62924701561, 0.63016528926, 0.63269054178, 0.63292011019, 0.63360881543, 0.63544536272, 0.63567493113, 0.63636363636, 0.63820018366, 0.64026629936, 0.641184573, 0.64187327824, 0.64302112029, 0.64370982553, 0.64393939394, 0.64577594123, 0.64646464647, 0.64944903581, 0.6512855831, 0.65197428834, 0.65289256198, 0.65404040404, 0.65564738292, 0.65840220386, 0.65955004591, 0.66046831956, 0.66299357208, 0.6632231405, 0.66391184573, 0.66574839302, 0.66597796143, 0.66666666667, 0.66850321396, 0.67056932966, 0.67148760331, 0.67217630854, 0.6733241506, 0.67401285583, 0.67424242424, 0.67607897153, 0.67676767677, 0.67975206612, 0.68158861341, 0.68227731864, 0.68319559229, 0.68434343434, 0.68595041322, 0.68870523416, 0.68985307622, 0.69077134986, 0.69329660239, 0.6935261708, 0.69421487603, 0.69605142332, 0.69628099174, 0.69696969697, 0.69880624426, 0.70087235996, 0.70179063361, 0.70247933884, 0.7036271809, 0.70431588613, 0.70454545455, 0.70638200184, 0.70707070707, 0.71005509642, 0.71189164371, 0.71258034894, 0.71349862259, 0.71464646465, 0.71625344353, 0.71900826446, 0.72015610652, 0.72107438017, 0.72359963269, 0.7238292011, 0.72451790634, 0.72635445363, 0.72658402204, 0.72727272727, 0.72910927456, 0.73117539027, 0.73209366391, 0.73278236915, 0.7339302112, 0.73461891644, 0.73484848485, 0.73668503214, 0.73737373737, 0.74035812672, 0.74219467401, 0.74288337925, 0.74380165289, 0.74494949495, 0.74655647383, 0.74931129477, 0.75045913682, 0.75137741047, 0.75390266299, 0.75413223141, 0.75482093664, 0.75665748393, 0.75688705234, 0.75757575758, 0.75941230487, 0.76147842057, 0.76239669422, 0.76308539945, 0.76423324151, 0.76492194674, 0.76515151515, 0.76698806244, 0.76767676768, 0.77066115703, 0.77249770432, 0.77318640955, 0.7741046832, 0.77525252525, 0.77685950413, 0.77961432507, 0.78076216713, 0.78168044077, 0.7842056933, 0.78443526171, 0.78512396694, 0.78696051423, 0.78719008265, 0.78787878788, 0.78971533517, 0.79178145087, 0.79269972452, 0.79338842975, 0.79453627181, 0.79522497704, 0.79545454546, 0.79729109275, 0.79797979798, 0.80096418733, 0.80280073462, 0.80348943985, 0.8044077135, 0.80555555556, 0.80716253444, 0.80991735537, 0.81106519743, 0.81198347107, 0.8145087236, 0.81473829201, 0.81542699725, 0.81726354454, 0.81749311295, 0.81818181818, 0.82001836547, 0.82208448118, 0.82300275482, 0.82369146006, 0.82483930211, 0.82552800735, 0.82575757576, 0.82759412305, 0.82828282828, 0.83126721763, 0.83310376492, 0.83379247016, 0.8347107438, 0.83585858586, 0.83746556474, 0.84022038568, 0.84136822773, 0.84228650138, 0.8448117539, 0.84504132231, 0.84573002755, 0.84756657484, 0.84779614325, 0.84848484849, 0.85032139578, 0.85238751148, 0.85330578512, 0.85399449036, 0.85514233242, 0.85583103765, 0.85606060606, 0.85789715335, 0.85858585859, 0.86157024793, 0.86340679523, 0.86409550046, 0.86501377411, 0.86616161616, 0.86776859504, 0.87052341598, 0.87167125804, 0.87258953168, 0.87511478421, 0.87534435262, 0.87603305785, 0.87786960514, 0.87809917355, 0.87878787879, 0.88062442608, 0.88269054178, 0.88360881543, 0.88429752066, 0.88544536272, 0.88613406795, 0.88636363636, 0.88820018366, 0.88888888889, 0.89187327824, 0.89370982553, 0.89439853076, 0.89531680441, 0.89646464647, 0.89807162534, 0.90082644628, 0.90197428834, 0.90289256198, 0.90541781451, 0.90564738292, 0.90633608815, 0.90817263545, 0.90840220386, 0.90909090909, 0.91092745638, 0.91299357208, 0.91391184573, 0.91460055096, 0.91574839302, 0.91643709826, 0.91666666667, 0.91850321396, 0.91919191919, 0.92217630854, 0.92401285583, 0.92470156107, 0.92561983471, 0.92676767677, 0.92837465565, 0.93112947658, 0.93227731864, 0.93319559229, 0.93572084481, 0.93595041322, 0.93663911846, 0.93847566575, 0.93870523416, 0.93939393939, 0.94123048669, 0.94329660239, 0.94421487603, 0.94490358127, 0.94605142332, 0.94674012856, 0.94696969697, 0.94880624426, 0.9494949495, 0.95247933884, 0.95431588613, 0.95500459137, 0.95592286501, 0.95707070707, 0.95867768595, 0.96143250689, 0.96258034894, 0.96349862259, 0.96602387512, 0.96625344353, 0.96694214876, 0.96877869605, 0.96900826446, 0.9696969697, 0.97153351699, 0.97359963269, 0.97451790634, 0.97520661157, 0.97635445363, 0.97704315886, 0.97727272727, 0.97910927456, 0.9797979798, 0.98278236915, 0.98461891644, 0.98530762167, 0.98622589532, 0.98737373737, 0.98898071625, 0.99173553719, 0.99288337925, 0.99380165289, 0.99632690542, 0.99655647383, 0.99724517906, 0.99908172635, 0.99931129477]
pattern_even=[0.0, 0.00183654729, 0.00390266299, 0.00482093664, 0.00550964187, 0.00665748393, 0.00734618916, 0.00757575758, 0.00941230487, 0.0101010101, 0.01308539945, 0.01492194674, 0.01561065197, 0.01652892562, 0.01767676768, 0.01928374656, 0.02203856749, 0.02318640955, 0.0241046832, 0.02662993572, 0.02685950413, 0.02754820937, 0.02938475666, 0.02961432507, 0.0303030303, 0.03213957759, 0.0342056933, 0.03512396694, 0.03581267218, 0.03696051423, 0.03764921947, 0.03787878788, 0.03971533517, 0.0404040404, 0.04338842975, 0.04522497704, 0.04591368228, 0.04683195592, 0.04797979798, 0.04958677686, 0.0523415978, 0.05348943985, 0.0544077135, 0.05693296602, 0.05716253444, 0.05785123967, 0.05968778696, 0.05991735537, 0.06060606061, 0.0624426079, 0.0645087236, 0.06542699725, 0.06611570248, 0.06726354454, 0.06795224977, 0.06818181818, 0.07001836547, 0.07070707071, 0.07369146006, 0.07552800735, 0.07621671258, 0.07713498623, 0.07828282828, 0.07988980716, 0.0826446281, 0.08379247016, 0.0847107438, 0.08723599633, 0.08746556474, 0.08815426997, 0.08999081726, 0.09022038568, 0.09090909091, 0.0927456382, 0.0948117539, 0.09573002755, 0.09641873278, 0.09756657484, 0.09825528007, 0.09848484849, 0.10032139578, 0.10101010101, 0.10399449036, 0.10583103765, 0.10651974288, 0.10743801653, 0.10858585859, 0.11019283747, 0.1129476584, 0.11409550046, 0.11501377411, 0.11753902663, 0.11776859504, 0.11845730028, 0.12029384757, 0.12052341598, 0.12121212121, 0.1230486685, 0.12511478421, 0.12603305785, 0.12672176309, 0.12786960514, 0.12855831038, 0.12878787879, 0.13062442608, 0.13131313131, 0.13429752066, 0.13613406795, 0.13682277319, 0.13774104683, 0.13888888889, 0.14049586777, 0.14325068871, 0.14439853076, 0.14531680441, 0.14784205693, 0.14807162534, 0.14876033058, 0.15059687787, 0.15082644628, 0.15151515152, 0.15335169881, 0.15541781451, 0.15633608815, 0.15702479339, 0.15817263545, 0.15886134068, 0.15909090909, 0.16092745638, 0.16161616162, 0.16460055096, 0.16643709826, 0.16712580349, 0.16804407714, 0.16919191919, 0.17079889807, 0.17355371901, 0.17470156107, 0.17561983471, 0.17814508724, 0.17837465565, 0.17906336088, 0.18089990817, 0.18112947658, 0.18181818182, 0.18365472911, 0.18572084481, 0.18663911846, 0.18732782369, 0.18847566575, 0.18916437098, 0.18939393939, 0.19123048669, 0.19191919192, 0.19490358127, 0.19674012856, 0.19742883379, 0.19834710744, 0.1994949495, 0.20110192838, 0.20385674931, 0.20500459137, 0.20592286501, 0.20844811754, 0.20867768595, 0.20936639119, 0.21120293848, 0.21143250689, 0.21212121212, 0.21395775941, 0.21602387512, 0.21694214876, 0.21763085399, 0.21877869605, 0.21946740129, 0.2196969697, 0.22153351699, 0.22222222222, 0.22520661157, 0.22704315886, 0.2277318641, 0.22865013774, 0.2297979798, 0.23140495868, 0.23415977961, 0.23530762167, 0.23622589532, 0.23875114784, 0.23898071625, 0.23966942149, 0.24150596878, 0.24173553719, 0.24242424242, 0.24426078972, 0.24632690542, 0.24724517906, 0.2479338843, 0.24908172635, 0.24977043159, 0.25, 0.25183654729, 0.25252525253, 0.25550964187, 0.25734618916, 0.2580348944, 0.25895316804, 0.2601010101, 0.26170798898, 0.26446280992, 0.26561065197, 0.26652892562, 0.26905417815, 0.26928374656, 0.26997245179, 0.27180899908, 0.27203856749, 0.27272727273, 0.27456382002, 0.27662993572, 0.27754820937, 0.2782369146, 0.27938475666, 0.28007346189, 0.2803030303, 0.28213957759, 0.28282828283, 0.28581267218, 0.28764921947, 0.2883379247, 0.28925619835, 0.2904040404, 0.29201101928, 0.29476584022, 0.29591368228, 0.29683195592, 0.29935720845, 0.29958677686, 0.30027548209, 0.30211202939, 0.3023415978, 0.30303030303, 0.30486685032, 0.30693296602, 0.30785123967, 0.3085399449, 0.30968778696, 0.3103764922, 0.31060606061, 0.3124426079, 0.31313131313, 0.31611570248, 0.31795224977, 0.31864095501, 0.31955922865, 0.32070707071, 0.32231404959, 0.32506887052, 0.32621671258, 0.32713498623, 0.32966023875, 0.32988980716, 0.3305785124, 0.33241505969, 0.3326446281, 0.33333333333, 0.33516988062, 0.33723599633, 0.33815426997, 0.33884297521, 0.33999081726, 0.3406795225, 0.34090909091, 0.3427456382, 0.34343434343, 0.34641873278, 0.34825528007, 0.34894398531, 0.34986225895, 0.35101010101, 0.35261707989, 0.35537190083, 0.35651974288, 0.35743801653, 0.35996326905, 0.36019283747, 0.3608815427, 0.36271808999, 0.3629476584, 0.36363636364, 0.36547291093, 0.36753902663, 0.36845730028, 0.36914600551, 0.37029384757, 0.3709825528, 0.37121212121, 0.3730486685, 0.37373737374, 0.37672176309, 0.37855831038, 0.37924701561, 0.38016528926, 0.38131313131, 0.38292011019, 0.38567493113, 0.38682277319, 0.38774104683, 0.39026629936, 0.39049586777, 0.391184573, 0.39302112029, 0.39325068871, 0.39393939394, 0.39577594123, 0.39784205693, 0.39876033058, 0.39944903581, 0.40059687787, 0.4012855831, 0.40151515152, 0.40335169881, 0.40404040404, 0.40702479339, 0.40886134068, 0.40955004591, 0.41046831956, 0.41161616162, 0.4132231405, 0.41597796143, 0.41712580349, 0.41804407714, 0.42056932966, 0.42079889807, 0.42148760331, 0.4233241506, 0.42355371901, 0.42424242424, 0.42607897153, 0.42814508724, 0.42906336088, 0.42975206612, 0.43089990817, 0.43158861341, 0.43181818182, 0.43365472911, 0.43434343434, 0.43732782369, 0.43916437098, 0.43985307622, 0.44077134986, 0.44191919192, 0.4435261708, 0.44628099174, 0.44742883379, 0.44834710744, 0.45087235996, 0.45110192838, 0.45179063361, 0.4536271809, 0.45385674931, 0.45454545455, 0.45638200184, 0.45844811754, 0.45936639119, 0.46005509642, 0.46120293848, 0.46189164371, 0.46212121212, 0.46395775941, 0.46464646465, 0.46763085399, 0.46946740129, 0.47015610652, 0.47107438017, 0.47222222222, 0.4738292011, 0.47658402204, 0.4777318641, 0.47865013774, 0.48117539027, 0.48140495868, 0.48209366391, 0.4839302112, 0.48415977961, 0.48484848485, 0.48668503214, 0.48875114784, 0.48966942149, 0.49035812672, 0.49150596878, 0.49219467401, 0.49242424242, 0.49426078972, 0.49494949495, 0.4979338843, 0.49977043159, 0.50045913682, 0.50137741047, 0.50252525253, 0.50413223141, 0.50688705234, 0.5080348944, 0.50895316804, 0.51147842057, 0.51170798898, 0.51239669422, 0.51423324151, 0.51446280992, 0.51515151515, 0.51698806244, 0.51905417815, 0.51997245179, 0.52066115703, 0.52180899908, 0.52249770432, 0.52272727273, 0.52456382002, 0.52525252525, 0.5282369146, 0.53007346189, 0.53076216713, 0.53168044077, 0.53282828283, 0.53443526171, 0.53719008265, 0.5383379247, 0.53925619835, 0.54178145087, 0.54201101928, 0.54269972452, 0.54453627181, 0.54476584022, 0.54545454546, 0.54729109275, 0.54935720845, 0.55027548209, 0.55096418733, 0.55211202939, 0.55280073462, 0.55303030303, 0.55486685032, 0.55555555556, 0.5585399449, 0.5603764922, 0.56106519743, 0.56198347107, 0.56313131313, 0.56473829201, 0.56749311295, 0.56864095501, 0.56955922865, 0.57208448118, 0.57231404959, 0.57300275482, 0.57483930211, 0.57506887052, 0.57575757576, 0.57759412305, 0.57966023875, 0.5805785124, 0.58126721763, 0.58241505969, 0.58310376492, 0.58333333333, 0.58516988062, 0.58585858586, 0.58884297521, 0.5906795225, 0.59136822773, 0.59228650138, 0.59343434343, 0.59504132231, 0.59779614325, 0.59894398531, 0.59986225895, 0.60238751148, 0.60261707989, 0.60330578512, 0.60514233242, 0.60537190083, 0.60606060606, 0.60789715335, 0.60996326905, 0.6108815427, 0.61157024793, 0.61271808999, 0.61340679523, 0.61363636364, 0.61547291093, 0.61616161616, 0.61914600551, 0.6209825528, 0.62167125804, 0.62258953168, 0.62373737374, 0.62534435262, 0.62809917355, 0.62924701561, 0.63016528926, 0.63269054178, 0.63292011019, 0.63360881543, 0.63544536272, 0.63567493113, 0.63636363636, 0.63820018366, 0.64026629936, 0.641184573, 0.64187327824, 0.64302112029, 0.64370982553, 0.64393939394, 0.64577594123, 0.64646464647, 0.64944903581, 0.6512855831, 0.65197428834, 0.65289256198, 0.65404040404, 0.65564738292, 0.65840220386, 0.65955004591, 0.66046831956, 0.66299357208, 0.6632231405, 0.66391184573, 0.66574839302, 0.66597796143, 0.66666666667, 0.66850321396, 0.67056932966, 0.67148760331, 0.67217630854, 0.6733241506, 0.67401285583, 0.67424242424, 0.67607897153, 0.67676767677, 0.67975206612, 0.68158861341, 0.68227731864, 0.68319559229, 0.68434343434, 0.68595041322, 0.68870523416, 0.68985307622, 0.69077134986, 0.69329660239, 0.6935261708, 0.69421487603, 0.69605142332, 0.69628099174, 0.69696969697, 0.69880624426, 0.70087235996, 0.70179063361, 0.70247933884, 0.7036271809, 0.70431588613, 0.70454545455, 0.70638200184, 0.70707070707, 0.71005509642, 0.71189164371, 0.71258034894, 0.71349862259, 0.71464646465, 0.71625344353, 0.71900826446, 0.72015610652, 0.72107438017, 0.72359963269, 0.7238292011, 0.72451790634, 0.72635445363, 0.72658402204, 0.72727272727, 0.72910927456, 0.73117539027, 0.73209366391, 0.73278236915, 0.7339302112, 0.73461891644, 0.73484848485, 0.73668503214, 0.73737373737, 0.74035812672, 0.74219467401, 0.74288337925, 0.74380165289, 0.74494949495, 0.74655647383, 0.74931129477, 0.75045913682, 0.75137741047, 0.75390266299, 0.75413223141, 0.75482093664, 0.75665748393, 0.75688705234, 0.75757575758, 0.75941230487, 0.76147842057, 0.76239669422, 0.76308539945, 0.76423324151, 0.76492194674, 0.76515151515, 0.76698806244, 0.76767676768, 0.77066115703, 0.77249770432, 0.77318640955, 0.7741046832, 0.77525252525, 0.77685950413, 0.77961432507, 0.78076216713, 0.78168044077, 0.7842056933, 0.78443526171, 0.78512396694, 0.78696051423, 0.78719008265, 0.78787878788, 0.78971533517, 0.79178145087, 0.79269972452, 0.79338842975, 0.79453627181, 0.79522497704, 0.79545454546, 0.79729109275, 0.79797979798, 0.80096418733, 0.80280073462, 0.80348943985, 0.8044077135, 0.80555555556, 0.80716253444, 0.80991735537, 0.81106519743, 0.81198347107, 0.8145087236, 0.81473829201, 0.81542699725, 0.81726354454, 0.81749311295, 0.81818181818, 0.82001836547, 0.82208448118, 0.82300275482, 0.82369146006, 0.82483930211, 0.82552800735, 0.82575757576, 0.82759412305, 0.82828282828, 0.83126721763, 0.83310376492, 0.83379247016, 0.8347107438, 0.83585858586, 0.83746556474, 0.84022038568, 0.84136822773, 0.84228650138, 0.8448117539, 0.84504132231, 0.84573002755, 0.84756657484, 0.84779614325, 0.84848484849, 0.85032139578, 0.85238751148, 0.85330578512, 0.85399449036, 0.85514233242, 0.85583103765, 0.85606060606, 0.85789715335, 0.85858585859, 0.86157024793, 0.86340679523, 0.86409550046, 0.86501377411, 0.86616161616, 0.86776859504, 0.87052341598, 0.87167125804, 0.87258953168, 0.87511478421, 0.87534435262, 0.87603305785, 0.87786960514, 0.87809917355, 0.87878787879, 0.88062442608, 0.88269054178, 0.88360881543, 0.88429752066, 0.88544536272, 0.88613406795, 0.88636363636, 0.88820018366, 0.88888888889, 0.89187327824, 0.89370982553, 0.89439853076, 0.89531680441, 0.89646464647, 0.89807162534, 0.90082644628, 0.90197428834, 0.90289256198, 0.90541781451, 0.90564738292, 0.90633608815, 0.90817263545, 0.90840220386, 0.90909090909, 0.91092745638, 0.91299357208, 0.91391184573, 0.91460055096, 0.91574839302, 0.91643709826, 0.91666666667, 0.91850321396, 0.91919191919, 0.92217630854, 0.92401285583, 0.92470156107, 0.92561983471, 0.92676767677, 0.92837465565, 0.93112947658, 0.93227731864, 0.93319559229, 0.93572084481, 0.93595041322, 0.93663911846, 0.93847566575, 0.93870523416, 0.93939393939, 0.94123048669, 0.94329660239, 0.94421487603, 0.94490358127, 0.94605142332, 0.94674012856, 0.94696969697, 0.94880624426, 0.9494949495, 0.95247933884, 0.95431588613, 0.95500459137, 0.95592286501, 0.95707070707, 0.95867768595, 0.96143250689, 0.96258034894, 0.96349862259, 0.96602387512, 0.96625344353, 0.96694214876, 0.96877869605, 0.96900826446, 0.9696969697, 0.97153351699, 0.97359963269, 0.97451790634, 0.97520661157, 0.97635445363, 0.97704315886, 0.97727272727, 0.97910927456, 0.9797979798, 0.98278236915, 0.98461891644, 0.98530762167, 0.98622589532, 0.98737373737, 0.98898071625, 0.99173553719, 0.99288337925, 0.99380165289, 0.99632690542, 0.99655647383, 0.99724517906, 0.99908172635, 0.99931129477]
averages_even={0.0: [0.0], 0.25: [0.5], 0.89439853076: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.58585858586: [0.3333333333333, 0.6666666666667], 0.49426078972: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.641184573: [0.6818181818182, 0.3181818181818], 0.34825528007: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.29958677686: [0.8636363636364, 0.1363636363636], 0.59986225895: [0.2272727272727, 0.7727272727273], 0.391184573: [0.1818181818182, 0.8181818181818], 0.88269054178: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.74035812672: [0.0454545454545, 0.9545454545455], 0.64302112029: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.39784205693: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.08746556474: [0.8636363636364, 0.1363636363636], 0.86340679523: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.02754820937: [0.1818181818182, 0.8181818181818], 0.74931129477: [0.0909090909091, 0.9090909090909], 0.34343434343: [0.3333333333333, 0.6666666666667], 0.07369146006: [0.0454545454545, 0.9545454545455], 0.03764921947: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.52272727273: [0.5], 0.93572084481: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.85583103765: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.10743801653: [0.7272727272727, 0.2727272727273], 0.66391184573: [0.1818181818182, 0.8181818181818], 0.09825528007: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.79338842975: [0.4545454545455, 0.5454545454545], 0.52456382002: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.0303030303: [0.0], 0.98278236915: [0.0454545454545, 0.9545454545455], 0.10583103765: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.76308539945: [0.4545454545455, 0.5454545454545], 0.16643709826: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.42607897153: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.15886134068: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.72107438017: [0.2272727272727, 0.7727272727273], 0.04683195592: [0.7272727272727, 0.2727272727273], 0.62373737374: [0.8333333333333, 0.1666666666667], 0.32713498623: [0.2272727272727, 0.7727272727273], 0.99931129477: [0.5909090909091, 0.4090909090909], 0.64370982553: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.19123048669: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.98530762167: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.26905417815: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.90197428834: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.37672176309: [0.0454545454545, 0.9545454545455], 0.27938475666: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.0927456382: [0.7575757575758, 0.2424242424242, 0.5757575757576, 0.4242424242424], 0.63544536272: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.86409550046: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.32231404959: [0.3636363636364, 0.6363636363636], 0.0342056933: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.51423324151: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.57300275482: [0.1818181818182, 0.8181818181818], 0.66666666667: [0.0], 0.93847566575: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.42056932966: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.54545454546: [0.0], 0.0101010101: [0.3333333333333, 0.6666666666667], 0.27456382002: [0.7575757575758, 0.2424242424242, 0.5757575757576, 0.4242424242424], 0.57966023875: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.60606060606: [0.0], 0.06542699725: [0.6818181818182, 0.3181818181818], 0.89531680441: [0.7272727272727, 0.2727272727273], 0.00183654729: [0.7575757575758, 0.2424242424242, 0.5757575757576, 0.4242424242424], 0.02938475666: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.42148760331: [0.1818181818182, 0.8181818181818], 0.20500459137: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.15633608815: [0.6818181818182, 0.3181818181818], 0.41597796143: [0.0909090909091, 0.9090909090909], 0.58333333333: [0.5], 0.30693296602: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.84022038568: [0.0909090909091, 0.9090909090909], 0.2297979798: [0.8333333333333, 0.1666666666667], 0.18112947658: [0.5909090909091, 0.4090909090909], 0.18365472911: [0.7575757575758, 0.2424242424242, 0.5757575757576, 0.4242424242424], 0.42424242424: [0.0], 0.5603764922: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.15151515152: [0.0], 0.89646464647: [0.8333333333333, 0.1666666666667], 0.35651974288: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.30785123967: [0.6818181818182, 0.3181818181818], 0.18572084481: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.77249770432: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.20592286501: [0.2272727272727, 0.7727272727273], 0.07552800735: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.12672176309: [0.4545454545455, 0.5454545454545], 0.78168044077: [0.2272727272727, 0.7727272727273], 0.65955004591: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.35743801653: [0.2272727272727, 0.7727272727273], 0.67607897153: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.89807162534: [0.3636363636364, 0.6363636363636], 0.90082644628: [0.0909090909091, 0.9090909090909], 0.03787878788: [0.5], 0.95247933884: [0.0454545454545, 0.9545454545455], 0.99724517906: [0.1818181818182, 0.8181818181818], 0.4012855831: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.00550964187: [0.4545454545455, 0.5454545454545], 0.08815426997: [0.1818181818182, 0.8181818181818], 0.7842056933: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.60789715335: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.0241046832: [0.2272727272727, 0.7727272727273], 0.00390266299: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.01561065197: [0.2121212121212, 0.1212121212121, 0.7878787878788, 0.8787878787879], 0.24977043159: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.45087235996: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.68227731864: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.11019283747: [0.3636363636364, 0.6363636363636], 0.64026629936: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.29476584022: [0.0909090909091, 0.9090909090909], 0.2196969697: [0.5], 0.79453627181: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.00665748393: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.90840220386: [0.5909090909091, 0.4090909090909], 0.51997245179: [0.6818181818182, 0.3181818181818], 0.68319559229: [0.7272727272727, 0.2727272727273], 0.74219467401: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.28764921947: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.08999081726: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.78696051423: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.83379247016: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.68595041322: [0.3636363636364, 0.6363636363636], 0.61914600551: [0.0454545454545, 0.9545454545455], 0.52180899908: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.87258953168: [0.2272727272727, 0.7727272727273], 0.33723599633: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.9797979798: [0.6666666666667, 0.3333333333333], 0.38016528926: [0.7272727272727, 0.2727272727273], 0.76698806244: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.66299357208: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.07070707071: [0.3333333333333, 0.6666666666667], 0.48415977961: [0.5909090909091, 0.4090909090909], 0.6209825528: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.52525252525: [0.3333333333333, 0.6666666666667], 0.38682277319: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.31955922865: [0.7272727272727, 0.2727272727273], 0.42975206612: [0.4545454545455, 0.5454545454545], 0.49035812672: [0.4545454545455, 0.5454545454545], 0.33241505969: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.46395775941: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.56749311295: [0.0909090909091, 0.9090909090909], 0.87511478421: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.05991735537: [0.5909090909091, 0.4090909090909], 0.09090909091: [0.0], 0.64187327824: [0.4545454545455, 0.5454545454545], 0.13613406795: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.01767676768: [0.8333333333333, 0.1666666666667], 0.50252525253: [0.8333333333333, 0.1666666666667], 0.67217630854: [0.4545454545455, 0.5454545454545], 0.39302112029: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.84779614325: [0.5909090909091, 0.4090909090909], 0.16092745638: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.82483930211: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.92217630854: [0.0454545454545, 0.9545454545455], 0.31611570248: [0.0454545454545, 0.9545454545455], 0.99288337925: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.76767676768: [0.3333333333333, 0.6666666666667], 0.58310376492: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.79729109275: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.26170798898: [0.3636363636364, 0.6363636363636], 0.4738292011: [0.3636363636364, 0.6363636363636], 0.90817263545: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.71349862259: [0.7272727272727, 0.2727272727273], 0.93939393939: [0.0], 0.35996326905: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.62258953168: [0.7272727272727, 0.2727272727273], 0.13131313131: [0.3333333333333, 0.6666666666667], 0.09022038568: [0.5909090909091, 0.4090909090909], 0.5805785124: [0.6818181818182, 0.3181818181818], 0.91643709826: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.86616161616: [0.8333333333333, 0.1666666666667], 0.40955004591: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.3608815427: [0.1818181818182, 0.8181818181818], 0.80096418733: [0.0454545454545, 0.9545454545455], 0.67975206612: [0.0454545454545, 0.9545454545455], 0.96602387512: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.81106519743: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.6632231405: [0.8636363636364, 0.1363636363636], 0.41046831956: [0.7272727272727, 0.2727272727273], 0.54729109275: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.04522497704: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.12603305785: [0.6818181818182, 0.3181818181818], 0.19490358127: [0.0454545454545, 0.9545454545455], 0.43434343434: [0.3333333333333, 0.6666666666667], 0.84228650138: [0.2272727272727, 0.7727272727273], 0.75137741047: [0.2272727272727, 0.7727272727273], 0.1994949495: [0.8333333333333, 0.1666666666667], 0.69605142332: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.30303030303: [0.0], 0.15082644628: [0.5909090909091, 0.4090909090909], 0.38567493113: [0.0909090909091, 0.9090909090909], 0.72727272727: [0.0], 0.29591368228: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.28007346189: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.17561983471: [0.2272727272727, 0.7727272727273], 0.91092745638: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.60514233242: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.63567493113: [0.5909090909091, 0.4090909090909], 0.5383379247: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.29683195592: [0.2272727272727, 0.7727272727273], 0.24908172635: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.49242424242: [0.5], 0.8044077135: [0.7272727272727, 0.2727272727273], 0.76423324151: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.34641873278: [0.0454545454545, 0.9545454545455], 0.87603305785: [0.1818181818182, 0.8181818181818], 0.3406795225: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.29201101928: [0.3636363636364, 0.6363636363636], 0.73668503214: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.30486685032: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.75688705234: [0.5909090909091, 0.4090909090909], 0.18089990817: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.21946740129: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.09756657484: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.17079889807: [0.3636363636364, 0.6363636363636], 0.50413223141: [0.3636363636364, 0.6363636363636], 0.95431588613: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.51905417815: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.67676767677: [0.3333333333333, 0.6666666666667], 0.18939393939: [0.5], 0.43985307622: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.96900826446: [0.5909090909091, 0.4090909090909], 0.75665748393: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.75941230487: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.56473829201: [0.3636363636364, 0.6363636363636], 0.76492194674: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.27662993572: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.23898071625: [0.8636363636364, 0.1363636363636], 0.85858585859: [0.6666666666667, 0.3333333333333], 0.54178145087: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.47222222222: [0.8333333333333, 0.1666666666667], 0.42355371901: [0.5909090909091, 0.4090909090909], 0.03512396694: [0.6818181818182, 0.3181818181818], 0.32621671258: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.27754820937: [0.6818181818182, 0.3181818181818], 0.45179063361: [0.1818181818182, 0.8181818181818], 0.97727272727: [0.5], 0.36914600551: [0.4545454545455, 0.5454545454545], 0.71625344353: [0.3636363636364, 0.6363636363636], 0.06795224977: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.79797979798: [0.6666666666667, 0.3333333333333], 0.69628099174: [0.5909090909091, 0.4090909090909], 0.59894398531: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.01308539945: [0.0454545454545, 0.9545454545455], 0.94880624426: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.6733241506: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.06818181818: [0.5], 0.59504132231: [0.3636363636364, 0.6363636363636], 0.63636363636: [0.0], 0.82369146006: [0.4545454545455, 0.5454545454545], 0.23415977961: [0.0909090909091, 0.9090909090909], 0.60330578512: [0.1818181818182, 0.8181818181818], 0.13062442608: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.94490358127: [0.4545454545455, 0.5454545454545], 0.86157024793: [0.0454545454545, 0.9545454545455], 0.95867768595: [0.3636363636364, 0.6363636363636], 0.71900826446: [0.0909090909091, 0.9090909090909], 0.15541781451: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.03213957759: [0.7575757575758, 0.2424242424242, 0.5757575757576, 0.4242424242424], 0.02318640955: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.05348943985: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.55303030303: [0.5], 0.81818181818: [0.0], 0.50137741047: [0.7272727272727, 0.2727272727273], 0.65404040404: [0.8333333333333, 0.1666666666667], 0.82208448118: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.40335169881: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.0948117539: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.90289256198: [0.2272727272727, 0.7727272727273], 0.25734618916: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.34894398531: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.30027548209: [0.1818181818182, 0.8181818181818], 0.13682277319: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.0826446281: [0.0909090909091, 0.9090909090909], 0.5585399449: [0.0454545454545, 0.9545454545455], 0.88888888889: [0.6666666666667, 0.3333333333333], 0.2479338843: [0.4545454545455, 0.5454545454545], 0.55555555556: [0.3333333333333, 0.6666666666667], 0.97704315886: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.34986225895: [0.7272727272727, 0.2727272727273], 0.15059687787: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.00941230487: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.25252525253: [0.3333333333333, 0.6666666666667], 0.60261707989: [0.8636363636364, 0.1363636363636], 0.39944903581: [0.4545454545455, 0.5454545454545], 0.94421487603: [0.6818181818182, 0.3181818181818], 0.73209366391: [0.6818181818182, 0.3181818181818], 0.17355371901: [0.0909090909091, 0.9090909090909], 0.10101010101: [0.3333333333333, 0.6666666666667], 0.88544536272: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.70247933884: [0.4545454545455, 0.5454545454545], 0.58126721763: [0.4545454545455, 0.5454545454545], 0.14531680441: [0.2272727272727, 0.7727272727273], 0.7339302112: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.75045913682: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.85514233242: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.53925619835: [0.2272727272727, 0.7727272727273], 0.21877869605: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.49977043159: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.87534435262: [0.8636363636364, 0.1363636363636], 0.43181818182: [0.5], 0.01492194674: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.97910927456: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.28581267218: [0.0454545454545, 0.9545454545455], 0.74380165289: [0.7272727272727, 0.2727272727273], 0.07001836547: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.48140495868: [0.8636363636364, 0.1363636363636], 0.61547291093: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.88820018366: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.44077134986: [0.7272727272727, 0.2727272727273], 0.85399449036: [0.4545454545455, 0.5454545454545], 0.18916437098: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.16161616162: [0.3333333333333, 0.6666666666667], 0.32966023875: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.14049586777: [0.3636363636364, 0.6363636363636], 0.71464646465: [0.8333333333333, 0.1666666666667], 0.43365472911: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.86776859504: [0.3636363636364, 0.6363636363636], 0.96143250689: [0.0909090909091, 0.9090909090909], 0.47658402204: [0.0909090909091, 0.9090909090909], 0.21395775941: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.99632690542: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.83310376492: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.37924701561: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.96349862259: [0.2272727272727, 0.7727272727273], 0.3305785124: [0.1818181818182, 0.8181818181818], 0.70179063361: [0.6818181818182, 0.3181818181818], 0.05968778696: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.63820018366: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.19834710744: [0.7272727272727, 0.2727272727273], 0.88636363636: [0.5], 0.6935261708: [0.8636363636364, 0.1363636363636], 0.66850321396: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.03581267218: [0.4545454545455, 0.5454545454545], 0.20867768595: [0.8636363636364, 0.1363636363636], 0.76239669422: [0.6818181818182, 0.3181818181818], 0.73737373737: [0.3333333333333, 0.6666666666667], 0.72359963269: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.41161616162: [0.8333333333333, 0.1666666666667], 0.73484848485: [0.5], 0.3629476584: [0.5909090909091, 0.4090909090909], 0.26561065197: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.00734618916: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.84848484849: [0.0], 0.07713498623: [0.7272727272727, 0.2727272727273], 0.01928374656: [0.3636363636364, 0.6363636363636], 0.11753902663: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.46120293848: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.57506887052: [0.5909090909091, 0.4090909090909], 0.8347107438: [0.7272727272727, 0.2727272727273], 0.2277318641: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.26652892562: [0.2272727272727, 0.7727272727273], 0.17906336088: [0.1818181818182, 0.8181818181818], 0.92676767677: [0.8333333333333, 0.1666666666667], 0.98737373737: [0.8333333333333, 0.1666666666667], 0.46212121212: [0.5], 0.11409550046: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.20385674931: [0.0909090909091, 0.9090909090909], 0.48668503214: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.3103764922: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.78443526171: [0.8636363636364, 0.1363636363636], 0.22865013774: [0.7272727272727, 0.2727272727273], 0.54269972452: [0.1818181818182, 0.8181818181818], 0.59779614325: [0.0909090909091, 0.9090909090909], 0.12511478421: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.88429752066: [0.4545454545455, 0.5454545454545], 0.24724517906: [0.6818181818182, 0.3181818181818], 0.81542699725: [0.1818181818182, 0.8181818181818], 0.69696969697: [0.0], 0.39026629936: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.3427456382: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.82575757576: [0.5], 0.91574839302: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.17470156107: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.48966942149: [0.6818181818182, 0.3181818181818], 0.59228650138: [0.7272727272727, 0.2727272727273], 0.05785123967: [0.1818181818182, 0.8181818181818], 0.82001836547: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.28925619835: [0.7272727272727, 0.2727272727273], 0.85606060606: [0.5], 0.73117539027: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.44191919192: [0.8333333333333, 0.1666666666667], 0.39325068871: [0.5909090909091, 0.4090909090909], 0.12121212121: [0.0], 0.06060606061: [0.0], 0.00757575758: [0.5], 0.06611570248: [0.4545454545455, 0.5454545454545], 0.0847107438: [0.2272727272727, 0.7727272727273], 0.33884297521: [0.4545454545455, 0.5454545454545], 0.6108815427: [0.6818181818182, 0.3181818181818], 0.49150596878: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.00482093664: [0.6818181818182, 0.3181818181818], 0.62534435262: [0.3636363636364, 0.6363636363636], 0.97153351699: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.77685950413: [0.3636363636364, 0.6363636363636], 0.71005509642: [0.0454545454545, 0.9545454545455], 0.88360881543: [0.6818181818182, 0.3181818181818], 0.61271808999: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.77525252525: [0.8333333333333, 0.1666666666667], 0.97520661157: [0.4545454545455, 0.5454545454545], 0.18847566575: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.71189164371: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.95500459137: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.87786960514: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.88613406795: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.16460055096: [0.0454545454545, 0.9545454545455], 0.46946740129: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.56106519743: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.42079889807: [0.8636363636364, 0.1363636363636], 0.73278236915: [0.4545454545455, 0.5454545454545], 0.97359963269: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.03971533517: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.06726354454: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.69077134986: [0.2272727272727, 0.7727272727273], 0.59343434343: [0.8333333333333, 0.1666666666667], 0.57759412305: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.3730486685: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.46464646465: [0.3333333333333, 0.6666666666667], 0.8145087236: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.10399449036: [0.0454545454545, 0.9545454545455], 0.04591368228: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.31864095501: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.78719008265: [0.5909090909091, 0.4090909090909], 0.26997245179: [0.1818181818182, 0.8181818181818], 0.73461891644: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.93112947658: [0.0909090909091, 0.9090909090909], 0.20844811754: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.93595041322: [0.8636363636364, 0.1363636363636], 0.51698806244: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.07988980716: [0.3636363636364, 0.6363636363636], 0.57231404959: [0.8636363636364, 0.1363636363636], 0.72451790634: [0.1818181818182, 0.8181818181818], 0.17837465565: [0.8636363636364, 0.1363636363636], 0.96694214876: [0.1818181818182, 0.8181818181818], 0.61616161616: [0.3333333333333, 0.6666666666667], 0.67148760331: [0.6818181818182, 0.3181818181818], 0.96625344353: [0.8636363636364, 0.1363636363636], 0.3023415978: [0.5909090909091, 0.4090909090909], 0.45385674931: [0.5909090909091, 0.4090909090909], 0.52066115703: [0.4545454545455, 0.5454545454545], 0.40059687787: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.24426078972: [0.7575757575758, 0.2424242424242, 0.5757575757576, 0.4242424242424], 0.14876033058: [0.1818181818182, 0.8181818181818], 0.91299357208: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.40151515152: [0.5], 0.22222222222: [0.3333333333333, 0.6666666666667], 0.25550964187: [0.0454545454545, 0.9545454545455], 0.39577594123: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.04338842975: [0.0454545454545, 0.9545454545455], 0.47865013774: [0.2272727272727, 0.7727272727273], 0.97451790634: [0.6818181818182, 0.3181818181818], 0.45110192838: [0.8636363636364, 0.1363636363636], 0.78787878788: [0.0], 0.55486685032: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.94329660239: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.04958677686: [0.3636363636364, 0.6363636363636], 0.45638200184: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.29935720845: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.47015610652: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.49494949495: [0.3333333333333, 0.6666666666667], 0.44628099174: [0.0909090909091, 0.9090909090909], 0.88062442608: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.57575757576: [0.0], 0.30211202939: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.99908172635: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.24173553719: [0.5909090909091, 0.4090909090909], 0.94605142332: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.82300275482: [0.6818181818182, 0.3181818181818], 0.14439853076: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.50688705234: [0.0909090909091, 0.9090909090909], 0.63292011019: [0.8636363636364, 0.1363636363636], 0.83126721763: [0.0454545454545, 0.9545454545455], 0.96877869605: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.48117539027: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.51515151515: [0.0], 0.7741046832: [0.7272727272727, 0.2727272727273], 0.16919191919: [0.8333333333333, 0.1666666666667], 0.93319559229: [0.2272727272727, 0.7727272727273], 0.60996326905: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.38131313131: [0.8333333333333, 0.1666666666667], 0.51147842057: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.3326446281: [0.5909090909091, 0.4090909090909], 0.89370982553: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.2782369146: [0.4545454545455, 0.5454545454545], 0.43089990817: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.04797979798: [0.8333333333333, 0.1666666666667], 0.02961432507: [0.5909090909091, 0.4090909090909], 0.85032139578: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.9696969697: [0.0], 0.65564738292: [0.3636363636364, 0.6363636363636], 0.58884297521: [0.0454545454545, 0.9545454545455], 0.81473829201: [0.8636363636364, 0.1363636363636], 0.9494949495: [0.6666666666667, 0.3333333333333], 0.70454545455: [0.5], 0.15817263545: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.75482093664: [0.1818181818182, 0.8181818181818], 0.5906795225: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.05716253444: [0.8636363636364, 0.1363636363636], 0.78076216713: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.13429752066: [0.0454545454545, 0.9545454545455], 0.3085399449: [0.4545454545455, 0.5454545454545], 0.87167125804: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.51446280992: [0.5909090909091, 0.4090909090909], 0.81726354454: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.92837465565: [0.3636363636364, 0.6363636363636], 0.66574839302: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.3709825528: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.15909090909: [0.5], 0.50045913682: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.56955922865: [0.2272727272727, 0.7727272727273], 0.85330578512: [0.6818181818182, 0.3181818181818], 0.11845730028: [0.1818181818182, 0.8181818181818], 0.3124426079: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.35537190083: [0.0909090909091, 0.9090909090909], 0.15335169881: [0.7575757575758, 0.2424242424242, 0.5757575757576, 0.4242424242424], 0.95592286501: [0.7272727272727, 0.2727272727273], 0.2580348944: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.45936639119: [0.6818181818182, 0.3181818181818], 0.92561983471: [0.7272727272727, 0.2727272727273], 0.48209366391: [0.1818181818182, 0.8181818181818], 0.4536271809: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.80991735537: [0.0909090909091, 0.9090909090909], 0.17814508724: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.25895316804: [0.7272727272727, 0.2727272727273], 0.67056932966: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.45454545455: [0.0], 0.90564738292: [0.8636363636364, 0.1363636363636], 0.98898071625: [0.3636363636364, 0.6363636363636], 0.74494949495: [0.8333333333333, 0.1666666666667], 0.02662993572: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.55027548209: [0.6818181818182, 0.3181818181818], 0.05693296602: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.64944903581: [0.0454545454545, 0.9545454545455], 0.55211202939: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.24632690542: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.64646464647: [0.3333333333333, 0.6666666666667], 0.68870523416: [0.0909090909091, 0.9090909090909], 0.10032139578: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.69329660239: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.94696969697: [0.5], 0.34090909091: [0.5], 0.14784205693: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.02203856749: [0.0909090909091, 0.9090909090909], 0.5080348944: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.08379247016: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.35261707989: [0.3636363636364, 0.6363636363636], 0.14325068871: [0.0909090909091, 0.9090909090909], 0.43916437098: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.39049586777: [0.8636363636364, 0.1363636363636], 0.85789715335: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.94123048669: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.61363636364: [0.5], 0.16804407714: [0.7272727272727, 0.2727272727273], 0.57483930211: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.48875114784: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.63016528926: [0.2272727272727, 0.7727272727273], 0.53282828283: [0.8333333333333, 0.1666666666667], 0.24150596878: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.10858585859: [0.8333333333333, 0.1666666666667], 0.09641873278: [0.4545454545455, 0.5454545454545], 0.10651974288: [0.2121212121212, 0.1212121212121, 0.7878787878788, 0.8787878787879], 0.67401285583: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.74655647383: [0.3636363636364, 0.6363636363636], 0.2883379247: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.4839302112: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.21763085399: [0.4545454545455, 0.5454545454545], 0.0544077135: [0.2272727272727, 0.7727272727273], 0.09573002755: [0.6818181818182, 0.3181818181818], 0.70638200184: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.27180899908: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.51170798898: [0.8636363636364, 0.1363636363636], 0.23622589532: [0.2272727272727, 0.7727272727273], 0.99380165289: [0.2272727272727, 0.7727272727273], 0.84756657484: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.65289256198: [0.7272727272727, 0.2727272727273], 0.0624426079: [0.7575757575758, 0.2424242424242, 0.5757575757576, 0.4242424242424], 0.13888888889: [0.8333333333333, 0.1666666666667], 0.32070707071: [0.8333333333333, 0.1666666666667], 0.27203856749: [0.5909090909091, 0.4090909090909], 0.39393939394: [0.0], 0.94674012856: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.54201101928: [0.8636363636364, 0.1363636363636], 0.93227731864: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.46763085399: [0.0454545454545, 0.9545454545455], 0.37029384757: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.4132231405: [0.3636363636364, 0.6363636363636], 0.72910927456: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.69880624426: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.53443526171: [0.3636363636364, 0.6363636363636], 0.37121212121: [0.5], 0.23140495868: [0.3636363636364, 0.6363636363636], 0.82828282828: [0.6666666666667, 0.3333333333333], 0.36547291093: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.63360881543: [0.1818181818182, 0.8181818181818], 0.87809917355: [0.5909090909091, 0.4090909090909], 0.20936639119: [0.1818181818182, 0.8181818181818], 0.80555555556: [0.8333333333333, 0.1666666666667], 0.84573002755: [0.1818181818182, 0.8181818181818], 0.91919191919: [0.6666666666667, 0.3333333333333], 0.66597796143: [0.5909090909091, 0.4090909090909], 0.07828282828: [0.8333333333333, 0.1666666666667], 0.56864095501: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.80716253444: [0.3636363636364, 0.6363636363636], 0.26446280992: [0.0909090909091, 0.9090909090909], 0.12878787879: [0.5], 0.53719008265: [0.0909090909091, 0.9090909090909], 0.25183654729: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.90633608815: [0.1818181818182, 0.8181818181818], 0.49219467401: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.87878787879: [0.0], 0.27272727273: [0.0], 0.44742883379: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.68985307622: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.39876033058: [0.6818181818182, 0.3181818181818], 0.77318640955: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.22704315886: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.03696051423: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.78971533517: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.44834710744: [0.2272727272727, 0.7727272727273], 0.54935720845: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.35101010101: [0.8333333333333, 0.1666666666667], 0.09848484849: [0.5], 0.82759412305: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.79269972452: [0.6818181818182, 0.3181818181818], 0.4979338843: [0.0454545454545, 0.9545454545455], 0.46005509642: [0.4545454545455, 0.5454545454545], 0.76515151515: [0.5], 0.91850321396: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.1230486685: [0.7575757575758, 0.2424242424242, 0.5757575757576, 0.4242424242424], 0.4435261708: [0.3636363636364, 0.6363636363636], 0.59136822773: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.19742883379: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.71258034894: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.93663911846: [0.1818181818182, 0.8181818181818], 0.69421487603: [0.1818181818182, 0.8181818181818], 0.5282369146: [0.0454545454545, 0.9545454545455], 0.83746556474: [0.3636363636364, 0.6363636363636], 0.21602387512: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.98622589532: [0.7272727272727, 0.2727272727273], 0.23875114784: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.54476584022: [0.5909090909091, 0.4090909090909], 0.84136822773: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.53007346189: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.2803030303: [0.5], 0.77961432507: [0.0909090909091, 0.9090909090909], 0.62809917355: [0.0909090909091, 0.9090909090909], 0.24242424242: [0.0], 0.52249770432: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.37855831038: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.45844811754: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.32988980716: [0.8636363636364, 0.1363636363636], 0.21694214876: [0.6818181818182, 0.3181818181818], 0.13774104683: [0.7272727272727, 0.2727272727273], 0.98461891644: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.7036271809: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.42814508724: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.83585858586: [0.8333333333333, 0.1666666666667], 0.50895316804: [0.2272727272727, 0.7727272727273], 0.11776859504: [0.8636363636364, 0.1363636363636], 0.28213957759: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.21120293848: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.37373737374: [0.3333333333333, 0.6666666666667], 0.32506887052: [0.0909090909091, 0.9090909090909], 0.55280073462: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.4777318641: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.42906336088: [0.6818181818182, 0.3181818181818], 0.4233241506: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.18732782369: [0.4545454545455, 0.5454545454545], 0.57208448118: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.65197428834: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.58516988062: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.76147842057: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.72635445363: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.21212121212: [0.0], 0.74288337925: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.53168044077: [0.7272727272727, 0.2727272727273], 0.68434343434: [0.8333333333333, 0.1666666666667], 0.62924701561: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.2601010101: [0.8333333333333, 0.1666666666667], 0.82552800735: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.67424242424: [0.5], 0.75413223141: [0.8636363636364, 0.1363636363636], 0.91666666667: [0.5], 0.40702479339: [0.0454545454545, 0.9545454545455], 0.30968778696: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.61340679523: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.36363636364: [0.0], 0.0404040404: [0.3333333333333, 0.6666666666667], 0.92470156107: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.99655647383: [0.8636363636364, 0.1363636363636], 0.62167125804: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.0645087236: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.31060606061: [0.5], 0.20110192838: [0.3636363636364, 0.6363636363636], 0.70707070707: [0.6666666666667, 0.3333333333333], 0.07621671258: [0.2121212121212, 0.1212121212121, 0.7878787878788, 0.8787878787879], 0.51239669422: [0.1818181818182, 0.8181818181818], 0.40886134068: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.79178145087: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.36019283747: [0.8636363636364, 0.1363636363636], 0.1129476584: [0.0909090909091, 0.9090909090909], 0.61157024793: [0.4545454545455, 0.5454545454545], 0.12855831038: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.6512855831: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.90541781451: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.40404040404: [0.3333333333333, 0.6666666666667], 0.84504132231: [0.8636363636364, 0.1363636363636], 0.64393939394: [0.5], 0.28282828283: [0.3333333333333, 0.6666666666667], 0.78512396694: [0.1818181818182, 0.8181818181818], 0.60238751148: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.95707070707: [0.8333333333333, 0.1666666666667], 0.33815426997: [0.6818181818182, 0.3181818181818], 0.72658402204: [0.5909090909091, 0.4090909090909], 0.70431588613: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.48484848485: [0.0], 0.19674012856: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.92401285583: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.72015610652: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.14807162534: [0.8636363636364, 0.1363636363636], 0.38774104683: [0.2272727272727, 0.7727272727273], 0.2904040404: [0.8333333333333, 0.1666666666667], 0.22153351699: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.33333333333: [0.0], 0.43732782369: [0.0454545454545, 0.9545454545455], 0.33999081726: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.43158861341: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.38292011019: [0.3636363636364, 0.6363636363636], 0.16712580349: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.93870523416: [0.5909090909091, 0.4090909090909], 0.91460055096: [0.4545454545455, 0.5454545454545], 0.0523415978: [0.0909090909091, 0.9090909090909], 0.7238292011: [0.8636363636364, 0.1363636363636], 0.02685950413: [0.8636363636364, 0.1363636363636], 0.75390266299: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.12029384757: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.86501377411: [0.7272727272727, 0.2727272727273], 0.77066115703: [0.0454545454545, 0.9545454545455], 0.19191919192: [0.3333333333333, 0.6666666666667], 0.33516988062: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.70087235996: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.08723599633: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.79545454546: [0.5], 0.55096418733: [0.4545454545455, 0.5454545454545], 0.12052341598: [0.5909090909091, 0.4090909090909], 0.56198347107: [0.7272727272727, 0.2727272727273], 0.64577594123: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.60537190083: [0.5909090909091, 0.4090909090909], 0.31795224977: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.26928374656: [0.8636363636364, 0.1363636363636], 0.81198347107: [0.2272727272727, 0.7727272727273], 0.23530762167: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.81749311295: [0.5909090909091, 0.4090909090909], 0.18663911846: [0.6818181818182, 0.3181818181818], 0.79522497704: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.90909090909: [0.0], 0.58241505969: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.36753902663: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.21143250689: [0.5909090909091, 0.4090909090909], 0.31313131313: [0.3333333333333, 0.6666666666667], 0.01652892562: [0.7272727272727, 0.2727272727273], 0.68158861341: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.41712580349: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.36845730028: [0.6818181818182, 0.3181818181818], 0.11501377411: [0.2272727272727, 0.7727272727273], 0.36271808999: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.15702479339: [0.4545454545455, 0.5454545454545], 0.47107438017: [0.7272727272727, 0.2727272727273], 0.53076216713: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.85238751148: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.41804407714: [0.2272727272727, 0.7727272727273], 0.63269054178: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.97635445363: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.18181818182: [0.0], 0.8448117539: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.66046831956: [0.2272727272727, 0.7727272727273], 0.23966942149: [0.1818181818182, 0.8181818181818], 0.56313131313: [0.8333333333333, 0.1666666666667], 0.91391184573: [0.6818181818182, 0.3181818181818], 0.75757575758: [0.0], 0.46189164371: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.96258034894: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.89187327824: [0.0454545454545, 0.9545454545455], 0.22520661157: [0.0454545454545, 0.9545454545455], 0.80348943985: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.87052341598: [0.0909090909091, 0.9090909090909], 0.54453627181: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.65840220386: [0.0909090909091, 0.9090909090909], 0.99173553719: [0.0909090909091, 0.9090909090909], 0.12786960514: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.80280073462: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152]}
averages_odd={0.0: [0.0], 0.25: [0.5], 0.89439853076: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.58585858586: [0.3333333333333, 0.6666666666667], 0.49426078972: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.641184573: [0.6818181818182, 0.3181818181818], 0.34825528007: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.29958677686: [0.8636363636364, 0.1363636363636], 0.59986225895: [0.2272727272727, 0.7727272727273], 0.391184573: [0.1818181818182, 0.8181818181818], 0.88269054178: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.74035812672: [0.0454545454545, 0.9545454545455], 0.64302112029: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.39784205693: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.08746556474: [0.8636363636364, 0.1363636363636], 0.86340679523: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.02754820937: [0.1818181818182, 0.8181818181818], 0.74931129477: [0.0909090909091, 0.9090909090909], 0.34343434343: [0.3333333333333, 0.6666666666667], 0.07369146006: [0.0454545454545, 0.9545454545455], 0.03764921947: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.52272727273: [0.5], 0.93572084481: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.85583103765: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.10743801653: [0.7272727272727, 0.2727272727273], 0.66391184573: [0.1818181818182, 0.8181818181818], 0.09825528007: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.79338842975: [0.4545454545455, 0.5454545454545], 0.52456382002: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.0303030303: [0.0], 0.98278236915: [0.0454545454545, 0.9545454545455], 0.10583103765: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.76308539945: [0.4545454545455, 0.5454545454545], 0.16643709826: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.42607897153: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.15886134068: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.72107438017: [0.2272727272727, 0.7727272727273], 0.04683195592: [0.7272727272727, 0.2727272727273], 0.62373737374: [0.8333333333333, 0.1666666666667], 0.32713498623: [0.2272727272727, 0.7727272727273], 0.99931129477: [0.5909090909091, 0.4090909090909], 0.64370982553: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.19123048669: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.98530762167: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.26905417815: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.90197428834: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.37672176309: [0.0454545454545, 0.9545454545455], 0.27938475666: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.0927456382: [0.7575757575758, 0.2424242424242, 0.5757575757576, 0.4242424242424], 0.63544536272: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.86409550046: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.32231404959: [0.3636363636364, 0.6363636363636], 0.0342056933: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.51423324151: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.57300275482: [0.1818181818182, 0.8181818181818], 0.66666666667: [0.0], 0.93847566575: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.42056932966: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.54545454546: [0.0], 0.0101010101: [0.3333333333333, 0.6666666666667], 0.27456382002: [0.7575757575758, 0.2424242424242, 0.5757575757576, 0.4242424242424], 0.57966023875: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.60606060606: [0.0], 0.06542699725: [0.6818181818182, 0.3181818181818], 0.89531680441: [0.7272727272727, 0.2727272727273], 0.00183654729: [0.7575757575758, 0.2424242424242, 0.5757575757576, 0.4242424242424], 0.02938475666: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.42148760331: [0.1818181818182, 0.8181818181818], 0.20500459137: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.15633608815: [0.6818181818182, 0.3181818181818], 0.41597796143: [0.0909090909091, 0.9090909090909], 0.58333333333: [0.5], 0.30693296602: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.84022038568: [0.0909090909091, 0.9090909090909], 0.2297979798: [0.8333333333333, 0.1666666666667], 0.18112947658: [0.5909090909091, 0.4090909090909], 0.18365472911: [0.7575757575758, 0.2424242424242, 0.5757575757576, 0.4242424242424], 0.42424242424: [0.0], 0.5603764922: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.15151515152: [0.0], 0.89646464647: [0.8333333333333, 0.1666666666667], 0.35651974288: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.30785123967: [0.6818181818182, 0.3181818181818], 0.18572084481: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.77249770432: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.20592286501: [0.2272727272727, 0.7727272727273], 0.07552800735: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.12672176309: [0.4545454545455, 0.5454545454545], 0.78168044077: [0.2272727272727, 0.7727272727273], 0.65955004591: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.35743801653: [0.2272727272727, 0.7727272727273], 0.67607897153: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.89807162534: [0.3636363636364, 0.6363636363636], 0.90082644628: [0.0909090909091, 0.9090909090909], 0.03787878788: [0.5], 0.95247933884: [0.0454545454545, 0.9545454545455], 0.99724517906: [0.1818181818182, 0.8181818181818], 0.4012855831: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.00550964187: [0.4545454545455, 0.5454545454545], 0.08815426997: [0.1818181818182, 0.8181818181818], 0.7842056933: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.60789715335: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.0241046832: [0.2272727272727, 0.7727272727273], 0.00390266299: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.01561065197: [0.2121212121212, 0.1212121212121, 0.7878787878788, 0.8787878787879], 0.24977043159: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.45087235996: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.68227731864: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.11019283747: [0.3636363636364, 0.6363636363636], 0.64026629936: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.29476584022: [0.0909090909091, 0.9090909090909], 0.2196969697: [0.5], 0.79453627181: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.00665748393: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.90840220386: [0.5909090909091, 0.4090909090909], 0.51997245179: [0.6818181818182, 0.3181818181818], 0.68319559229: [0.7272727272727, 0.2727272727273], 0.74219467401: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.28764921947: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.08999081726: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.78696051423: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.83379247016: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.68595041322: [0.3636363636364, 0.6363636363636], 0.61914600551: [0.0454545454545, 0.9545454545455], 0.52180899908: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.87258953168: [0.2272727272727, 0.7727272727273], 0.33723599633: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.9797979798: [0.6666666666667, 0.3333333333333], 0.38016528926: [0.7272727272727, 0.2727272727273], 0.76698806244: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.66299357208: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.07070707071: [0.3333333333333, 0.6666666666667], 0.48415977961: [0.5909090909091, 0.4090909090909], 0.6209825528: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.52525252525: [0.3333333333333, 0.6666666666667], 0.38682277319: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.31955922865: [0.7272727272727, 0.2727272727273], 0.42975206612: [0.4545454545455, 0.5454545454545], 0.49035812672: [0.4545454545455, 0.5454545454545], 0.33241505969: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.46395775941: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.56749311295: [0.0909090909091, 0.9090909090909], 0.87511478421: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.05991735537: [0.5909090909091, 0.4090909090909], 0.09090909091: [0.0], 0.64187327824: [0.4545454545455, 0.5454545454545], 0.13613406795: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.01767676768: [0.8333333333333, 0.1666666666667], 0.50252525253: [0.8333333333333, 0.1666666666667], 0.67217630854: [0.4545454545455, 0.5454545454545], 0.39302112029: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.84779614325: [0.5909090909091, 0.4090909090909], 0.16092745638: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.82483930211: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.92217630854: [0.0454545454545, 0.9545454545455], 0.31611570248: [0.0454545454545, 0.9545454545455], 0.99288337925: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.76767676768: [0.3333333333333, 0.6666666666667], 0.58310376492: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.79729109275: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.26170798898: [0.3636363636364, 0.6363636363636], 0.4738292011: [0.3636363636364, 0.6363636363636], 0.90817263545: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.71349862259: [0.7272727272727, 0.2727272727273], 0.93939393939: [0.0], 0.35996326905: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.62258953168: [0.7272727272727, 0.2727272727273], 0.13131313131: [0.3333333333333, 0.6666666666667], 0.09022038568: [0.5909090909091, 0.4090909090909], 0.5805785124: [0.6818181818182, 0.3181818181818], 0.91643709826: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.86616161616: [0.8333333333333, 0.1666666666667], 0.40955004591: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.3608815427: [0.1818181818182, 0.8181818181818], 0.80096418733: [0.0454545454545, 0.9545454545455], 0.67975206612: [0.0454545454545, 0.9545454545455], 0.96602387512: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.81106519743: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.6632231405: [0.8636363636364, 0.1363636363636], 0.41046831956: [0.7272727272727, 0.2727272727273], 0.54729109275: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.04522497704: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.12603305785: [0.6818181818182, 0.3181818181818], 0.19490358127: [0.0454545454545, 0.9545454545455], 0.43434343434: [0.3333333333333, 0.6666666666667], 0.84228650138: [0.2272727272727, 0.7727272727273], 0.75137741047: [0.2272727272727, 0.7727272727273], 0.1994949495: [0.8333333333333, 0.1666666666667], 0.69605142332: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.30303030303: [0.0], 0.15082644628: [0.5909090909091, 0.4090909090909], 0.38567493113: [0.0909090909091, 0.9090909090909], 0.72727272727: [0.0], 0.29591368228: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.28007346189: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.17561983471: [0.2272727272727, 0.7727272727273], 0.91092745638: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.60514233242: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.63567493113: [0.5909090909091, 0.4090909090909], 0.5383379247: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.29683195592: [0.2272727272727, 0.7727272727273], 0.24908172635: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.49242424242: [0.5], 0.8044077135: [0.7272727272727, 0.2727272727273], 0.76423324151: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.34641873278: [0.0454545454545, 0.9545454545455], 0.87603305785: [0.1818181818182, 0.8181818181818], 0.3406795225: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.29201101928: [0.3636363636364, 0.6363636363636], 0.73668503214: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.30486685032: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.75688705234: [0.5909090909091, 0.4090909090909], 0.18089990817: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.21946740129: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.09756657484: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.17079889807: [0.3636363636364, 0.6363636363636], 0.50413223141: [0.3636363636364, 0.6363636363636], 0.95431588613: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.51905417815: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.67676767677: [0.3333333333333, 0.6666666666667], 0.18939393939: [0.5], 0.43985307622: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.96900826446: [0.5909090909091, 0.4090909090909], 0.75665748393: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.75941230487: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.56473829201: [0.3636363636364, 0.6363636363636], 0.76492194674: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.27662993572: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.23898071625: [0.8636363636364, 0.1363636363636], 0.85858585859: [0.6666666666667, 0.3333333333333], 0.54178145087: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.47222222222: [0.8333333333333, 0.1666666666667], 0.42355371901: [0.5909090909091, 0.4090909090909], 0.03512396694: [0.6818181818182, 0.3181818181818], 0.32621671258: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.27754820937: [0.6818181818182, 0.3181818181818], 0.45179063361: [0.1818181818182, 0.8181818181818], 0.97727272727: [0.5], 0.36914600551: [0.4545454545455, 0.5454545454545], 0.71625344353: [0.3636363636364, 0.6363636363636], 0.06795224977: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.79797979798: [0.6666666666667, 0.3333333333333], 0.69628099174: [0.5909090909091, 0.4090909090909], 0.59894398531: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.01308539945: [0.0454545454545, 0.9545454545455], 0.94880624426: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.6733241506: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.06818181818: [0.5], 0.59504132231: [0.3636363636364, 0.6363636363636], 0.63636363636: [0.0], 0.82369146006: [0.4545454545455, 0.5454545454545], 0.23415977961: [0.0909090909091, 0.9090909090909], 0.60330578512: [0.1818181818182, 0.8181818181818], 0.13062442608: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.94490358127: [0.4545454545455, 0.5454545454545], 0.86157024793: [0.0454545454545, 0.9545454545455], 0.95867768595: [0.3636363636364, 0.6363636363636], 0.71900826446: [0.0909090909091, 0.9090909090909], 0.15541781451: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.03213957759: [0.7575757575758, 0.2424242424242, 0.5757575757576, 0.4242424242424], 0.02318640955: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.05348943985: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.55303030303: [0.5], 0.81818181818: [0.0], 0.50137741047: [0.7272727272727, 0.2727272727273], 0.65404040404: [0.8333333333333, 0.1666666666667], 0.82208448118: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.40335169881: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.0948117539: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.90289256198: [0.2272727272727, 0.7727272727273], 0.25734618916: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.34894398531: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.30027548209: [0.1818181818182, 0.8181818181818], 0.13682277319: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.0826446281: [0.0909090909091, 0.9090909090909], 0.5585399449: [0.0454545454545, 0.9545454545455], 0.88888888889: [0.6666666666667, 0.3333333333333], 0.2479338843: [0.4545454545455, 0.5454545454545], 0.55555555556: [0.3333333333333, 0.6666666666667], 0.97704315886: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.34986225895: [0.7272727272727, 0.2727272727273], 0.15059687787: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.00941230487: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.25252525253: [0.3333333333333, 0.6666666666667], 0.60261707989: [0.8636363636364, 0.1363636363636], 0.39944903581: [0.4545454545455, 0.5454545454545], 0.94421487603: [0.6818181818182, 0.3181818181818], 0.73209366391: [0.6818181818182, 0.3181818181818], 0.17355371901: [0.0909090909091, 0.9090909090909], 0.10101010101: [0.3333333333333, 0.6666666666667], 0.88544536272: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.70247933884: [0.4545454545455, 0.5454545454545], 0.58126721763: [0.4545454545455, 0.5454545454545], 0.14531680441: [0.2272727272727, 0.7727272727273], 0.7339302112: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.75045913682: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.85514233242: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.53925619835: [0.2272727272727, 0.7727272727273], 0.21877869605: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.49977043159: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.87534435262: [0.8636363636364, 0.1363636363636], 0.43181818182: [0.5], 0.01492194674: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.97910927456: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.28581267218: [0.0454545454545, 0.9545454545455], 0.74380165289: [0.7272727272727, 0.2727272727273], 0.07001836547: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.48140495868: [0.8636363636364, 0.1363636363636], 0.61547291093: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.88820018366: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.44077134986: [0.7272727272727, 0.2727272727273], 0.85399449036: [0.4545454545455, 0.5454545454545], 0.18916437098: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.16161616162: [0.3333333333333, 0.6666666666667], 0.32966023875: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.14049586777: [0.3636363636364, 0.6363636363636], 0.71464646465: [0.8333333333333, 0.1666666666667], 0.43365472911: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.86776859504: [0.3636363636364, 0.6363636363636], 0.96143250689: [0.0909090909091, 0.9090909090909], 0.47658402204: [0.0909090909091, 0.9090909090909], 0.21395775941: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.99632690542: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.83310376492: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.37924701561: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.96349862259: [0.2272727272727, 0.7727272727273], 0.3305785124: [0.1818181818182, 0.8181818181818], 0.70179063361: [0.6818181818182, 0.3181818181818], 0.05968778696: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.63820018366: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.19834710744: [0.7272727272727, 0.2727272727273], 0.88636363636: [0.5], 0.6935261708: [0.8636363636364, 0.1363636363636], 0.66850321396: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.03581267218: [0.4545454545455, 0.5454545454545], 0.20867768595: [0.8636363636364, 0.1363636363636], 0.76239669422: [0.6818181818182, 0.3181818181818], 0.73737373737: [0.3333333333333, 0.6666666666667], 0.72359963269: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.41161616162: [0.8333333333333, 0.1666666666667], 0.73484848485: [0.5], 0.3629476584: [0.5909090909091, 0.4090909090909], 0.26561065197: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.00734618916: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.84848484849: [0.0], 0.07713498623: [0.7272727272727, 0.2727272727273], 0.01928374656: [0.3636363636364, 0.6363636363636], 0.11753902663: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.46120293848: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.57506887052: [0.5909090909091, 0.4090909090909], 0.8347107438: [0.7272727272727, 0.2727272727273], 0.2277318641: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.26652892562: [0.2272727272727, 0.7727272727273], 0.17906336088: [0.1818181818182, 0.8181818181818], 0.92676767677: [0.8333333333333, 0.1666666666667], 0.98737373737: [0.8333333333333, 0.1666666666667], 0.46212121212: [0.5], 0.11409550046: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.20385674931: [0.0909090909091, 0.9090909090909], 0.48668503214: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.3103764922: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.78443526171: [0.8636363636364, 0.1363636363636], 0.22865013774: [0.7272727272727, 0.2727272727273], 0.54269972452: [0.1818181818182, 0.8181818181818], 0.59779614325: [0.0909090909091, 0.9090909090909], 0.12511478421: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.88429752066: [0.4545454545455, 0.5454545454545], 0.24724517906: [0.6818181818182, 0.3181818181818], 0.81542699725: [0.1818181818182, 0.8181818181818], 0.69696969697: [0.0], 0.39026629936: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.3427456382: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.82575757576: [0.5], 0.91574839302: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.17470156107: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.48966942149: [0.6818181818182, 0.3181818181818], 0.59228650138: [0.7272727272727, 0.2727272727273], 0.05785123967: [0.1818181818182, 0.8181818181818], 0.82001836547: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.28925619835: [0.7272727272727, 0.2727272727273], 0.85606060606: [0.5], 0.73117539027: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.44191919192: [0.8333333333333, 0.1666666666667], 0.39325068871: [0.5909090909091, 0.4090909090909], 0.12121212121: [0.0], 0.06060606061: [0.0], 0.00757575758: [0.5], 0.06611570248: [0.4545454545455, 0.5454545454545], 0.0847107438: [0.2272727272727, 0.7727272727273], 0.33884297521: [0.4545454545455, 0.5454545454545], 0.6108815427: [0.6818181818182, 0.3181818181818], 0.49150596878: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.00482093664: [0.6818181818182, 0.3181818181818], 0.62534435262: [0.3636363636364, 0.6363636363636], 0.97153351699: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.77685950413: [0.3636363636364, 0.6363636363636], 0.71005509642: [0.0454545454545, 0.9545454545455], 0.88360881543: [0.6818181818182, 0.3181818181818], 0.61271808999: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.77525252525: [0.8333333333333, 0.1666666666667], 0.97520661157: [0.4545454545455, 0.5454545454545], 0.18847566575: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.71189164371: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.95500459137: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.87786960514: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.88613406795: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.16460055096: [0.0454545454545, 0.9545454545455], 0.46946740129: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.56106519743: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.42079889807: [0.8636363636364, 0.1363636363636], 0.73278236915: [0.4545454545455, 0.5454545454545], 0.97359963269: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.03971533517: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.06726354454: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.69077134986: [0.2272727272727, 0.7727272727273], 0.59343434343: [0.8333333333333, 0.1666666666667], 0.57759412305: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.3730486685: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.46464646465: [0.3333333333333, 0.6666666666667], 0.8145087236: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.10399449036: [0.0454545454545, 0.9545454545455], 0.04591368228: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.31864095501: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.78719008265: [0.5909090909091, 0.4090909090909], 0.26997245179: [0.1818181818182, 0.8181818181818], 0.73461891644: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.93112947658: [0.0909090909091, 0.9090909090909], 0.20844811754: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.93595041322: [0.8636363636364, 0.1363636363636], 0.51698806244: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.07988980716: [0.3636363636364, 0.6363636363636], 0.57231404959: [0.8636363636364, 0.1363636363636], 0.72451790634: [0.1818181818182, 0.8181818181818], 0.17837465565: [0.8636363636364, 0.1363636363636], 0.96694214876: [0.1818181818182, 0.8181818181818], 0.61616161616: [0.3333333333333, 0.6666666666667], 0.67148760331: [0.6818181818182, 0.3181818181818], 0.96625344353: [0.8636363636364, 0.1363636363636], 0.3023415978: [0.5909090909091, 0.4090909090909], 0.45385674931: [0.5909090909091, 0.4090909090909], 0.52066115703: [0.4545454545455, 0.5454545454545], 0.40059687787: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.24426078972: [0.7575757575758, 0.2424242424242, 0.5757575757576, 0.4242424242424], 0.14876033058: [0.1818181818182, 0.8181818181818], 0.91299357208: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.40151515152: [0.5], 0.22222222222: [0.3333333333333, 0.6666666666667], 0.25550964187: [0.0454545454545, 0.9545454545455], 0.39577594123: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.04338842975: [0.0454545454545, 0.9545454545455], 0.47865013774: [0.2272727272727, 0.7727272727273], 0.97451790634: [0.6818181818182, 0.3181818181818], 0.45110192838: [0.8636363636364, 0.1363636363636], 0.78787878788: [0.0], 0.55486685032: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.94329660239: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.04958677686: [0.3636363636364, 0.6363636363636], 0.45638200184: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.29935720845: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.47015610652: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.49494949495: [0.3333333333333, 0.6666666666667], 0.44628099174: [0.0909090909091, 0.9090909090909], 0.88062442608: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.57575757576: [0.0], 0.30211202939: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.99908172635: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.24173553719: [0.5909090909091, 0.4090909090909], 0.94605142332: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.82300275482: [0.6818181818182, 0.3181818181818], 0.14439853076: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.50688705234: [0.0909090909091, 0.9090909090909], 0.63292011019: [0.8636363636364, 0.1363636363636], 0.83126721763: [0.0454545454545, 0.9545454545455], 0.96877869605: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.48117539027: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.51515151515: [0.0], 0.7741046832: [0.7272727272727, 0.2727272727273], 0.16919191919: [0.8333333333333, 0.1666666666667], 0.93319559229: [0.2272727272727, 0.7727272727273], 0.60996326905: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.38131313131: [0.8333333333333, 0.1666666666667], 0.51147842057: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.3326446281: [0.5909090909091, 0.4090909090909], 0.89370982553: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.2782369146: [0.4545454545455, 0.5454545454545], 0.43089990817: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.04797979798: [0.8333333333333, 0.1666666666667], 0.02961432507: [0.5909090909091, 0.4090909090909], 0.85032139578: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.9696969697: [0.0], 0.65564738292: [0.3636363636364, 0.6363636363636], 0.58884297521: [0.0454545454545, 0.9545454545455], 0.81473829201: [0.8636363636364, 0.1363636363636], 0.9494949495: [0.6666666666667, 0.3333333333333], 0.70454545455: [0.5], 0.15817263545: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.75482093664: [0.1818181818182, 0.8181818181818], 0.5906795225: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.05716253444: [0.8636363636364, 0.1363636363636], 0.78076216713: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.13429752066: [0.0454545454545, 0.9545454545455], 0.3085399449: [0.4545454545455, 0.5454545454545], 0.87167125804: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.51446280992: [0.5909090909091, 0.4090909090909], 0.81726354454: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.92837465565: [0.3636363636364, 0.6363636363636], 0.66574839302: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.3709825528: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.15909090909: [0.5], 0.50045913682: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.56955922865: [0.2272727272727, 0.7727272727273], 0.85330578512: [0.6818181818182, 0.3181818181818], 0.11845730028: [0.1818181818182, 0.8181818181818], 0.3124426079: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.35537190083: [0.0909090909091, 0.9090909090909], 0.15335169881: [0.7575757575758, 0.2424242424242, 0.5757575757576, 0.4242424242424], 0.95592286501: [0.7272727272727, 0.2727272727273], 0.2580348944: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.45936639119: [0.6818181818182, 0.3181818181818], 0.92561983471: [0.7272727272727, 0.2727272727273], 0.48209366391: [0.1818181818182, 0.8181818181818], 0.4536271809: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.80991735537: [0.0909090909091, 0.9090909090909], 0.17814508724: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.25895316804: [0.7272727272727, 0.2727272727273], 0.67056932966: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.45454545455: [0.0], 0.90564738292: [0.8636363636364, 0.1363636363636], 0.98898071625: [0.3636363636364, 0.6363636363636], 0.74494949495: [0.8333333333333, 0.1666666666667], 0.02662993572: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.55027548209: [0.6818181818182, 0.3181818181818], 0.05693296602: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.64944903581: [0.0454545454545, 0.9545454545455], 0.55211202939: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.24632690542: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.64646464647: [0.3333333333333, 0.6666666666667], 0.68870523416: [0.0909090909091, 0.9090909090909], 0.10032139578: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.69329660239: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.94696969697: [0.5], 0.34090909091: [0.5], 0.14784205693: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.02203856749: [0.0909090909091, 0.9090909090909], 0.5080348944: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.08379247016: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.35261707989: [0.3636363636364, 0.6363636363636], 0.14325068871: [0.0909090909091, 0.9090909090909], 0.43916437098: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.39049586777: [0.8636363636364, 0.1363636363636], 0.85789715335: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.94123048669: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.61363636364: [0.5], 0.16804407714: [0.7272727272727, 0.2727272727273], 0.57483930211: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.48875114784: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.63016528926: [0.2272727272727, 0.7727272727273], 0.53282828283: [0.8333333333333, 0.1666666666667], 0.24150596878: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.10858585859: [0.8333333333333, 0.1666666666667], 0.09641873278: [0.4545454545455, 0.5454545454545], 0.10651974288: [0.2121212121212, 0.1212121212121, 0.7878787878788, 0.8787878787879], 0.67401285583: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.74655647383: [0.3636363636364, 0.6363636363636], 0.2883379247: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.4839302112: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.21763085399: [0.4545454545455, 0.5454545454545], 0.0544077135: [0.2272727272727, 0.7727272727273], 0.09573002755: [0.6818181818182, 0.3181818181818], 0.70638200184: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.27180899908: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.51170798898: [0.8636363636364, 0.1363636363636], 0.23622589532: [0.2272727272727, 0.7727272727273], 0.99380165289: [0.2272727272727, 0.7727272727273], 0.84756657484: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.65289256198: [0.7272727272727, 0.2727272727273], 0.0624426079: [0.7575757575758, 0.2424242424242, 0.5757575757576, 0.4242424242424], 0.13888888889: [0.8333333333333, 0.1666666666667], 0.32070707071: [0.8333333333333, 0.1666666666667], 0.27203856749: [0.5909090909091, 0.4090909090909], 0.39393939394: [0.0], 0.94674012856: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.54201101928: [0.8636363636364, 0.1363636363636], 0.93227731864: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.46763085399: [0.0454545454545, 0.9545454545455], 0.37029384757: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.4132231405: [0.3636363636364, 0.6363636363636], 0.72910927456: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.69880624426: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.53443526171: [0.3636363636364, 0.6363636363636], 0.37121212121: [0.5], 0.23140495868: [0.3636363636364, 0.6363636363636], 0.82828282828: [0.6666666666667, 0.3333333333333], 0.36547291093: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.63360881543: [0.1818181818182, 0.8181818181818], 0.87809917355: [0.5909090909091, 0.4090909090909], 0.20936639119: [0.1818181818182, 0.8181818181818], 0.80555555556: [0.8333333333333, 0.1666666666667], 0.84573002755: [0.1818181818182, 0.8181818181818], 0.91919191919: [0.6666666666667, 0.3333333333333], 0.66597796143: [0.5909090909091, 0.4090909090909], 0.07828282828: [0.8333333333333, 0.1666666666667], 0.56864095501: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.80716253444: [0.3636363636364, 0.6363636363636], 0.26446280992: [0.0909090909091, 0.9090909090909], 0.12878787879: [0.5], 0.53719008265: [0.0909090909091, 0.9090909090909], 0.25183654729: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.90633608815: [0.1818181818182, 0.8181818181818], 0.49219467401: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.87878787879: [0.0], 0.27272727273: [0.0], 0.44742883379: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.68985307622: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.39876033058: [0.6818181818182, 0.3181818181818], 0.77318640955: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.22704315886: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.03696051423: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.78971533517: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.44834710744: [0.2272727272727, 0.7727272727273], 0.54935720845: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.35101010101: [0.8333333333333, 0.1666666666667], 0.09848484849: [0.5], 0.82759412305: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.79269972452: [0.6818181818182, 0.3181818181818], 0.4979338843: [0.0454545454545, 0.9545454545455], 0.46005509642: [0.4545454545455, 0.5454545454545], 0.76515151515: [0.5], 0.91850321396: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.1230486685: [0.7575757575758, 0.2424242424242, 0.5757575757576, 0.4242424242424], 0.4435261708: [0.3636363636364, 0.6363636363636], 0.59136822773: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.19742883379: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.71258034894: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.93663911846: [0.1818181818182, 0.8181818181818], 0.69421487603: [0.1818181818182, 0.8181818181818], 0.5282369146: [0.0454545454545, 0.9545454545455], 0.83746556474: [0.3636363636364, 0.6363636363636], 0.21602387512: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.98622589532: [0.7272727272727, 0.2727272727273], 0.23875114784: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.54476584022: [0.5909090909091, 0.4090909090909], 0.84136822773: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.53007346189: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.2803030303: [0.5], 0.77961432507: [0.0909090909091, 0.9090909090909], 0.62809917355: [0.0909090909091, 0.9090909090909], 0.24242424242: [0.0], 0.52249770432: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.37855831038: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.45844811754: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.32988980716: [0.8636363636364, 0.1363636363636], 0.21694214876: [0.6818181818182, 0.3181818181818], 0.13774104683: [0.7272727272727, 0.2727272727273], 0.98461891644: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.7036271809: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.42814508724: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.83585858586: [0.8333333333333, 0.1666666666667], 0.50895316804: [0.2272727272727, 0.7727272727273], 0.11776859504: [0.8636363636364, 0.1363636363636], 0.28213957759: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.21120293848: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.37373737374: [0.3333333333333, 0.6666666666667], 0.32506887052: [0.0909090909091, 0.9090909090909], 0.55280073462: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.4777318641: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.42906336088: [0.6818181818182, 0.3181818181818], 0.4233241506: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.18732782369: [0.4545454545455, 0.5454545454545], 0.57208448118: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.65197428834: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.58516988062: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.76147842057: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.72635445363: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.21212121212: [0.0], 0.74288337925: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.53168044077: [0.7272727272727, 0.2727272727273], 0.68434343434: [0.8333333333333, 0.1666666666667], 0.62924701561: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.2601010101: [0.8333333333333, 0.1666666666667], 0.82552800735: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.67424242424: [0.5], 0.75413223141: [0.8636363636364, 0.1363636363636], 0.91666666667: [0.5], 0.40702479339: [0.0454545454545, 0.9545454545455], 0.30968778696: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.61340679523: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.36363636364: [0.0], 0.0404040404: [0.3333333333333, 0.6666666666667], 0.92470156107: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.99655647383: [0.8636363636364, 0.1363636363636], 0.62167125804: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.0645087236: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.31060606061: [0.5], 0.20110192838: [0.3636363636364, 0.6363636363636], 0.70707070707: [0.6666666666667, 0.3333333333333], 0.07621671258: [0.2121212121212, 0.1212121212121, 0.7878787878788, 0.8787878787879], 0.51239669422: [0.1818181818182, 0.8181818181818], 0.40886134068: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.79178145087: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.36019283747: [0.8636363636364, 0.1363636363636], 0.1129476584: [0.0909090909091, 0.9090909090909], 0.61157024793: [0.4545454545455, 0.5454545454545], 0.12855831038: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.6512855831: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.90541781451: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.40404040404: [0.3333333333333, 0.6666666666667], 0.84504132231: [0.8636363636364, 0.1363636363636], 0.64393939394: [0.5], 0.28282828283: [0.3333333333333, 0.6666666666667], 0.78512396694: [0.1818181818182, 0.8181818181818], 0.60238751148: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.95707070707: [0.8333333333333, 0.1666666666667], 0.33815426997: [0.6818181818182, 0.3181818181818], 0.72658402204: [0.5909090909091, 0.4090909090909], 0.70431588613: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.48484848485: [0.0], 0.19674012856: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.92401285583: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.72015610652: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.14807162534: [0.8636363636364, 0.1363636363636], 0.38774104683: [0.2272727272727, 0.7727272727273], 0.2904040404: [0.8333333333333, 0.1666666666667], 0.22153351699: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.33333333333: [0.0], 0.43732782369: [0.0454545454545, 0.9545454545455], 0.33999081726: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.43158861341: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.38292011019: [0.3636363636364, 0.6363636363636], 0.16712580349: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.93870523416: [0.5909090909091, 0.4090909090909], 0.91460055096: [0.4545454545455, 0.5454545454545], 0.0523415978: [0.0909090909091, 0.9090909090909], 0.7238292011: [0.8636363636364, 0.1363636363636], 0.02685950413: [0.8636363636364, 0.1363636363636], 0.75390266299: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.12029384757: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.86501377411: [0.7272727272727, 0.2727272727273], 0.77066115703: [0.0454545454545, 0.9545454545455], 0.19191919192: [0.3333333333333, 0.6666666666667], 0.33516988062: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.70087235996: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.08723599633: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.79545454546: [0.5], 0.55096418733: [0.4545454545455, 0.5454545454545], 0.12052341598: [0.5909090909091, 0.4090909090909], 0.56198347107: [0.7272727272727, 0.2727272727273], 0.64577594123: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.60537190083: [0.5909090909091, 0.4090909090909], 0.31795224977: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.26928374656: [0.8636363636364, 0.1363636363636], 0.81198347107: [0.2272727272727, 0.7727272727273], 0.23530762167: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.81749311295: [0.5909090909091, 0.4090909090909], 0.18663911846: [0.6818181818182, 0.3181818181818], 0.79522497704: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.90909090909: [0.0], 0.58241505969: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.36753902663: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.21143250689: [0.5909090909091, 0.4090909090909], 0.31313131313: [0.3333333333333, 0.6666666666667], 0.01652892562: [0.7272727272727, 0.2727272727273], 0.68158861341: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.41712580349: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.36845730028: [0.6818181818182, 0.3181818181818], 0.11501377411: [0.2272727272727, 0.7727272727273], 0.36271808999: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.15702479339: [0.4545454545455, 0.5454545454545], 0.47107438017: [0.7272727272727, 0.2727272727273], 0.53076216713: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.85238751148: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.41804407714: [0.2272727272727, 0.7727272727273], 0.63269054178: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.97635445363: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.18181818182: [0.0], 0.8448117539: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.66046831956: [0.2272727272727, 0.7727272727273], 0.23966942149: [0.1818181818182, 0.8181818181818], 0.56313131313: [0.8333333333333, 0.1666666666667], 0.91391184573: [0.6818181818182, 0.3181818181818], 0.75757575758: [0.0], 0.46189164371: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.96258034894: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.89187327824: [0.0454545454545, 0.9545454545455], 0.22520661157: [0.0454545454545, 0.9545454545455], 0.80348943985: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.87052341598: [0.0909090909091, 0.9090909090909], 0.54453627181: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.65840220386: [0.0909090909091, 0.9090909090909], 0.99173553719: [0.0909090909091, 0.9090909090909], 0.12786960514: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.80280073462: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152]} | pattern_zero = [0.0, 0.01492194674, 0.02938475666, 0.0303030303, 0.04338842975, 0.04522497704, 0.05693296602, 0.05968778696, 0.06060606061, 0.07001836547, 0.07369146006, 0.07552800735, 0.0826446281, 0.08723599633, 0.08999081726, 0.09090909091, 0.0948117539, 0.10032139578, 0.10399449036, 0.10583103765, 0.10651974288, 0.1129476584, 0.11753902663, 0.11776859504, 0.12029384757, 0.12121212121, 0.12511478421, 0.12855831038, 0.13062442608, 0.13429752066, 0.13613406795, 0.13682277319, 0.13888888889, 0.14325068871, 0.14784205693, 0.14807162534, 0.14876033058, 0.15059687787, 0.15151515152, 0.15541781451, 0.15817263545, 0.15886134068, 0.16092745638, 0.16460055096, 0.16643709826, 0.16712580349, 0.16919191919, 0.17355371901, 0.17561983471, 0.17814508724, 0.17837465565, 0.17906336088, 0.18089990817, 0.18181818182, 0.18365472911, 0.18572084481, 0.18847566575, 0.18916437098, 0.19123048669, 0.19490358127, 0.19674012856, 0.19742883379, 0.19834710744, 0.1994949495, 0.20385674931, 0.20500459137, 0.20592286501, 0.20844811754, 0.20867768595, 0.20936639119, 0.21120293848, 0.21212121212, 0.21395775941, 0.21602387512, 0.21694214876, 0.21877869605, 0.21946740129, 0.22153351699, 0.22222222222, 0.22520661157, 0.22704315886, 0.2277318641, 0.22865013774, 0.2297979798, 0.23140495868, 0.23415977961, 0.23530762167, 0.23622589532, 0.23875114784, 0.23898071625, 0.23966942149, 0.24150596878, 0.24173553719, 0.24242424242, 0.24426078972, 0.24632690542, 0.24724517906, 0.2479338843, 0.24908172635, 0.24977043159, 0.25, 0.25183654729, 0.25252525253, 0.25550964187, 0.25734618916, 0.2580348944, 0.25895316804, 0.2601010101, 0.26170798898, 0.26446280992, 0.26561065197, 0.26652892562, 0.26905417815, 0.26928374656, 0.26997245179, 0.27180899908, 0.27203856749, 0.27272727273, 0.27456382002, 0.27662993572, 0.27754820937, 0.2782369146, 0.27938475666, 0.28007346189, 0.2803030303, 0.28213957759, 0.28282828283, 0.28581267218, 0.28764921947, 0.2883379247, 0.28925619835, 0.2904040404, 0.29201101928, 0.29476584022, 0.29591368228, 0.29683195592, 0.29935720845, 0.29958677686, 0.30027548209, 0.30211202939, 0.3023415978, 0.30303030303, 0.30486685032, 0.30693296602, 0.30785123967, 0.3085399449, 0.30968778696, 0.3103764922, 0.31060606061, 0.3124426079, 0.31313131313, 0.31611570248, 0.31795224977, 0.31864095501, 0.31955922865, 0.32070707071, 0.32231404959, 0.32506887052, 0.32621671258, 0.32713498623, 0.32966023875, 0.32988980716, 0.3305785124, 0.33241505969, 0.3326446281, 0.33333333333, 0.33516988062, 0.33723599633, 0.33815426997, 0.33884297521, 0.33999081726, 0.3406795225, 0.34090909091, 0.3427456382, 0.34343434343, 0.34641873278, 0.34825528007, 0.34894398531, 0.34986225895, 0.35101010101, 0.35261707989, 0.35537190083, 0.35651974288, 0.35743801653, 0.35996326905, 0.36019283747, 0.3608815427, 0.36271808999, 0.3629476584, 0.36363636364, 0.36547291093, 0.36753902663, 0.36845730028, 0.36914600551, 0.37029384757, 0.3709825528, 0.37121212121, 0.3730486685, 0.37373737374, 0.37672176309, 0.37855831038, 0.37924701561, 0.38016528926, 0.38131313131, 0.38292011019, 0.38567493113, 0.38682277319, 0.38774104683, 0.39026629936, 0.39049586777, 0.391184573, 0.39302112029, 0.39325068871, 0.39393939394, 0.39577594123, 0.39784205693, 0.39876033058, 0.39944903581, 0.40059687787, 0.4012855831, 0.40151515152, 0.40335169881, 0.40404040404, 0.40702479339, 0.40886134068, 0.40955004591, 0.41046831956, 0.41161616162, 0.4132231405, 0.41597796143, 0.41712580349, 0.41804407714, 0.42056932966, 0.42079889807, 0.42148760331, 0.4233241506, 0.42355371901, 0.42424242424, 0.42607897153, 0.42814508724, 0.42906336088, 0.42975206612, 0.43089990817, 0.43158861341, 0.43181818182, 0.43365472911, 0.43434343434, 0.43732782369, 0.43916437098, 0.43985307622, 0.44077134986, 0.44191919192, 0.4435261708, 0.44628099174, 0.44742883379, 0.44834710744, 0.45087235996, 0.45110192838, 0.45179063361, 0.4536271809, 0.45385674931, 0.45454545455, 0.45638200184, 0.45844811754, 0.45936639119, 0.46005509642, 0.46120293848, 0.46189164371, 0.46212121212, 0.46395775941, 0.46464646465, 0.46763085399, 0.46946740129, 0.47015610652, 0.47107438017, 0.47222222222, 0.4738292011, 0.47658402204, 0.4777318641, 0.47865013774, 0.48117539027, 0.48140495868, 0.48209366391, 0.4839302112, 0.48415977961, 0.48484848485, 0.48668503214, 0.48875114784, 0.48966942149, 0.49035812672, 0.49150596878, 0.49219467401, 0.49242424242, 0.49426078972, 0.49494949495, 0.4979338843, 0.49977043159, 0.50045913682, 0.50137741047, 0.50252525253, 0.50413223141, 0.50688705234, 0.5080348944, 0.50895316804, 0.51147842057, 0.51170798898, 0.51239669422, 0.51423324151, 0.51446280992, 0.51515151515, 0.51698806244, 0.51905417815, 0.51997245179, 0.52066115703, 0.52180899908, 0.52249770432, 0.52272727273, 0.52456382002, 0.52525252525, 0.5282369146, 0.53007346189, 0.53076216713, 0.53168044077, 0.53282828283, 0.53443526171, 0.53719008265, 0.5383379247, 0.53925619835, 0.54178145087, 0.54201101928, 0.54269972452, 0.54453627181, 0.54476584022, 0.54545454546, 0.54729109275, 0.54935720845, 0.55027548209, 0.55096418733, 0.55211202939, 0.55280073462, 0.55303030303, 0.55486685032, 0.55555555556, 0.5585399449, 0.5603764922, 0.56106519743, 0.56198347107, 0.56313131313, 0.56473829201, 0.56749311295, 0.56864095501, 0.56955922865, 0.57208448118, 0.57231404959, 0.57300275482, 0.57483930211, 0.57506887052, 0.57575757576, 0.57759412305, 0.57966023875, 0.5805785124, 0.58126721763, 0.58241505969, 0.58310376492, 0.58333333333, 0.58516988062, 0.58585858586, 0.58884297521, 0.5906795225, 0.59136822773, 0.59228650138, 0.59343434343, 0.59504132231, 0.59779614325, 0.59894398531, 0.59986225895, 0.60238751148, 0.60261707989, 0.60330578512, 0.60514233242, 0.60537190083, 0.60606060606, 0.60789715335, 0.60996326905, 0.6108815427, 0.61157024793, 0.61271808999, 0.61340679523, 0.61363636364, 0.61547291093, 0.61616161616, 0.61914600551, 0.6209825528, 0.62167125804, 0.62258953168, 0.62373737374, 0.62534435262, 0.62809917355, 0.62924701561, 0.63016528926, 0.63269054178, 0.63292011019, 0.63360881543, 0.63544536272, 0.63567493113, 0.63636363636, 0.63820018366, 0.64026629936, 0.641184573, 0.64187327824, 0.64302112029, 0.64370982553, 0.64393939394, 0.64577594123, 0.64646464647, 0.64944903581, 0.6512855831, 0.65197428834, 0.65289256198, 0.65404040404, 0.65564738292, 0.65840220386, 0.65955004591, 0.66046831956, 0.66299357208, 0.6632231405, 0.66391184573, 0.66574839302, 0.66597796143, 0.66666666667, 0.66850321396, 0.67056932966, 0.67148760331, 0.67217630854, 0.6733241506, 0.67401285583, 0.67424242424, 0.67607897153, 0.67676767677, 0.67975206612, 0.68158861341, 0.68227731864, 0.68319559229, 0.68434343434, 0.68595041322, 0.68870523416, 0.68985307622, 0.69077134986, 0.69329660239, 0.6935261708, 0.69421487603, 0.69605142332, 0.69628099174, 0.69696969697, 0.69880624426, 0.70087235996, 0.70179063361, 0.70247933884, 0.7036271809, 0.70431588613, 0.70454545455, 0.70638200184, 0.70707070707, 0.71005509642, 0.71189164371, 0.71258034894, 0.71349862259, 0.71464646465, 0.71625344353, 0.71900826446, 0.72015610652, 0.72107438017, 0.72359963269, 0.7238292011, 0.72451790634, 0.72635445363, 0.72658402204, 0.72727272727, 0.72910927456, 0.73117539027, 0.73209366391, 0.73278236915, 0.7339302112, 0.73461891644, 0.73484848485, 0.73668503214, 0.73737373737, 0.74035812672, 0.74219467401, 0.74288337925, 0.74380165289, 0.74494949495, 0.74655647383, 0.74931129477, 0.75045913682, 0.75137741047, 0.75390266299, 0.75413223141, 0.75482093664, 0.75665748393, 0.75688705234, 0.75757575758, 0.75941230487, 0.76147842057, 0.76239669422, 0.76308539945, 0.76423324151, 0.76492194674, 0.76515151515, 0.76698806244, 0.76767676768, 0.77066115703, 0.77249770432, 0.77318640955, 0.7741046832, 0.77525252525, 0.77685950413, 0.77961432507, 0.78076216713, 0.78168044077, 0.7842056933, 0.78443526171, 0.78512396694, 0.78696051423, 0.78719008265, 0.78787878788, 0.78971533517, 0.79178145087, 0.79269972452, 0.79338842975, 0.79453627181, 0.79522497704, 0.79545454546, 0.79729109275, 0.79797979798, 0.80096418733, 0.80280073462, 0.80348943985, 0.8044077135, 0.80555555556, 0.80716253444, 0.80991735537, 0.81106519743, 0.81198347107, 0.8145087236, 0.81473829201, 0.81542699725, 0.81726354454, 0.81749311295, 0.81818181818, 0.82001836547, 0.82208448118, 0.82300275482, 0.82369146006, 0.82483930211, 0.82552800735, 0.82575757576, 0.82759412305, 0.82828282828, 0.83126721763, 0.83310376492, 0.83379247016, 0.8347107438, 0.83585858586, 0.83746556474, 0.84022038568, 0.84136822773, 0.84228650138, 0.8448117539, 0.84504132231, 0.84573002755, 0.84756657484, 0.84779614325, 0.84848484849, 0.85032139578, 0.85238751148, 0.85330578512, 0.85399449036, 0.85514233242, 0.85583103765, 0.85606060606, 0.85789715335, 0.85858585859, 0.86157024793, 0.86340679523, 0.86409550046, 0.86501377411, 0.86616161616, 0.86776859504, 0.87052341598, 0.87167125804, 0.87258953168, 0.87511478421, 0.87534435262, 0.87603305785, 0.87786960514, 0.87809917355, 0.87878787879, 0.88062442608, 0.88269054178, 0.88360881543, 0.88429752066, 0.88544536272, 0.88613406795, 0.88636363636, 0.88820018366, 0.88888888889, 0.89187327824, 0.89370982553, 0.89439853076, 0.89531680441, 0.89646464647, 0.89807162534, 0.90082644628, 0.90197428834, 0.90289256198, 0.90541781451, 0.90564738292, 0.90633608815, 0.90817263545, 0.90840220386, 0.90909090909, 0.91092745638, 0.91299357208, 0.91391184573, 0.91460055096, 0.91574839302, 0.91643709826, 0.91666666667, 0.91850321396, 0.91919191919, 0.92217630854, 0.92401285583, 0.92470156107, 0.92561983471, 0.92676767677, 0.92837465565, 0.93112947658, 0.93227731864, 0.93319559229, 0.93572084481, 0.93595041322, 0.93663911846, 0.93847566575, 0.93870523416, 0.93939393939, 0.94123048669, 0.94329660239, 0.94421487603, 0.94490358127, 0.94605142332, 0.94674012856, 0.94696969697, 0.94880624426, 0.9494949495, 0.95247933884, 0.95431588613, 0.95500459137, 0.95592286501, 0.95707070707, 0.95867768595, 0.96143250689, 0.96258034894, 0.96349862259, 0.96602387512, 0.96625344353, 0.96694214876, 0.96877869605, 0.96900826446, 0.9696969697, 0.97153351699, 0.97359963269, 0.97451790634, 0.97520661157, 0.97635445363, 0.97704315886, 0.97727272727, 0.97910927456, 0.9797979798, 0.98278236915, 0.98461891644, 0.98530762167, 0.98622589532, 0.98737373737, 0.98898071625, 0.99173553719, 0.99288337925, 0.99380165289, 0.99632690542, 0.99655647383, 0.99724517906, 0.99908172635, 0.99931129477]
pattern_odd = [0.0, 0.00183654729, 0.00390266299, 0.00482093664, 0.00550964187, 0.00665748393, 0.00734618916, 0.00757575758, 0.00941230487, 0.0101010101, 0.01308539945, 0.01492194674, 0.01561065197, 0.01652892562, 0.01767676768, 0.01928374656, 0.02203856749, 0.02318640955, 0.0241046832, 0.02662993572, 0.02685950413, 0.02754820937, 0.02938475666, 0.02961432507, 0.0303030303, 0.03213957759, 0.0342056933, 0.03512396694, 0.03581267218, 0.03696051423, 0.03764921947, 0.03787878788, 0.03971533517, 0.0404040404, 0.04338842975, 0.04522497704, 0.04591368228, 0.04683195592, 0.04797979798, 0.04958677686, 0.0523415978, 0.05348943985, 0.0544077135, 0.05693296602, 0.05716253444, 0.05785123967, 0.05968778696, 0.05991735537, 0.06060606061, 0.0624426079, 0.0645087236, 0.06542699725, 0.06611570248, 0.06726354454, 0.06795224977, 0.06818181818, 0.07001836547, 0.07070707071, 0.07369146006, 0.07552800735, 0.07621671258, 0.07713498623, 0.07828282828, 0.07988980716, 0.0826446281, 0.08379247016, 0.0847107438, 0.08723599633, 0.08746556474, 0.08815426997, 0.08999081726, 0.09022038568, 0.09090909091, 0.0927456382, 0.0948117539, 0.09573002755, 0.09641873278, 0.09756657484, 0.09825528007, 0.09848484849, 0.10032139578, 0.10101010101, 0.10399449036, 0.10583103765, 0.10651974288, 0.10743801653, 0.10858585859, 0.11019283747, 0.1129476584, 0.11409550046, 0.11501377411, 0.11753902663, 0.11776859504, 0.11845730028, 0.12029384757, 0.12052341598, 0.12121212121, 0.1230486685, 0.12511478421, 0.12603305785, 0.12672176309, 0.12786960514, 0.12855831038, 0.12878787879, 0.13062442608, 0.13131313131, 0.13429752066, 0.13613406795, 0.13682277319, 0.13774104683, 0.13888888889, 0.14049586777, 0.14325068871, 0.14439853076, 0.14531680441, 0.14784205693, 0.14807162534, 0.14876033058, 0.15059687787, 0.15082644628, 0.15151515152, 0.15335169881, 0.15541781451, 0.15633608815, 0.15702479339, 0.15817263545, 0.15886134068, 0.15909090909, 0.16092745638, 0.16161616162, 0.16460055096, 0.16643709826, 0.16712580349, 0.16804407714, 0.16919191919, 0.17079889807, 0.17355371901, 0.17470156107, 0.17561983471, 0.17814508724, 0.17837465565, 0.17906336088, 0.18089990817, 0.18112947658, 0.18181818182, 0.18365472911, 0.18572084481, 0.18663911846, 0.18732782369, 0.18847566575, 0.18916437098, 0.18939393939, 0.19123048669, 0.19191919192, 0.19490358127, 0.19674012856, 0.19742883379, 0.19834710744, 0.1994949495, 0.20110192838, 0.20385674931, 0.20500459137, 0.20592286501, 0.20844811754, 0.20867768595, 0.20936639119, 0.21120293848, 0.21143250689, 0.21212121212, 0.21395775941, 0.21602387512, 0.21694214876, 0.21763085399, 0.21877869605, 0.21946740129, 0.2196969697, 0.22153351699, 0.22222222222, 0.22520661157, 0.22704315886, 0.2277318641, 0.22865013774, 0.2297979798, 0.23140495868, 0.23415977961, 0.23530762167, 0.23622589532, 0.23875114784, 0.23898071625, 0.23966942149, 0.24150596878, 0.24173553719, 0.24242424242, 0.24426078972, 0.24632690542, 0.24724517906, 0.2479338843, 0.24908172635, 0.24977043159, 0.25, 0.25183654729, 0.25252525253, 0.25550964187, 0.25734618916, 0.2580348944, 0.25895316804, 0.2601010101, 0.26170798898, 0.26446280992, 0.26561065197, 0.26652892562, 0.26905417815, 0.26928374656, 0.26997245179, 0.27180899908, 0.27203856749, 0.27272727273, 0.27456382002, 0.27662993572, 0.27754820937, 0.2782369146, 0.27938475666, 0.28007346189, 0.2803030303, 0.28213957759, 0.28282828283, 0.28581267218, 0.28764921947, 0.2883379247, 0.28925619835, 0.2904040404, 0.29201101928, 0.29476584022, 0.29591368228, 0.29683195592, 0.29935720845, 0.29958677686, 0.30027548209, 0.30211202939, 0.3023415978, 0.30303030303, 0.30486685032, 0.30693296602, 0.30785123967, 0.3085399449, 0.30968778696, 0.3103764922, 0.31060606061, 0.3124426079, 0.31313131313, 0.31611570248, 0.31795224977, 0.31864095501, 0.31955922865, 0.32070707071, 0.32231404959, 0.32506887052, 0.32621671258, 0.32713498623, 0.32966023875, 0.32988980716, 0.3305785124, 0.33241505969, 0.3326446281, 0.33333333333, 0.33516988062, 0.33723599633, 0.33815426997, 0.33884297521, 0.33999081726, 0.3406795225, 0.34090909091, 0.3427456382, 0.34343434343, 0.34641873278, 0.34825528007, 0.34894398531, 0.34986225895, 0.35101010101, 0.35261707989, 0.35537190083, 0.35651974288, 0.35743801653, 0.35996326905, 0.36019283747, 0.3608815427, 0.36271808999, 0.3629476584, 0.36363636364, 0.36547291093, 0.36753902663, 0.36845730028, 0.36914600551, 0.37029384757, 0.3709825528, 0.37121212121, 0.3730486685, 0.37373737374, 0.37672176309, 0.37855831038, 0.37924701561, 0.38016528926, 0.38131313131, 0.38292011019, 0.38567493113, 0.38682277319, 0.38774104683, 0.39026629936, 0.39049586777, 0.391184573, 0.39302112029, 0.39325068871, 0.39393939394, 0.39577594123, 0.39784205693, 0.39876033058, 0.39944903581, 0.40059687787, 0.4012855831, 0.40151515152, 0.40335169881, 0.40404040404, 0.40702479339, 0.40886134068, 0.40955004591, 0.41046831956, 0.41161616162, 0.4132231405, 0.41597796143, 0.41712580349, 0.41804407714, 0.42056932966, 0.42079889807, 0.42148760331, 0.4233241506, 0.42355371901, 0.42424242424, 0.42607897153, 0.42814508724, 0.42906336088, 0.42975206612, 0.43089990817, 0.43158861341, 0.43181818182, 0.43365472911, 0.43434343434, 0.43732782369, 0.43916437098, 0.43985307622, 0.44077134986, 0.44191919192, 0.4435261708, 0.44628099174, 0.44742883379, 0.44834710744, 0.45087235996, 0.45110192838, 0.45179063361, 0.4536271809, 0.45385674931, 0.45454545455, 0.45638200184, 0.45844811754, 0.45936639119, 0.46005509642, 0.46120293848, 0.46189164371, 0.46212121212, 0.46395775941, 0.46464646465, 0.46763085399, 0.46946740129, 0.47015610652, 0.47107438017, 0.47222222222, 0.4738292011, 0.47658402204, 0.4777318641, 0.47865013774, 0.48117539027, 0.48140495868, 0.48209366391, 0.4839302112, 0.48415977961, 0.48484848485, 0.48668503214, 0.48875114784, 0.48966942149, 0.49035812672, 0.49150596878, 0.49219467401, 0.49242424242, 0.49426078972, 0.49494949495, 0.4979338843, 0.49977043159, 0.50045913682, 0.50137741047, 0.50252525253, 0.50413223141, 0.50688705234, 0.5080348944, 0.50895316804, 0.51147842057, 0.51170798898, 0.51239669422, 0.51423324151, 0.51446280992, 0.51515151515, 0.51698806244, 0.51905417815, 0.51997245179, 0.52066115703, 0.52180899908, 0.52249770432, 0.52272727273, 0.52456382002, 0.52525252525, 0.5282369146, 0.53007346189, 0.53076216713, 0.53168044077, 0.53282828283, 0.53443526171, 0.53719008265, 0.5383379247, 0.53925619835, 0.54178145087, 0.54201101928, 0.54269972452, 0.54453627181, 0.54476584022, 0.54545454546, 0.54729109275, 0.54935720845, 0.55027548209, 0.55096418733, 0.55211202939, 0.55280073462, 0.55303030303, 0.55486685032, 0.55555555556, 0.5585399449, 0.5603764922, 0.56106519743, 0.56198347107, 0.56313131313, 0.56473829201, 0.56749311295, 0.56864095501, 0.56955922865, 0.57208448118, 0.57231404959, 0.57300275482, 0.57483930211, 0.57506887052, 0.57575757576, 0.57759412305, 0.57966023875, 0.5805785124, 0.58126721763, 0.58241505969, 0.58310376492, 0.58333333333, 0.58516988062, 0.58585858586, 0.58884297521, 0.5906795225, 0.59136822773, 0.59228650138, 0.59343434343, 0.59504132231, 0.59779614325, 0.59894398531, 0.59986225895, 0.60238751148, 0.60261707989, 0.60330578512, 0.60514233242, 0.60537190083, 0.60606060606, 0.60789715335, 0.60996326905, 0.6108815427, 0.61157024793, 0.61271808999, 0.61340679523, 0.61363636364, 0.61547291093, 0.61616161616, 0.61914600551, 0.6209825528, 0.62167125804, 0.62258953168, 0.62373737374, 0.62534435262, 0.62809917355, 0.62924701561, 0.63016528926, 0.63269054178, 0.63292011019, 0.63360881543, 0.63544536272, 0.63567493113, 0.63636363636, 0.63820018366, 0.64026629936, 0.641184573, 0.64187327824, 0.64302112029, 0.64370982553, 0.64393939394, 0.64577594123, 0.64646464647, 0.64944903581, 0.6512855831, 0.65197428834, 0.65289256198, 0.65404040404, 0.65564738292, 0.65840220386, 0.65955004591, 0.66046831956, 0.66299357208, 0.6632231405, 0.66391184573, 0.66574839302, 0.66597796143, 0.66666666667, 0.66850321396, 0.67056932966, 0.67148760331, 0.67217630854, 0.6733241506, 0.67401285583, 0.67424242424, 0.67607897153, 0.67676767677, 0.67975206612, 0.68158861341, 0.68227731864, 0.68319559229, 0.68434343434, 0.68595041322, 0.68870523416, 0.68985307622, 0.69077134986, 0.69329660239, 0.6935261708, 0.69421487603, 0.69605142332, 0.69628099174, 0.69696969697, 0.69880624426, 0.70087235996, 0.70179063361, 0.70247933884, 0.7036271809, 0.70431588613, 0.70454545455, 0.70638200184, 0.70707070707, 0.71005509642, 0.71189164371, 0.71258034894, 0.71349862259, 0.71464646465, 0.71625344353, 0.71900826446, 0.72015610652, 0.72107438017, 0.72359963269, 0.7238292011, 0.72451790634, 0.72635445363, 0.72658402204, 0.72727272727, 0.72910927456, 0.73117539027, 0.73209366391, 0.73278236915, 0.7339302112, 0.73461891644, 0.73484848485, 0.73668503214, 0.73737373737, 0.74035812672, 0.74219467401, 0.74288337925, 0.74380165289, 0.74494949495, 0.74655647383, 0.74931129477, 0.75045913682, 0.75137741047, 0.75390266299, 0.75413223141, 0.75482093664, 0.75665748393, 0.75688705234, 0.75757575758, 0.75941230487, 0.76147842057, 0.76239669422, 0.76308539945, 0.76423324151, 0.76492194674, 0.76515151515, 0.76698806244, 0.76767676768, 0.77066115703, 0.77249770432, 0.77318640955, 0.7741046832, 0.77525252525, 0.77685950413, 0.77961432507, 0.78076216713, 0.78168044077, 0.7842056933, 0.78443526171, 0.78512396694, 0.78696051423, 0.78719008265, 0.78787878788, 0.78971533517, 0.79178145087, 0.79269972452, 0.79338842975, 0.79453627181, 0.79522497704, 0.79545454546, 0.79729109275, 0.79797979798, 0.80096418733, 0.80280073462, 0.80348943985, 0.8044077135, 0.80555555556, 0.80716253444, 0.80991735537, 0.81106519743, 0.81198347107, 0.8145087236, 0.81473829201, 0.81542699725, 0.81726354454, 0.81749311295, 0.81818181818, 0.82001836547, 0.82208448118, 0.82300275482, 0.82369146006, 0.82483930211, 0.82552800735, 0.82575757576, 0.82759412305, 0.82828282828, 0.83126721763, 0.83310376492, 0.83379247016, 0.8347107438, 0.83585858586, 0.83746556474, 0.84022038568, 0.84136822773, 0.84228650138, 0.8448117539, 0.84504132231, 0.84573002755, 0.84756657484, 0.84779614325, 0.84848484849, 0.85032139578, 0.85238751148, 0.85330578512, 0.85399449036, 0.85514233242, 0.85583103765, 0.85606060606, 0.85789715335, 0.85858585859, 0.86157024793, 0.86340679523, 0.86409550046, 0.86501377411, 0.86616161616, 0.86776859504, 0.87052341598, 0.87167125804, 0.87258953168, 0.87511478421, 0.87534435262, 0.87603305785, 0.87786960514, 0.87809917355, 0.87878787879, 0.88062442608, 0.88269054178, 0.88360881543, 0.88429752066, 0.88544536272, 0.88613406795, 0.88636363636, 0.88820018366, 0.88888888889, 0.89187327824, 0.89370982553, 0.89439853076, 0.89531680441, 0.89646464647, 0.89807162534, 0.90082644628, 0.90197428834, 0.90289256198, 0.90541781451, 0.90564738292, 0.90633608815, 0.90817263545, 0.90840220386, 0.90909090909, 0.91092745638, 0.91299357208, 0.91391184573, 0.91460055096, 0.91574839302, 0.91643709826, 0.91666666667, 0.91850321396, 0.91919191919, 0.92217630854, 0.92401285583, 0.92470156107, 0.92561983471, 0.92676767677, 0.92837465565, 0.93112947658, 0.93227731864, 0.93319559229, 0.93572084481, 0.93595041322, 0.93663911846, 0.93847566575, 0.93870523416, 0.93939393939, 0.94123048669, 0.94329660239, 0.94421487603, 0.94490358127, 0.94605142332, 0.94674012856, 0.94696969697, 0.94880624426, 0.9494949495, 0.95247933884, 0.95431588613, 0.95500459137, 0.95592286501, 0.95707070707, 0.95867768595, 0.96143250689, 0.96258034894, 0.96349862259, 0.96602387512, 0.96625344353, 0.96694214876, 0.96877869605, 0.96900826446, 0.9696969697, 0.97153351699, 0.97359963269, 0.97451790634, 0.97520661157, 0.97635445363, 0.97704315886, 0.97727272727, 0.97910927456, 0.9797979798, 0.98278236915, 0.98461891644, 0.98530762167, 0.98622589532, 0.98737373737, 0.98898071625, 0.99173553719, 0.99288337925, 0.99380165289, 0.99632690542, 0.99655647383, 0.99724517906, 0.99908172635, 0.99931129477]
pattern_even = [0.0, 0.00183654729, 0.00390266299, 0.00482093664, 0.00550964187, 0.00665748393, 0.00734618916, 0.00757575758, 0.00941230487, 0.0101010101, 0.01308539945, 0.01492194674, 0.01561065197, 0.01652892562, 0.01767676768, 0.01928374656, 0.02203856749, 0.02318640955, 0.0241046832, 0.02662993572, 0.02685950413, 0.02754820937, 0.02938475666, 0.02961432507, 0.0303030303, 0.03213957759, 0.0342056933, 0.03512396694, 0.03581267218, 0.03696051423, 0.03764921947, 0.03787878788, 0.03971533517, 0.0404040404, 0.04338842975, 0.04522497704, 0.04591368228, 0.04683195592, 0.04797979798, 0.04958677686, 0.0523415978, 0.05348943985, 0.0544077135, 0.05693296602, 0.05716253444, 0.05785123967, 0.05968778696, 0.05991735537, 0.06060606061, 0.0624426079, 0.0645087236, 0.06542699725, 0.06611570248, 0.06726354454, 0.06795224977, 0.06818181818, 0.07001836547, 0.07070707071, 0.07369146006, 0.07552800735, 0.07621671258, 0.07713498623, 0.07828282828, 0.07988980716, 0.0826446281, 0.08379247016, 0.0847107438, 0.08723599633, 0.08746556474, 0.08815426997, 0.08999081726, 0.09022038568, 0.09090909091, 0.0927456382, 0.0948117539, 0.09573002755, 0.09641873278, 0.09756657484, 0.09825528007, 0.09848484849, 0.10032139578, 0.10101010101, 0.10399449036, 0.10583103765, 0.10651974288, 0.10743801653, 0.10858585859, 0.11019283747, 0.1129476584, 0.11409550046, 0.11501377411, 0.11753902663, 0.11776859504, 0.11845730028, 0.12029384757, 0.12052341598, 0.12121212121, 0.1230486685, 0.12511478421, 0.12603305785, 0.12672176309, 0.12786960514, 0.12855831038, 0.12878787879, 0.13062442608, 0.13131313131, 0.13429752066, 0.13613406795, 0.13682277319, 0.13774104683, 0.13888888889, 0.14049586777, 0.14325068871, 0.14439853076, 0.14531680441, 0.14784205693, 0.14807162534, 0.14876033058, 0.15059687787, 0.15082644628, 0.15151515152, 0.15335169881, 0.15541781451, 0.15633608815, 0.15702479339, 0.15817263545, 0.15886134068, 0.15909090909, 0.16092745638, 0.16161616162, 0.16460055096, 0.16643709826, 0.16712580349, 0.16804407714, 0.16919191919, 0.17079889807, 0.17355371901, 0.17470156107, 0.17561983471, 0.17814508724, 0.17837465565, 0.17906336088, 0.18089990817, 0.18112947658, 0.18181818182, 0.18365472911, 0.18572084481, 0.18663911846, 0.18732782369, 0.18847566575, 0.18916437098, 0.18939393939, 0.19123048669, 0.19191919192, 0.19490358127, 0.19674012856, 0.19742883379, 0.19834710744, 0.1994949495, 0.20110192838, 0.20385674931, 0.20500459137, 0.20592286501, 0.20844811754, 0.20867768595, 0.20936639119, 0.21120293848, 0.21143250689, 0.21212121212, 0.21395775941, 0.21602387512, 0.21694214876, 0.21763085399, 0.21877869605, 0.21946740129, 0.2196969697, 0.22153351699, 0.22222222222, 0.22520661157, 0.22704315886, 0.2277318641, 0.22865013774, 0.2297979798, 0.23140495868, 0.23415977961, 0.23530762167, 0.23622589532, 0.23875114784, 0.23898071625, 0.23966942149, 0.24150596878, 0.24173553719, 0.24242424242, 0.24426078972, 0.24632690542, 0.24724517906, 0.2479338843, 0.24908172635, 0.24977043159, 0.25, 0.25183654729, 0.25252525253, 0.25550964187, 0.25734618916, 0.2580348944, 0.25895316804, 0.2601010101, 0.26170798898, 0.26446280992, 0.26561065197, 0.26652892562, 0.26905417815, 0.26928374656, 0.26997245179, 0.27180899908, 0.27203856749, 0.27272727273, 0.27456382002, 0.27662993572, 0.27754820937, 0.2782369146, 0.27938475666, 0.28007346189, 0.2803030303, 0.28213957759, 0.28282828283, 0.28581267218, 0.28764921947, 0.2883379247, 0.28925619835, 0.2904040404, 0.29201101928, 0.29476584022, 0.29591368228, 0.29683195592, 0.29935720845, 0.29958677686, 0.30027548209, 0.30211202939, 0.3023415978, 0.30303030303, 0.30486685032, 0.30693296602, 0.30785123967, 0.3085399449, 0.30968778696, 0.3103764922, 0.31060606061, 0.3124426079, 0.31313131313, 0.31611570248, 0.31795224977, 0.31864095501, 0.31955922865, 0.32070707071, 0.32231404959, 0.32506887052, 0.32621671258, 0.32713498623, 0.32966023875, 0.32988980716, 0.3305785124, 0.33241505969, 0.3326446281, 0.33333333333, 0.33516988062, 0.33723599633, 0.33815426997, 0.33884297521, 0.33999081726, 0.3406795225, 0.34090909091, 0.3427456382, 0.34343434343, 0.34641873278, 0.34825528007, 0.34894398531, 0.34986225895, 0.35101010101, 0.35261707989, 0.35537190083, 0.35651974288, 0.35743801653, 0.35996326905, 0.36019283747, 0.3608815427, 0.36271808999, 0.3629476584, 0.36363636364, 0.36547291093, 0.36753902663, 0.36845730028, 0.36914600551, 0.37029384757, 0.3709825528, 0.37121212121, 0.3730486685, 0.37373737374, 0.37672176309, 0.37855831038, 0.37924701561, 0.38016528926, 0.38131313131, 0.38292011019, 0.38567493113, 0.38682277319, 0.38774104683, 0.39026629936, 0.39049586777, 0.391184573, 0.39302112029, 0.39325068871, 0.39393939394, 0.39577594123, 0.39784205693, 0.39876033058, 0.39944903581, 0.40059687787, 0.4012855831, 0.40151515152, 0.40335169881, 0.40404040404, 0.40702479339, 0.40886134068, 0.40955004591, 0.41046831956, 0.41161616162, 0.4132231405, 0.41597796143, 0.41712580349, 0.41804407714, 0.42056932966, 0.42079889807, 0.42148760331, 0.4233241506, 0.42355371901, 0.42424242424, 0.42607897153, 0.42814508724, 0.42906336088, 0.42975206612, 0.43089990817, 0.43158861341, 0.43181818182, 0.43365472911, 0.43434343434, 0.43732782369, 0.43916437098, 0.43985307622, 0.44077134986, 0.44191919192, 0.4435261708, 0.44628099174, 0.44742883379, 0.44834710744, 0.45087235996, 0.45110192838, 0.45179063361, 0.4536271809, 0.45385674931, 0.45454545455, 0.45638200184, 0.45844811754, 0.45936639119, 0.46005509642, 0.46120293848, 0.46189164371, 0.46212121212, 0.46395775941, 0.46464646465, 0.46763085399, 0.46946740129, 0.47015610652, 0.47107438017, 0.47222222222, 0.4738292011, 0.47658402204, 0.4777318641, 0.47865013774, 0.48117539027, 0.48140495868, 0.48209366391, 0.4839302112, 0.48415977961, 0.48484848485, 0.48668503214, 0.48875114784, 0.48966942149, 0.49035812672, 0.49150596878, 0.49219467401, 0.49242424242, 0.49426078972, 0.49494949495, 0.4979338843, 0.49977043159, 0.50045913682, 0.50137741047, 0.50252525253, 0.50413223141, 0.50688705234, 0.5080348944, 0.50895316804, 0.51147842057, 0.51170798898, 0.51239669422, 0.51423324151, 0.51446280992, 0.51515151515, 0.51698806244, 0.51905417815, 0.51997245179, 0.52066115703, 0.52180899908, 0.52249770432, 0.52272727273, 0.52456382002, 0.52525252525, 0.5282369146, 0.53007346189, 0.53076216713, 0.53168044077, 0.53282828283, 0.53443526171, 0.53719008265, 0.5383379247, 0.53925619835, 0.54178145087, 0.54201101928, 0.54269972452, 0.54453627181, 0.54476584022, 0.54545454546, 0.54729109275, 0.54935720845, 0.55027548209, 0.55096418733, 0.55211202939, 0.55280073462, 0.55303030303, 0.55486685032, 0.55555555556, 0.5585399449, 0.5603764922, 0.56106519743, 0.56198347107, 0.56313131313, 0.56473829201, 0.56749311295, 0.56864095501, 0.56955922865, 0.57208448118, 0.57231404959, 0.57300275482, 0.57483930211, 0.57506887052, 0.57575757576, 0.57759412305, 0.57966023875, 0.5805785124, 0.58126721763, 0.58241505969, 0.58310376492, 0.58333333333, 0.58516988062, 0.58585858586, 0.58884297521, 0.5906795225, 0.59136822773, 0.59228650138, 0.59343434343, 0.59504132231, 0.59779614325, 0.59894398531, 0.59986225895, 0.60238751148, 0.60261707989, 0.60330578512, 0.60514233242, 0.60537190083, 0.60606060606, 0.60789715335, 0.60996326905, 0.6108815427, 0.61157024793, 0.61271808999, 0.61340679523, 0.61363636364, 0.61547291093, 0.61616161616, 0.61914600551, 0.6209825528, 0.62167125804, 0.62258953168, 0.62373737374, 0.62534435262, 0.62809917355, 0.62924701561, 0.63016528926, 0.63269054178, 0.63292011019, 0.63360881543, 0.63544536272, 0.63567493113, 0.63636363636, 0.63820018366, 0.64026629936, 0.641184573, 0.64187327824, 0.64302112029, 0.64370982553, 0.64393939394, 0.64577594123, 0.64646464647, 0.64944903581, 0.6512855831, 0.65197428834, 0.65289256198, 0.65404040404, 0.65564738292, 0.65840220386, 0.65955004591, 0.66046831956, 0.66299357208, 0.6632231405, 0.66391184573, 0.66574839302, 0.66597796143, 0.66666666667, 0.66850321396, 0.67056932966, 0.67148760331, 0.67217630854, 0.6733241506, 0.67401285583, 0.67424242424, 0.67607897153, 0.67676767677, 0.67975206612, 0.68158861341, 0.68227731864, 0.68319559229, 0.68434343434, 0.68595041322, 0.68870523416, 0.68985307622, 0.69077134986, 0.69329660239, 0.6935261708, 0.69421487603, 0.69605142332, 0.69628099174, 0.69696969697, 0.69880624426, 0.70087235996, 0.70179063361, 0.70247933884, 0.7036271809, 0.70431588613, 0.70454545455, 0.70638200184, 0.70707070707, 0.71005509642, 0.71189164371, 0.71258034894, 0.71349862259, 0.71464646465, 0.71625344353, 0.71900826446, 0.72015610652, 0.72107438017, 0.72359963269, 0.7238292011, 0.72451790634, 0.72635445363, 0.72658402204, 0.72727272727, 0.72910927456, 0.73117539027, 0.73209366391, 0.73278236915, 0.7339302112, 0.73461891644, 0.73484848485, 0.73668503214, 0.73737373737, 0.74035812672, 0.74219467401, 0.74288337925, 0.74380165289, 0.74494949495, 0.74655647383, 0.74931129477, 0.75045913682, 0.75137741047, 0.75390266299, 0.75413223141, 0.75482093664, 0.75665748393, 0.75688705234, 0.75757575758, 0.75941230487, 0.76147842057, 0.76239669422, 0.76308539945, 0.76423324151, 0.76492194674, 0.76515151515, 0.76698806244, 0.76767676768, 0.77066115703, 0.77249770432, 0.77318640955, 0.7741046832, 0.77525252525, 0.77685950413, 0.77961432507, 0.78076216713, 0.78168044077, 0.7842056933, 0.78443526171, 0.78512396694, 0.78696051423, 0.78719008265, 0.78787878788, 0.78971533517, 0.79178145087, 0.79269972452, 0.79338842975, 0.79453627181, 0.79522497704, 0.79545454546, 0.79729109275, 0.79797979798, 0.80096418733, 0.80280073462, 0.80348943985, 0.8044077135, 0.80555555556, 0.80716253444, 0.80991735537, 0.81106519743, 0.81198347107, 0.8145087236, 0.81473829201, 0.81542699725, 0.81726354454, 0.81749311295, 0.81818181818, 0.82001836547, 0.82208448118, 0.82300275482, 0.82369146006, 0.82483930211, 0.82552800735, 0.82575757576, 0.82759412305, 0.82828282828, 0.83126721763, 0.83310376492, 0.83379247016, 0.8347107438, 0.83585858586, 0.83746556474, 0.84022038568, 0.84136822773, 0.84228650138, 0.8448117539, 0.84504132231, 0.84573002755, 0.84756657484, 0.84779614325, 0.84848484849, 0.85032139578, 0.85238751148, 0.85330578512, 0.85399449036, 0.85514233242, 0.85583103765, 0.85606060606, 0.85789715335, 0.85858585859, 0.86157024793, 0.86340679523, 0.86409550046, 0.86501377411, 0.86616161616, 0.86776859504, 0.87052341598, 0.87167125804, 0.87258953168, 0.87511478421, 0.87534435262, 0.87603305785, 0.87786960514, 0.87809917355, 0.87878787879, 0.88062442608, 0.88269054178, 0.88360881543, 0.88429752066, 0.88544536272, 0.88613406795, 0.88636363636, 0.88820018366, 0.88888888889, 0.89187327824, 0.89370982553, 0.89439853076, 0.89531680441, 0.89646464647, 0.89807162534, 0.90082644628, 0.90197428834, 0.90289256198, 0.90541781451, 0.90564738292, 0.90633608815, 0.90817263545, 0.90840220386, 0.90909090909, 0.91092745638, 0.91299357208, 0.91391184573, 0.91460055096, 0.91574839302, 0.91643709826, 0.91666666667, 0.91850321396, 0.91919191919, 0.92217630854, 0.92401285583, 0.92470156107, 0.92561983471, 0.92676767677, 0.92837465565, 0.93112947658, 0.93227731864, 0.93319559229, 0.93572084481, 0.93595041322, 0.93663911846, 0.93847566575, 0.93870523416, 0.93939393939, 0.94123048669, 0.94329660239, 0.94421487603, 0.94490358127, 0.94605142332, 0.94674012856, 0.94696969697, 0.94880624426, 0.9494949495, 0.95247933884, 0.95431588613, 0.95500459137, 0.95592286501, 0.95707070707, 0.95867768595, 0.96143250689, 0.96258034894, 0.96349862259, 0.96602387512, 0.96625344353, 0.96694214876, 0.96877869605, 0.96900826446, 0.9696969697, 0.97153351699, 0.97359963269, 0.97451790634, 0.97520661157, 0.97635445363, 0.97704315886, 0.97727272727, 0.97910927456, 0.9797979798, 0.98278236915, 0.98461891644, 0.98530762167, 0.98622589532, 0.98737373737, 0.98898071625, 0.99173553719, 0.99288337925, 0.99380165289, 0.99632690542, 0.99655647383, 0.99724517906, 0.99908172635, 0.99931129477]
averages_even = {0.0: [0.0], 0.25: [0.5], 0.89439853076: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.58585858586: [0.3333333333333, 0.6666666666667], 0.49426078972: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.641184573: [0.6818181818182, 0.3181818181818], 0.34825528007: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.29958677686: [0.8636363636364, 0.1363636363636], 0.59986225895: [0.2272727272727, 0.7727272727273], 0.391184573: [0.1818181818182, 0.8181818181818], 0.88269054178: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.74035812672: [0.0454545454545, 0.9545454545455], 0.64302112029: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.39784205693: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.08746556474: [0.8636363636364, 0.1363636363636], 0.86340679523: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.02754820937: [0.1818181818182, 0.8181818181818], 0.74931129477: [0.0909090909091, 0.9090909090909], 0.34343434343: [0.3333333333333, 0.6666666666667], 0.07369146006: [0.0454545454545, 0.9545454545455], 0.03764921947: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.52272727273: [0.5], 0.93572084481: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.85583103765: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.10743801653: [0.7272727272727, 0.2727272727273], 0.66391184573: [0.1818181818182, 0.8181818181818], 0.09825528007: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.79338842975: [0.4545454545455, 0.5454545454545], 0.52456382002: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.0303030303: [0.0], 0.98278236915: [0.0454545454545, 0.9545454545455], 0.10583103765: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.76308539945: [0.4545454545455, 0.5454545454545], 0.16643709826: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.42607897153: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.15886134068: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.72107438017: [0.2272727272727, 0.7727272727273], 0.04683195592: [0.7272727272727, 0.2727272727273], 0.62373737374: [0.8333333333333, 0.1666666666667], 0.32713498623: [0.2272727272727, 0.7727272727273], 0.99931129477: [0.5909090909091, 0.4090909090909], 0.64370982553: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.19123048669: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.98530762167: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.26905417815: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.90197428834: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.37672176309: [0.0454545454545, 0.9545454545455], 0.27938475666: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.0927456382: [0.7575757575758, 0.2424242424242, 0.5757575757576, 0.4242424242424], 0.63544536272: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.86409550046: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.32231404959: [0.3636363636364, 0.6363636363636], 0.0342056933: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.51423324151: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.57300275482: [0.1818181818182, 0.8181818181818], 0.66666666667: [0.0], 0.93847566575: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.42056932966: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.54545454546: [0.0], 0.0101010101: [0.3333333333333, 0.6666666666667], 0.27456382002: [0.7575757575758, 0.2424242424242, 0.5757575757576, 0.4242424242424], 0.57966023875: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.60606060606: [0.0], 0.06542699725: [0.6818181818182, 0.3181818181818], 0.89531680441: [0.7272727272727, 0.2727272727273], 0.00183654729: [0.7575757575758, 0.2424242424242, 0.5757575757576, 0.4242424242424], 0.02938475666: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.42148760331: [0.1818181818182, 0.8181818181818], 0.20500459137: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.15633608815: [0.6818181818182, 0.3181818181818], 0.41597796143: [0.0909090909091, 0.9090909090909], 0.58333333333: [0.5], 0.30693296602: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.84022038568: [0.0909090909091, 0.9090909090909], 0.2297979798: [0.8333333333333, 0.1666666666667], 0.18112947658: [0.5909090909091, 0.4090909090909], 0.18365472911: [0.7575757575758, 0.2424242424242, 0.5757575757576, 0.4242424242424], 0.42424242424: [0.0], 0.5603764922: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.15151515152: [0.0], 0.89646464647: [0.8333333333333, 0.1666666666667], 0.35651974288: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.30785123967: [0.6818181818182, 0.3181818181818], 0.18572084481: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.77249770432: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.20592286501: [0.2272727272727, 0.7727272727273], 0.07552800735: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.12672176309: [0.4545454545455, 0.5454545454545], 0.78168044077: [0.2272727272727, 0.7727272727273], 0.65955004591: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.35743801653: [0.2272727272727, 0.7727272727273], 0.67607897153: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.89807162534: [0.3636363636364, 0.6363636363636], 0.90082644628: [0.0909090909091, 0.9090909090909], 0.03787878788: [0.5], 0.95247933884: [0.0454545454545, 0.9545454545455], 0.99724517906: [0.1818181818182, 0.8181818181818], 0.4012855831: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.00550964187: [0.4545454545455, 0.5454545454545], 0.08815426997: [0.1818181818182, 0.8181818181818], 0.7842056933: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.60789715335: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.0241046832: [0.2272727272727, 0.7727272727273], 0.00390266299: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.01561065197: [0.2121212121212, 0.1212121212121, 0.7878787878788, 0.8787878787879], 0.24977043159: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.45087235996: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.68227731864: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.11019283747: [0.3636363636364, 0.6363636363636], 0.64026629936: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.29476584022: [0.0909090909091, 0.9090909090909], 0.2196969697: [0.5], 0.79453627181: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.00665748393: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.90840220386: [0.5909090909091, 0.4090909090909], 0.51997245179: [0.6818181818182, 0.3181818181818], 0.68319559229: [0.7272727272727, 0.2727272727273], 0.74219467401: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.28764921947: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.08999081726: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.78696051423: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.83379247016: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.68595041322: [0.3636363636364, 0.6363636363636], 0.61914600551: [0.0454545454545, 0.9545454545455], 0.52180899908: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.87258953168: [0.2272727272727, 0.7727272727273], 0.33723599633: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.9797979798: [0.6666666666667, 0.3333333333333], 0.38016528926: [0.7272727272727, 0.2727272727273], 0.76698806244: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.66299357208: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.07070707071: [0.3333333333333, 0.6666666666667], 0.48415977961: [0.5909090909091, 0.4090909090909], 0.6209825528: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.52525252525: [0.3333333333333, 0.6666666666667], 0.38682277319: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.31955922865: [0.7272727272727, 0.2727272727273], 0.42975206612: [0.4545454545455, 0.5454545454545], 0.49035812672: [0.4545454545455, 0.5454545454545], 0.33241505969: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.46395775941: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.56749311295: [0.0909090909091, 0.9090909090909], 0.87511478421: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.05991735537: [0.5909090909091, 0.4090909090909], 0.09090909091: [0.0], 0.64187327824: [0.4545454545455, 0.5454545454545], 0.13613406795: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.01767676768: [0.8333333333333, 0.1666666666667], 0.50252525253: [0.8333333333333, 0.1666666666667], 0.67217630854: [0.4545454545455, 0.5454545454545], 0.39302112029: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.84779614325: [0.5909090909091, 0.4090909090909], 0.16092745638: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.82483930211: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.92217630854: [0.0454545454545, 0.9545454545455], 0.31611570248: [0.0454545454545, 0.9545454545455], 0.99288337925: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.76767676768: [0.3333333333333, 0.6666666666667], 0.58310376492: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.79729109275: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.26170798898: [0.3636363636364, 0.6363636363636], 0.4738292011: [0.3636363636364, 0.6363636363636], 0.90817263545: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.71349862259: [0.7272727272727, 0.2727272727273], 0.93939393939: [0.0], 0.35996326905: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.62258953168: [0.7272727272727, 0.2727272727273], 0.13131313131: [0.3333333333333, 0.6666666666667], 0.09022038568: [0.5909090909091, 0.4090909090909], 0.5805785124: [0.6818181818182, 0.3181818181818], 0.91643709826: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.86616161616: [0.8333333333333, 0.1666666666667], 0.40955004591: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.3608815427: [0.1818181818182, 0.8181818181818], 0.80096418733: [0.0454545454545, 0.9545454545455], 0.67975206612: [0.0454545454545, 0.9545454545455], 0.96602387512: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.81106519743: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.6632231405: [0.8636363636364, 0.1363636363636], 0.41046831956: [0.7272727272727, 0.2727272727273], 0.54729109275: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.04522497704: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.12603305785: [0.6818181818182, 0.3181818181818], 0.19490358127: [0.0454545454545, 0.9545454545455], 0.43434343434: [0.3333333333333, 0.6666666666667], 0.84228650138: [0.2272727272727, 0.7727272727273], 0.75137741047: [0.2272727272727, 0.7727272727273], 0.1994949495: [0.8333333333333, 0.1666666666667], 0.69605142332: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.30303030303: [0.0], 0.15082644628: [0.5909090909091, 0.4090909090909], 0.38567493113: [0.0909090909091, 0.9090909090909], 0.72727272727: [0.0], 0.29591368228: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.28007346189: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.17561983471: [0.2272727272727, 0.7727272727273], 0.91092745638: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.60514233242: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.63567493113: [0.5909090909091, 0.4090909090909], 0.5383379247: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.29683195592: [0.2272727272727, 0.7727272727273], 0.24908172635: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.49242424242: [0.5], 0.8044077135: [0.7272727272727, 0.2727272727273], 0.76423324151: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.34641873278: [0.0454545454545, 0.9545454545455], 0.87603305785: [0.1818181818182, 0.8181818181818], 0.3406795225: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.29201101928: [0.3636363636364, 0.6363636363636], 0.73668503214: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.30486685032: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.75688705234: [0.5909090909091, 0.4090909090909], 0.18089990817: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.21946740129: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.09756657484: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.17079889807: [0.3636363636364, 0.6363636363636], 0.50413223141: [0.3636363636364, 0.6363636363636], 0.95431588613: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.51905417815: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.67676767677: [0.3333333333333, 0.6666666666667], 0.18939393939: [0.5], 0.43985307622: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.96900826446: [0.5909090909091, 0.4090909090909], 0.75665748393: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.75941230487: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.56473829201: [0.3636363636364, 0.6363636363636], 0.76492194674: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.27662993572: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.23898071625: [0.8636363636364, 0.1363636363636], 0.85858585859: [0.6666666666667, 0.3333333333333], 0.54178145087: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.47222222222: [0.8333333333333, 0.1666666666667], 0.42355371901: [0.5909090909091, 0.4090909090909], 0.03512396694: [0.6818181818182, 0.3181818181818], 0.32621671258: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.27754820937: [0.6818181818182, 0.3181818181818], 0.45179063361: [0.1818181818182, 0.8181818181818], 0.97727272727: [0.5], 0.36914600551: [0.4545454545455, 0.5454545454545], 0.71625344353: [0.3636363636364, 0.6363636363636], 0.06795224977: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.79797979798: [0.6666666666667, 0.3333333333333], 0.69628099174: [0.5909090909091, 0.4090909090909], 0.59894398531: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.01308539945: [0.0454545454545, 0.9545454545455], 0.94880624426: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.6733241506: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.06818181818: [0.5], 0.59504132231: [0.3636363636364, 0.6363636363636], 0.63636363636: [0.0], 0.82369146006: [0.4545454545455, 0.5454545454545], 0.23415977961: [0.0909090909091, 0.9090909090909], 0.60330578512: [0.1818181818182, 0.8181818181818], 0.13062442608: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.94490358127: [0.4545454545455, 0.5454545454545], 0.86157024793: [0.0454545454545, 0.9545454545455], 0.95867768595: [0.3636363636364, 0.6363636363636], 0.71900826446: [0.0909090909091, 0.9090909090909], 0.15541781451: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.03213957759: [0.7575757575758, 0.2424242424242, 0.5757575757576, 0.4242424242424], 0.02318640955: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.05348943985: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.55303030303: [0.5], 0.81818181818: [0.0], 0.50137741047: [0.7272727272727, 0.2727272727273], 0.65404040404: [0.8333333333333, 0.1666666666667], 0.82208448118: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.40335169881: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.0948117539: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.90289256198: [0.2272727272727, 0.7727272727273], 0.25734618916: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.34894398531: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.30027548209: [0.1818181818182, 0.8181818181818], 0.13682277319: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.0826446281: [0.0909090909091, 0.9090909090909], 0.5585399449: [0.0454545454545, 0.9545454545455], 0.88888888889: [0.6666666666667, 0.3333333333333], 0.2479338843: [0.4545454545455, 0.5454545454545], 0.55555555556: [0.3333333333333, 0.6666666666667], 0.97704315886: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.34986225895: [0.7272727272727, 0.2727272727273], 0.15059687787: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.00941230487: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.25252525253: [0.3333333333333, 0.6666666666667], 0.60261707989: [0.8636363636364, 0.1363636363636], 0.39944903581: [0.4545454545455, 0.5454545454545], 0.94421487603: [0.6818181818182, 0.3181818181818], 0.73209366391: [0.6818181818182, 0.3181818181818], 0.17355371901: [0.0909090909091, 0.9090909090909], 0.10101010101: [0.3333333333333, 0.6666666666667], 0.88544536272: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.70247933884: [0.4545454545455, 0.5454545454545], 0.58126721763: [0.4545454545455, 0.5454545454545], 0.14531680441: [0.2272727272727, 0.7727272727273], 0.7339302112: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.75045913682: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.85514233242: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.53925619835: [0.2272727272727, 0.7727272727273], 0.21877869605: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.49977043159: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.87534435262: [0.8636363636364, 0.1363636363636], 0.43181818182: [0.5], 0.01492194674: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.97910927456: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.28581267218: [0.0454545454545, 0.9545454545455], 0.74380165289: [0.7272727272727, 0.2727272727273], 0.07001836547: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.48140495868: [0.8636363636364, 0.1363636363636], 0.61547291093: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.88820018366: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.44077134986: [0.7272727272727, 0.2727272727273], 0.85399449036: [0.4545454545455, 0.5454545454545], 0.18916437098: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.16161616162: [0.3333333333333, 0.6666666666667], 0.32966023875: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.14049586777: [0.3636363636364, 0.6363636363636], 0.71464646465: [0.8333333333333, 0.1666666666667], 0.43365472911: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.86776859504: [0.3636363636364, 0.6363636363636], 0.96143250689: [0.0909090909091, 0.9090909090909], 0.47658402204: [0.0909090909091, 0.9090909090909], 0.21395775941: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.99632690542: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.83310376492: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.37924701561: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.96349862259: [0.2272727272727, 0.7727272727273], 0.3305785124: [0.1818181818182, 0.8181818181818], 0.70179063361: [0.6818181818182, 0.3181818181818], 0.05968778696: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.63820018366: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.19834710744: [0.7272727272727, 0.2727272727273], 0.88636363636: [0.5], 0.6935261708: [0.8636363636364, 0.1363636363636], 0.66850321396: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.03581267218: [0.4545454545455, 0.5454545454545], 0.20867768595: [0.8636363636364, 0.1363636363636], 0.76239669422: [0.6818181818182, 0.3181818181818], 0.73737373737: [0.3333333333333, 0.6666666666667], 0.72359963269: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.41161616162: [0.8333333333333, 0.1666666666667], 0.73484848485: [0.5], 0.3629476584: [0.5909090909091, 0.4090909090909], 0.26561065197: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.00734618916: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.84848484849: [0.0], 0.07713498623: [0.7272727272727, 0.2727272727273], 0.01928374656: [0.3636363636364, 0.6363636363636], 0.11753902663: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.46120293848: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.57506887052: [0.5909090909091, 0.4090909090909], 0.8347107438: [0.7272727272727, 0.2727272727273], 0.2277318641: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.26652892562: [0.2272727272727, 0.7727272727273], 0.17906336088: [0.1818181818182, 0.8181818181818], 0.92676767677: [0.8333333333333, 0.1666666666667], 0.98737373737: [0.8333333333333, 0.1666666666667], 0.46212121212: [0.5], 0.11409550046: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.20385674931: [0.0909090909091, 0.9090909090909], 0.48668503214: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.3103764922: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.78443526171: [0.8636363636364, 0.1363636363636], 0.22865013774: [0.7272727272727, 0.2727272727273], 0.54269972452: [0.1818181818182, 0.8181818181818], 0.59779614325: [0.0909090909091, 0.9090909090909], 0.12511478421: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.88429752066: [0.4545454545455, 0.5454545454545], 0.24724517906: [0.6818181818182, 0.3181818181818], 0.81542699725: [0.1818181818182, 0.8181818181818], 0.69696969697: [0.0], 0.39026629936: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.3427456382: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.82575757576: [0.5], 0.91574839302: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.17470156107: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.48966942149: [0.6818181818182, 0.3181818181818], 0.59228650138: [0.7272727272727, 0.2727272727273], 0.05785123967: [0.1818181818182, 0.8181818181818], 0.82001836547: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.28925619835: [0.7272727272727, 0.2727272727273], 0.85606060606: [0.5], 0.73117539027: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.44191919192: [0.8333333333333, 0.1666666666667], 0.39325068871: [0.5909090909091, 0.4090909090909], 0.12121212121: [0.0], 0.06060606061: [0.0], 0.00757575758: [0.5], 0.06611570248: [0.4545454545455, 0.5454545454545], 0.0847107438: [0.2272727272727, 0.7727272727273], 0.33884297521: [0.4545454545455, 0.5454545454545], 0.6108815427: [0.6818181818182, 0.3181818181818], 0.49150596878: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.00482093664: [0.6818181818182, 0.3181818181818], 0.62534435262: [0.3636363636364, 0.6363636363636], 0.97153351699: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.77685950413: [0.3636363636364, 0.6363636363636], 0.71005509642: [0.0454545454545, 0.9545454545455], 0.88360881543: [0.6818181818182, 0.3181818181818], 0.61271808999: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.77525252525: [0.8333333333333, 0.1666666666667], 0.97520661157: [0.4545454545455, 0.5454545454545], 0.18847566575: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.71189164371: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.95500459137: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.87786960514: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.88613406795: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.16460055096: [0.0454545454545, 0.9545454545455], 0.46946740129: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.56106519743: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.42079889807: [0.8636363636364, 0.1363636363636], 0.73278236915: [0.4545454545455, 0.5454545454545], 0.97359963269: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.03971533517: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.06726354454: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.69077134986: [0.2272727272727, 0.7727272727273], 0.59343434343: [0.8333333333333, 0.1666666666667], 0.57759412305: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.3730486685: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.46464646465: [0.3333333333333, 0.6666666666667], 0.8145087236: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.10399449036: [0.0454545454545, 0.9545454545455], 0.04591368228: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.31864095501: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.78719008265: [0.5909090909091, 0.4090909090909], 0.26997245179: [0.1818181818182, 0.8181818181818], 0.73461891644: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.93112947658: [0.0909090909091, 0.9090909090909], 0.20844811754: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.93595041322: [0.8636363636364, 0.1363636363636], 0.51698806244: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.07988980716: [0.3636363636364, 0.6363636363636], 0.57231404959: [0.8636363636364, 0.1363636363636], 0.72451790634: [0.1818181818182, 0.8181818181818], 0.17837465565: [0.8636363636364, 0.1363636363636], 0.96694214876: [0.1818181818182, 0.8181818181818], 0.61616161616: [0.3333333333333, 0.6666666666667], 0.67148760331: [0.6818181818182, 0.3181818181818], 0.96625344353: [0.8636363636364, 0.1363636363636], 0.3023415978: [0.5909090909091, 0.4090909090909], 0.45385674931: [0.5909090909091, 0.4090909090909], 0.52066115703: [0.4545454545455, 0.5454545454545], 0.40059687787: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.24426078972: [0.7575757575758, 0.2424242424242, 0.5757575757576, 0.4242424242424], 0.14876033058: [0.1818181818182, 0.8181818181818], 0.91299357208: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.40151515152: [0.5], 0.22222222222: [0.3333333333333, 0.6666666666667], 0.25550964187: [0.0454545454545, 0.9545454545455], 0.39577594123: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.04338842975: [0.0454545454545, 0.9545454545455], 0.47865013774: [0.2272727272727, 0.7727272727273], 0.97451790634: [0.6818181818182, 0.3181818181818], 0.45110192838: [0.8636363636364, 0.1363636363636], 0.78787878788: [0.0], 0.55486685032: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.94329660239: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.04958677686: [0.3636363636364, 0.6363636363636], 0.45638200184: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.29935720845: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.47015610652: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.49494949495: [0.3333333333333, 0.6666666666667], 0.44628099174: [0.0909090909091, 0.9090909090909], 0.88062442608: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.57575757576: [0.0], 0.30211202939: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.99908172635: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.24173553719: [0.5909090909091, 0.4090909090909], 0.94605142332: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.82300275482: [0.6818181818182, 0.3181818181818], 0.14439853076: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.50688705234: [0.0909090909091, 0.9090909090909], 0.63292011019: [0.8636363636364, 0.1363636363636], 0.83126721763: [0.0454545454545, 0.9545454545455], 0.96877869605: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.48117539027: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.51515151515: [0.0], 0.7741046832: [0.7272727272727, 0.2727272727273], 0.16919191919: [0.8333333333333, 0.1666666666667], 0.93319559229: [0.2272727272727, 0.7727272727273], 0.60996326905: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.38131313131: [0.8333333333333, 0.1666666666667], 0.51147842057: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.3326446281: [0.5909090909091, 0.4090909090909], 0.89370982553: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.2782369146: [0.4545454545455, 0.5454545454545], 0.43089990817: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.04797979798: [0.8333333333333, 0.1666666666667], 0.02961432507: [0.5909090909091, 0.4090909090909], 0.85032139578: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.9696969697: [0.0], 0.65564738292: [0.3636363636364, 0.6363636363636], 0.58884297521: [0.0454545454545, 0.9545454545455], 0.81473829201: [0.8636363636364, 0.1363636363636], 0.9494949495: [0.6666666666667, 0.3333333333333], 0.70454545455: [0.5], 0.15817263545: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.75482093664: [0.1818181818182, 0.8181818181818], 0.5906795225: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.05716253444: [0.8636363636364, 0.1363636363636], 0.78076216713: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.13429752066: [0.0454545454545, 0.9545454545455], 0.3085399449: [0.4545454545455, 0.5454545454545], 0.87167125804: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.51446280992: [0.5909090909091, 0.4090909090909], 0.81726354454: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.92837465565: [0.3636363636364, 0.6363636363636], 0.66574839302: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.3709825528: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.15909090909: [0.5], 0.50045913682: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.56955922865: [0.2272727272727, 0.7727272727273], 0.85330578512: [0.6818181818182, 0.3181818181818], 0.11845730028: [0.1818181818182, 0.8181818181818], 0.3124426079: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.35537190083: [0.0909090909091, 0.9090909090909], 0.15335169881: [0.7575757575758, 0.2424242424242, 0.5757575757576, 0.4242424242424], 0.95592286501: [0.7272727272727, 0.2727272727273], 0.2580348944: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.45936639119: [0.6818181818182, 0.3181818181818], 0.92561983471: [0.7272727272727, 0.2727272727273], 0.48209366391: [0.1818181818182, 0.8181818181818], 0.4536271809: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.80991735537: [0.0909090909091, 0.9090909090909], 0.17814508724: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.25895316804: [0.7272727272727, 0.2727272727273], 0.67056932966: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.45454545455: [0.0], 0.90564738292: [0.8636363636364, 0.1363636363636], 0.98898071625: [0.3636363636364, 0.6363636363636], 0.74494949495: [0.8333333333333, 0.1666666666667], 0.02662993572: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.55027548209: [0.6818181818182, 0.3181818181818], 0.05693296602: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.64944903581: [0.0454545454545, 0.9545454545455], 0.55211202939: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.24632690542: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.64646464647: [0.3333333333333, 0.6666666666667], 0.68870523416: [0.0909090909091, 0.9090909090909], 0.10032139578: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.69329660239: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.94696969697: [0.5], 0.34090909091: [0.5], 0.14784205693: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.02203856749: [0.0909090909091, 0.9090909090909], 0.5080348944: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.08379247016: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.35261707989: [0.3636363636364, 0.6363636363636], 0.14325068871: [0.0909090909091, 0.9090909090909], 0.43916437098: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.39049586777: [0.8636363636364, 0.1363636363636], 0.85789715335: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.94123048669: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.61363636364: [0.5], 0.16804407714: [0.7272727272727, 0.2727272727273], 0.57483930211: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.48875114784: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.63016528926: [0.2272727272727, 0.7727272727273], 0.53282828283: [0.8333333333333, 0.1666666666667], 0.24150596878: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.10858585859: [0.8333333333333, 0.1666666666667], 0.09641873278: [0.4545454545455, 0.5454545454545], 0.10651974288: [0.2121212121212, 0.1212121212121, 0.7878787878788, 0.8787878787879], 0.67401285583: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.74655647383: [0.3636363636364, 0.6363636363636], 0.2883379247: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.4839302112: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.21763085399: [0.4545454545455, 0.5454545454545], 0.0544077135: [0.2272727272727, 0.7727272727273], 0.09573002755: [0.6818181818182, 0.3181818181818], 0.70638200184: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.27180899908: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.51170798898: [0.8636363636364, 0.1363636363636], 0.23622589532: [0.2272727272727, 0.7727272727273], 0.99380165289: [0.2272727272727, 0.7727272727273], 0.84756657484: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.65289256198: [0.7272727272727, 0.2727272727273], 0.0624426079: [0.7575757575758, 0.2424242424242, 0.5757575757576, 0.4242424242424], 0.13888888889: [0.8333333333333, 0.1666666666667], 0.32070707071: [0.8333333333333, 0.1666666666667], 0.27203856749: [0.5909090909091, 0.4090909090909], 0.39393939394: [0.0], 0.94674012856: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.54201101928: [0.8636363636364, 0.1363636363636], 0.93227731864: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.46763085399: [0.0454545454545, 0.9545454545455], 0.37029384757: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.4132231405: [0.3636363636364, 0.6363636363636], 0.72910927456: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.69880624426: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.53443526171: [0.3636363636364, 0.6363636363636], 0.37121212121: [0.5], 0.23140495868: [0.3636363636364, 0.6363636363636], 0.82828282828: [0.6666666666667, 0.3333333333333], 0.36547291093: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.63360881543: [0.1818181818182, 0.8181818181818], 0.87809917355: [0.5909090909091, 0.4090909090909], 0.20936639119: [0.1818181818182, 0.8181818181818], 0.80555555556: [0.8333333333333, 0.1666666666667], 0.84573002755: [0.1818181818182, 0.8181818181818], 0.91919191919: [0.6666666666667, 0.3333333333333], 0.66597796143: [0.5909090909091, 0.4090909090909], 0.07828282828: [0.8333333333333, 0.1666666666667], 0.56864095501: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.80716253444: [0.3636363636364, 0.6363636363636], 0.26446280992: [0.0909090909091, 0.9090909090909], 0.12878787879: [0.5], 0.53719008265: [0.0909090909091, 0.9090909090909], 0.25183654729: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.90633608815: [0.1818181818182, 0.8181818181818], 0.49219467401: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.87878787879: [0.0], 0.27272727273: [0.0], 0.44742883379: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.68985307622: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.39876033058: [0.6818181818182, 0.3181818181818], 0.77318640955: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.22704315886: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.03696051423: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.78971533517: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.44834710744: [0.2272727272727, 0.7727272727273], 0.54935720845: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.35101010101: [0.8333333333333, 0.1666666666667], 0.09848484849: [0.5], 0.82759412305: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.79269972452: [0.6818181818182, 0.3181818181818], 0.4979338843: [0.0454545454545, 0.9545454545455], 0.46005509642: [0.4545454545455, 0.5454545454545], 0.76515151515: [0.5], 0.91850321396: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.1230486685: [0.7575757575758, 0.2424242424242, 0.5757575757576, 0.4242424242424], 0.4435261708: [0.3636363636364, 0.6363636363636], 0.59136822773: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.19742883379: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.71258034894: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.93663911846: [0.1818181818182, 0.8181818181818], 0.69421487603: [0.1818181818182, 0.8181818181818], 0.5282369146: [0.0454545454545, 0.9545454545455], 0.83746556474: [0.3636363636364, 0.6363636363636], 0.21602387512: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.98622589532: [0.7272727272727, 0.2727272727273], 0.23875114784: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.54476584022: [0.5909090909091, 0.4090909090909], 0.84136822773: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.53007346189: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.2803030303: [0.5], 0.77961432507: [0.0909090909091, 0.9090909090909], 0.62809917355: [0.0909090909091, 0.9090909090909], 0.24242424242: [0.0], 0.52249770432: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.37855831038: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.45844811754: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.32988980716: [0.8636363636364, 0.1363636363636], 0.21694214876: [0.6818181818182, 0.3181818181818], 0.13774104683: [0.7272727272727, 0.2727272727273], 0.98461891644: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.7036271809: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.42814508724: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.83585858586: [0.8333333333333, 0.1666666666667], 0.50895316804: [0.2272727272727, 0.7727272727273], 0.11776859504: [0.8636363636364, 0.1363636363636], 0.28213957759: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.21120293848: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.37373737374: [0.3333333333333, 0.6666666666667], 0.32506887052: [0.0909090909091, 0.9090909090909], 0.55280073462: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.4777318641: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.42906336088: [0.6818181818182, 0.3181818181818], 0.4233241506: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.18732782369: [0.4545454545455, 0.5454545454545], 0.57208448118: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.65197428834: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.58516988062: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.76147842057: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.72635445363: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.21212121212: [0.0], 0.74288337925: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.53168044077: [0.7272727272727, 0.2727272727273], 0.68434343434: [0.8333333333333, 0.1666666666667], 0.62924701561: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.2601010101: [0.8333333333333, 0.1666666666667], 0.82552800735: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.67424242424: [0.5], 0.75413223141: [0.8636363636364, 0.1363636363636], 0.91666666667: [0.5], 0.40702479339: [0.0454545454545, 0.9545454545455], 0.30968778696: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.61340679523: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.36363636364: [0.0], 0.0404040404: [0.3333333333333, 0.6666666666667], 0.92470156107: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.99655647383: [0.8636363636364, 0.1363636363636], 0.62167125804: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.0645087236: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.31060606061: [0.5], 0.20110192838: [0.3636363636364, 0.6363636363636], 0.70707070707: [0.6666666666667, 0.3333333333333], 0.07621671258: [0.2121212121212, 0.1212121212121, 0.7878787878788, 0.8787878787879], 0.51239669422: [0.1818181818182, 0.8181818181818], 0.40886134068: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.79178145087: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.36019283747: [0.8636363636364, 0.1363636363636], 0.1129476584: [0.0909090909091, 0.9090909090909], 0.61157024793: [0.4545454545455, 0.5454545454545], 0.12855831038: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.6512855831: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.90541781451: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.40404040404: [0.3333333333333, 0.6666666666667], 0.84504132231: [0.8636363636364, 0.1363636363636], 0.64393939394: [0.5], 0.28282828283: [0.3333333333333, 0.6666666666667], 0.78512396694: [0.1818181818182, 0.8181818181818], 0.60238751148: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.95707070707: [0.8333333333333, 0.1666666666667], 0.33815426997: [0.6818181818182, 0.3181818181818], 0.72658402204: [0.5909090909091, 0.4090909090909], 0.70431588613: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.48484848485: [0.0], 0.19674012856: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.92401285583: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.72015610652: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.14807162534: [0.8636363636364, 0.1363636363636], 0.38774104683: [0.2272727272727, 0.7727272727273], 0.2904040404: [0.8333333333333, 0.1666666666667], 0.22153351699: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.33333333333: [0.0], 0.43732782369: [0.0454545454545, 0.9545454545455], 0.33999081726: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.43158861341: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.38292011019: [0.3636363636364, 0.6363636363636], 0.16712580349: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.93870523416: [0.5909090909091, 0.4090909090909], 0.91460055096: [0.4545454545455, 0.5454545454545], 0.0523415978: [0.0909090909091, 0.9090909090909], 0.7238292011: [0.8636363636364, 0.1363636363636], 0.02685950413: [0.8636363636364, 0.1363636363636], 0.75390266299: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.12029384757: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.86501377411: [0.7272727272727, 0.2727272727273], 0.77066115703: [0.0454545454545, 0.9545454545455], 0.19191919192: [0.3333333333333, 0.6666666666667], 0.33516988062: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.70087235996: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.08723599633: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.79545454546: [0.5], 0.55096418733: [0.4545454545455, 0.5454545454545], 0.12052341598: [0.5909090909091, 0.4090909090909], 0.56198347107: [0.7272727272727, 0.2727272727273], 0.64577594123: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.60537190083: [0.5909090909091, 0.4090909090909], 0.31795224977: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.26928374656: [0.8636363636364, 0.1363636363636], 0.81198347107: [0.2272727272727, 0.7727272727273], 0.23530762167: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.81749311295: [0.5909090909091, 0.4090909090909], 0.18663911846: [0.6818181818182, 0.3181818181818], 0.79522497704: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.90909090909: [0.0], 0.58241505969: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.36753902663: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.21143250689: [0.5909090909091, 0.4090909090909], 0.31313131313: [0.3333333333333, 0.6666666666667], 0.01652892562: [0.7272727272727, 0.2727272727273], 0.68158861341: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.41712580349: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.36845730028: [0.6818181818182, 0.3181818181818], 0.11501377411: [0.2272727272727, 0.7727272727273], 0.36271808999: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.15702479339: [0.4545454545455, 0.5454545454545], 0.47107438017: [0.7272727272727, 0.2727272727273], 0.53076216713: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.85238751148: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.41804407714: [0.2272727272727, 0.7727272727273], 0.63269054178: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.97635445363: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.18181818182: [0.0], 0.8448117539: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.66046831956: [0.2272727272727, 0.7727272727273], 0.23966942149: [0.1818181818182, 0.8181818181818], 0.56313131313: [0.8333333333333, 0.1666666666667], 0.91391184573: [0.6818181818182, 0.3181818181818], 0.75757575758: [0.0], 0.46189164371: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.96258034894: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.89187327824: [0.0454545454545, 0.9545454545455], 0.22520661157: [0.0454545454545, 0.9545454545455], 0.80348943985: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.87052341598: [0.0909090909091, 0.9090909090909], 0.54453627181: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.65840220386: [0.0909090909091, 0.9090909090909], 0.99173553719: [0.0909090909091, 0.9090909090909], 0.12786960514: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.80280073462: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152]}
averages_odd = {0.0: [0.0], 0.25: [0.5], 0.89439853076: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.58585858586: [0.3333333333333, 0.6666666666667], 0.49426078972: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.641184573: [0.6818181818182, 0.3181818181818], 0.34825528007: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.29958677686: [0.8636363636364, 0.1363636363636], 0.59986225895: [0.2272727272727, 0.7727272727273], 0.391184573: [0.1818181818182, 0.8181818181818], 0.88269054178: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.74035812672: [0.0454545454545, 0.9545454545455], 0.64302112029: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.39784205693: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.08746556474: [0.8636363636364, 0.1363636363636], 0.86340679523: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.02754820937: [0.1818181818182, 0.8181818181818], 0.74931129477: [0.0909090909091, 0.9090909090909], 0.34343434343: [0.3333333333333, 0.6666666666667], 0.07369146006: [0.0454545454545, 0.9545454545455], 0.03764921947: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.52272727273: [0.5], 0.93572084481: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.85583103765: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.10743801653: [0.7272727272727, 0.2727272727273], 0.66391184573: [0.1818181818182, 0.8181818181818], 0.09825528007: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.79338842975: [0.4545454545455, 0.5454545454545], 0.52456382002: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.0303030303: [0.0], 0.98278236915: [0.0454545454545, 0.9545454545455], 0.10583103765: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.76308539945: [0.4545454545455, 0.5454545454545], 0.16643709826: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.42607897153: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.15886134068: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.72107438017: [0.2272727272727, 0.7727272727273], 0.04683195592: [0.7272727272727, 0.2727272727273], 0.62373737374: [0.8333333333333, 0.1666666666667], 0.32713498623: [0.2272727272727, 0.7727272727273], 0.99931129477: [0.5909090909091, 0.4090909090909], 0.64370982553: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.19123048669: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.98530762167: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.26905417815: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.90197428834: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.37672176309: [0.0454545454545, 0.9545454545455], 0.27938475666: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.0927456382: [0.7575757575758, 0.2424242424242, 0.5757575757576, 0.4242424242424], 0.63544536272: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.86409550046: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.32231404959: [0.3636363636364, 0.6363636363636], 0.0342056933: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.51423324151: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.57300275482: [0.1818181818182, 0.8181818181818], 0.66666666667: [0.0], 0.93847566575: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.42056932966: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.54545454546: [0.0], 0.0101010101: [0.3333333333333, 0.6666666666667], 0.27456382002: [0.7575757575758, 0.2424242424242, 0.5757575757576, 0.4242424242424], 0.57966023875: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.60606060606: [0.0], 0.06542699725: [0.6818181818182, 0.3181818181818], 0.89531680441: [0.7272727272727, 0.2727272727273], 0.00183654729: [0.7575757575758, 0.2424242424242, 0.5757575757576, 0.4242424242424], 0.02938475666: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.42148760331: [0.1818181818182, 0.8181818181818], 0.20500459137: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.15633608815: [0.6818181818182, 0.3181818181818], 0.41597796143: [0.0909090909091, 0.9090909090909], 0.58333333333: [0.5], 0.30693296602: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.84022038568: [0.0909090909091, 0.9090909090909], 0.2297979798: [0.8333333333333, 0.1666666666667], 0.18112947658: [0.5909090909091, 0.4090909090909], 0.18365472911: [0.7575757575758, 0.2424242424242, 0.5757575757576, 0.4242424242424], 0.42424242424: [0.0], 0.5603764922: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.15151515152: [0.0], 0.89646464647: [0.8333333333333, 0.1666666666667], 0.35651974288: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.30785123967: [0.6818181818182, 0.3181818181818], 0.18572084481: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.77249770432: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.20592286501: [0.2272727272727, 0.7727272727273], 0.07552800735: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.12672176309: [0.4545454545455, 0.5454545454545], 0.78168044077: [0.2272727272727, 0.7727272727273], 0.65955004591: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.35743801653: [0.2272727272727, 0.7727272727273], 0.67607897153: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.89807162534: [0.3636363636364, 0.6363636363636], 0.90082644628: [0.0909090909091, 0.9090909090909], 0.03787878788: [0.5], 0.95247933884: [0.0454545454545, 0.9545454545455], 0.99724517906: [0.1818181818182, 0.8181818181818], 0.4012855831: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.00550964187: [0.4545454545455, 0.5454545454545], 0.08815426997: [0.1818181818182, 0.8181818181818], 0.7842056933: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.60789715335: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.0241046832: [0.2272727272727, 0.7727272727273], 0.00390266299: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.01561065197: [0.2121212121212, 0.1212121212121, 0.7878787878788, 0.8787878787879], 0.24977043159: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.45087235996: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.68227731864: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.11019283747: [0.3636363636364, 0.6363636363636], 0.64026629936: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.29476584022: [0.0909090909091, 0.9090909090909], 0.2196969697: [0.5], 0.79453627181: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.00665748393: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.90840220386: [0.5909090909091, 0.4090909090909], 0.51997245179: [0.6818181818182, 0.3181818181818], 0.68319559229: [0.7272727272727, 0.2727272727273], 0.74219467401: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.28764921947: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.08999081726: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.78696051423: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.83379247016: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.68595041322: [0.3636363636364, 0.6363636363636], 0.61914600551: [0.0454545454545, 0.9545454545455], 0.52180899908: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.87258953168: [0.2272727272727, 0.7727272727273], 0.33723599633: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.9797979798: [0.6666666666667, 0.3333333333333], 0.38016528926: [0.7272727272727, 0.2727272727273], 0.76698806244: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.66299357208: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.07070707071: [0.3333333333333, 0.6666666666667], 0.48415977961: [0.5909090909091, 0.4090909090909], 0.6209825528: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.52525252525: [0.3333333333333, 0.6666666666667], 0.38682277319: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.31955922865: [0.7272727272727, 0.2727272727273], 0.42975206612: [0.4545454545455, 0.5454545454545], 0.49035812672: [0.4545454545455, 0.5454545454545], 0.33241505969: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.46395775941: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.56749311295: [0.0909090909091, 0.9090909090909], 0.87511478421: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.05991735537: [0.5909090909091, 0.4090909090909], 0.09090909091: [0.0], 0.64187327824: [0.4545454545455, 0.5454545454545], 0.13613406795: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.01767676768: [0.8333333333333, 0.1666666666667], 0.50252525253: [0.8333333333333, 0.1666666666667], 0.67217630854: [0.4545454545455, 0.5454545454545], 0.39302112029: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.84779614325: [0.5909090909091, 0.4090909090909], 0.16092745638: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.82483930211: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.92217630854: [0.0454545454545, 0.9545454545455], 0.31611570248: [0.0454545454545, 0.9545454545455], 0.99288337925: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.76767676768: [0.3333333333333, 0.6666666666667], 0.58310376492: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.79729109275: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.26170798898: [0.3636363636364, 0.6363636363636], 0.4738292011: [0.3636363636364, 0.6363636363636], 0.90817263545: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.71349862259: [0.7272727272727, 0.2727272727273], 0.93939393939: [0.0], 0.35996326905: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.62258953168: [0.7272727272727, 0.2727272727273], 0.13131313131: [0.3333333333333, 0.6666666666667], 0.09022038568: [0.5909090909091, 0.4090909090909], 0.5805785124: [0.6818181818182, 0.3181818181818], 0.91643709826: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.86616161616: [0.8333333333333, 0.1666666666667], 0.40955004591: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.3608815427: [0.1818181818182, 0.8181818181818], 0.80096418733: [0.0454545454545, 0.9545454545455], 0.67975206612: [0.0454545454545, 0.9545454545455], 0.96602387512: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.81106519743: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.6632231405: [0.8636363636364, 0.1363636363636], 0.41046831956: [0.7272727272727, 0.2727272727273], 0.54729109275: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.04522497704: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.12603305785: [0.6818181818182, 0.3181818181818], 0.19490358127: [0.0454545454545, 0.9545454545455], 0.43434343434: [0.3333333333333, 0.6666666666667], 0.84228650138: [0.2272727272727, 0.7727272727273], 0.75137741047: [0.2272727272727, 0.7727272727273], 0.1994949495: [0.8333333333333, 0.1666666666667], 0.69605142332: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.30303030303: [0.0], 0.15082644628: [0.5909090909091, 0.4090909090909], 0.38567493113: [0.0909090909091, 0.9090909090909], 0.72727272727: [0.0], 0.29591368228: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.28007346189: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.17561983471: [0.2272727272727, 0.7727272727273], 0.91092745638: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.60514233242: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.63567493113: [0.5909090909091, 0.4090909090909], 0.5383379247: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.29683195592: [0.2272727272727, 0.7727272727273], 0.24908172635: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.49242424242: [0.5], 0.8044077135: [0.7272727272727, 0.2727272727273], 0.76423324151: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.34641873278: [0.0454545454545, 0.9545454545455], 0.87603305785: [0.1818181818182, 0.8181818181818], 0.3406795225: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.29201101928: [0.3636363636364, 0.6363636363636], 0.73668503214: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.30486685032: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.75688705234: [0.5909090909091, 0.4090909090909], 0.18089990817: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.21946740129: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.09756657484: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.17079889807: [0.3636363636364, 0.6363636363636], 0.50413223141: [0.3636363636364, 0.6363636363636], 0.95431588613: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.51905417815: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.67676767677: [0.3333333333333, 0.6666666666667], 0.18939393939: [0.5], 0.43985307622: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.96900826446: [0.5909090909091, 0.4090909090909], 0.75665748393: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.75941230487: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.56473829201: [0.3636363636364, 0.6363636363636], 0.76492194674: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.27662993572: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.23898071625: [0.8636363636364, 0.1363636363636], 0.85858585859: [0.6666666666667, 0.3333333333333], 0.54178145087: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.47222222222: [0.8333333333333, 0.1666666666667], 0.42355371901: [0.5909090909091, 0.4090909090909], 0.03512396694: [0.6818181818182, 0.3181818181818], 0.32621671258: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.27754820937: [0.6818181818182, 0.3181818181818], 0.45179063361: [0.1818181818182, 0.8181818181818], 0.97727272727: [0.5], 0.36914600551: [0.4545454545455, 0.5454545454545], 0.71625344353: [0.3636363636364, 0.6363636363636], 0.06795224977: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.79797979798: [0.6666666666667, 0.3333333333333], 0.69628099174: [0.5909090909091, 0.4090909090909], 0.59894398531: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.01308539945: [0.0454545454545, 0.9545454545455], 0.94880624426: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.6733241506: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.06818181818: [0.5], 0.59504132231: [0.3636363636364, 0.6363636363636], 0.63636363636: [0.0], 0.82369146006: [0.4545454545455, 0.5454545454545], 0.23415977961: [0.0909090909091, 0.9090909090909], 0.60330578512: [0.1818181818182, 0.8181818181818], 0.13062442608: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.94490358127: [0.4545454545455, 0.5454545454545], 0.86157024793: [0.0454545454545, 0.9545454545455], 0.95867768595: [0.3636363636364, 0.6363636363636], 0.71900826446: [0.0909090909091, 0.9090909090909], 0.15541781451: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.03213957759: [0.7575757575758, 0.2424242424242, 0.5757575757576, 0.4242424242424], 0.02318640955: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.05348943985: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.55303030303: [0.5], 0.81818181818: [0.0], 0.50137741047: [0.7272727272727, 0.2727272727273], 0.65404040404: [0.8333333333333, 0.1666666666667], 0.82208448118: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.40335169881: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.0948117539: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.90289256198: [0.2272727272727, 0.7727272727273], 0.25734618916: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.34894398531: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.30027548209: [0.1818181818182, 0.8181818181818], 0.13682277319: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.0826446281: [0.0909090909091, 0.9090909090909], 0.5585399449: [0.0454545454545, 0.9545454545455], 0.88888888889: [0.6666666666667, 0.3333333333333], 0.2479338843: [0.4545454545455, 0.5454545454545], 0.55555555556: [0.3333333333333, 0.6666666666667], 0.97704315886: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.34986225895: [0.7272727272727, 0.2727272727273], 0.15059687787: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.00941230487: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.25252525253: [0.3333333333333, 0.6666666666667], 0.60261707989: [0.8636363636364, 0.1363636363636], 0.39944903581: [0.4545454545455, 0.5454545454545], 0.94421487603: [0.6818181818182, 0.3181818181818], 0.73209366391: [0.6818181818182, 0.3181818181818], 0.17355371901: [0.0909090909091, 0.9090909090909], 0.10101010101: [0.3333333333333, 0.6666666666667], 0.88544536272: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.70247933884: [0.4545454545455, 0.5454545454545], 0.58126721763: [0.4545454545455, 0.5454545454545], 0.14531680441: [0.2272727272727, 0.7727272727273], 0.7339302112: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.75045913682: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.85514233242: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.53925619835: [0.2272727272727, 0.7727272727273], 0.21877869605: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.49977043159: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.87534435262: [0.8636363636364, 0.1363636363636], 0.43181818182: [0.5], 0.01492194674: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.97910927456: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.28581267218: [0.0454545454545, 0.9545454545455], 0.74380165289: [0.7272727272727, 0.2727272727273], 0.07001836547: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.48140495868: [0.8636363636364, 0.1363636363636], 0.61547291093: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.88820018366: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.44077134986: [0.7272727272727, 0.2727272727273], 0.85399449036: [0.4545454545455, 0.5454545454545], 0.18916437098: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.16161616162: [0.3333333333333, 0.6666666666667], 0.32966023875: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.14049586777: [0.3636363636364, 0.6363636363636], 0.71464646465: [0.8333333333333, 0.1666666666667], 0.43365472911: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.86776859504: [0.3636363636364, 0.6363636363636], 0.96143250689: [0.0909090909091, 0.9090909090909], 0.47658402204: [0.0909090909091, 0.9090909090909], 0.21395775941: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.99632690542: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.83310376492: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.37924701561: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.96349862259: [0.2272727272727, 0.7727272727273], 0.3305785124: [0.1818181818182, 0.8181818181818], 0.70179063361: [0.6818181818182, 0.3181818181818], 0.05968778696: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.63820018366: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.19834710744: [0.7272727272727, 0.2727272727273], 0.88636363636: [0.5], 0.6935261708: [0.8636363636364, 0.1363636363636], 0.66850321396: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.03581267218: [0.4545454545455, 0.5454545454545], 0.20867768595: [0.8636363636364, 0.1363636363636], 0.76239669422: [0.6818181818182, 0.3181818181818], 0.73737373737: [0.3333333333333, 0.6666666666667], 0.72359963269: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.41161616162: [0.8333333333333, 0.1666666666667], 0.73484848485: [0.5], 0.3629476584: [0.5909090909091, 0.4090909090909], 0.26561065197: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.00734618916: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.84848484849: [0.0], 0.07713498623: [0.7272727272727, 0.2727272727273], 0.01928374656: [0.3636363636364, 0.6363636363636], 0.11753902663: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.46120293848: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.57506887052: [0.5909090909091, 0.4090909090909], 0.8347107438: [0.7272727272727, 0.2727272727273], 0.2277318641: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.26652892562: [0.2272727272727, 0.7727272727273], 0.17906336088: [0.1818181818182, 0.8181818181818], 0.92676767677: [0.8333333333333, 0.1666666666667], 0.98737373737: [0.8333333333333, 0.1666666666667], 0.46212121212: [0.5], 0.11409550046: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.20385674931: [0.0909090909091, 0.9090909090909], 0.48668503214: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.3103764922: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.78443526171: [0.8636363636364, 0.1363636363636], 0.22865013774: [0.7272727272727, 0.2727272727273], 0.54269972452: [0.1818181818182, 0.8181818181818], 0.59779614325: [0.0909090909091, 0.9090909090909], 0.12511478421: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.88429752066: [0.4545454545455, 0.5454545454545], 0.24724517906: [0.6818181818182, 0.3181818181818], 0.81542699725: [0.1818181818182, 0.8181818181818], 0.69696969697: [0.0], 0.39026629936: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.3427456382: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.82575757576: [0.5], 0.91574839302: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.17470156107: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.48966942149: [0.6818181818182, 0.3181818181818], 0.59228650138: [0.7272727272727, 0.2727272727273], 0.05785123967: [0.1818181818182, 0.8181818181818], 0.82001836547: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.28925619835: [0.7272727272727, 0.2727272727273], 0.85606060606: [0.5], 0.73117539027: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.44191919192: [0.8333333333333, 0.1666666666667], 0.39325068871: [0.5909090909091, 0.4090909090909], 0.12121212121: [0.0], 0.06060606061: [0.0], 0.00757575758: [0.5], 0.06611570248: [0.4545454545455, 0.5454545454545], 0.0847107438: [0.2272727272727, 0.7727272727273], 0.33884297521: [0.4545454545455, 0.5454545454545], 0.6108815427: [0.6818181818182, 0.3181818181818], 0.49150596878: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.00482093664: [0.6818181818182, 0.3181818181818], 0.62534435262: [0.3636363636364, 0.6363636363636], 0.97153351699: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.77685950413: [0.3636363636364, 0.6363636363636], 0.71005509642: [0.0454545454545, 0.9545454545455], 0.88360881543: [0.6818181818182, 0.3181818181818], 0.61271808999: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.77525252525: [0.8333333333333, 0.1666666666667], 0.97520661157: [0.4545454545455, 0.5454545454545], 0.18847566575: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.71189164371: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.95500459137: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.87786960514: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.88613406795: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.16460055096: [0.0454545454545, 0.9545454545455], 0.46946740129: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.56106519743: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.42079889807: [0.8636363636364, 0.1363636363636], 0.73278236915: [0.4545454545455, 0.5454545454545], 0.97359963269: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.03971533517: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.06726354454: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.69077134986: [0.2272727272727, 0.7727272727273], 0.59343434343: [0.8333333333333, 0.1666666666667], 0.57759412305: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.3730486685: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.46464646465: [0.3333333333333, 0.6666666666667], 0.8145087236: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.10399449036: [0.0454545454545, 0.9545454545455], 0.04591368228: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.31864095501: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.78719008265: [0.5909090909091, 0.4090909090909], 0.26997245179: [0.1818181818182, 0.8181818181818], 0.73461891644: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.93112947658: [0.0909090909091, 0.9090909090909], 0.20844811754: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.93595041322: [0.8636363636364, 0.1363636363636], 0.51698806244: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.07988980716: [0.3636363636364, 0.6363636363636], 0.57231404959: [0.8636363636364, 0.1363636363636], 0.72451790634: [0.1818181818182, 0.8181818181818], 0.17837465565: [0.8636363636364, 0.1363636363636], 0.96694214876: [0.1818181818182, 0.8181818181818], 0.61616161616: [0.3333333333333, 0.6666666666667], 0.67148760331: [0.6818181818182, 0.3181818181818], 0.96625344353: [0.8636363636364, 0.1363636363636], 0.3023415978: [0.5909090909091, 0.4090909090909], 0.45385674931: [0.5909090909091, 0.4090909090909], 0.52066115703: [0.4545454545455, 0.5454545454545], 0.40059687787: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.24426078972: [0.7575757575758, 0.2424242424242, 0.5757575757576, 0.4242424242424], 0.14876033058: [0.1818181818182, 0.8181818181818], 0.91299357208: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.40151515152: [0.5], 0.22222222222: [0.3333333333333, 0.6666666666667], 0.25550964187: [0.0454545454545, 0.9545454545455], 0.39577594123: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.04338842975: [0.0454545454545, 0.9545454545455], 0.47865013774: [0.2272727272727, 0.7727272727273], 0.97451790634: [0.6818181818182, 0.3181818181818], 0.45110192838: [0.8636363636364, 0.1363636363636], 0.78787878788: [0.0], 0.55486685032: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.94329660239: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.04958677686: [0.3636363636364, 0.6363636363636], 0.45638200184: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.29935720845: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.47015610652: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.49494949495: [0.3333333333333, 0.6666666666667], 0.44628099174: [0.0909090909091, 0.9090909090909], 0.88062442608: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.57575757576: [0.0], 0.30211202939: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.99908172635: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.24173553719: [0.5909090909091, 0.4090909090909], 0.94605142332: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.82300275482: [0.6818181818182, 0.3181818181818], 0.14439853076: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.50688705234: [0.0909090909091, 0.9090909090909], 0.63292011019: [0.8636363636364, 0.1363636363636], 0.83126721763: [0.0454545454545, 0.9545454545455], 0.96877869605: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.48117539027: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.51515151515: [0.0], 0.7741046832: [0.7272727272727, 0.2727272727273], 0.16919191919: [0.8333333333333, 0.1666666666667], 0.93319559229: [0.2272727272727, 0.7727272727273], 0.60996326905: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.38131313131: [0.8333333333333, 0.1666666666667], 0.51147842057: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.3326446281: [0.5909090909091, 0.4090909090909], 0.89370982553: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.2782369146: [0.4545454545455, 0.5454545454545], 0.43089990817: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.04797979798: [0.8333333333333, 0.1666666666667], 0.02961432507: [0.5909090909091, 0.4090909090909], 0.85032139578: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.9696969697: [0.0], 0.65564738292: [0.3636363636364, 0.6363636363636], 0.58884297521: [0.0454545454545, 0.9545454545455], 0.81473829201: [0.8636363636364, 0.1363636363636], 0.9494949495: [0.6666666666667, 0.3333333333333], 0.70454545455: [0.5], 0.15817263545: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.75482093664: [0.1818181818182, 0.8181818181818], 0.5906795225: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.05716253444: [0.8636363636364, 0.1363636363636], 0.78076216713: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.13429752066: [0.0454545454545, 0.9545454545455], 0.3085399449: [0.4545454545455, 0.5454545454545], 0.87167125804: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.51446280992: [0.5909090909091, 0.4090909090909], 0.81726354454: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.92837465565: [0.3636363636364, 0.6363636363636], 0.66574839302: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.3709825528: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.15909090909: [0.5], 0.50045913682: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.56955922865: [0.2272727272727, 0.7727272727273], 0.85330578512: [0.6818181818182, 0.3181818181818], 0.11845730028: [0.1818181818182, 0.8181818181818], 0.3124426079: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.35537190083: [0.0909090909091, 0.9090909090909], 0.15335169881: [0.7575757575758, 0.2424242424242, 0.5757575757576, 0.4242424242424], 0.95592286501: [0.7272727272727, 0.2727272727273], 0.2580348944: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.45936639119: [0.6818181818182, 0.3181818181818], 0.92561983471: [0.7272727272727, 0.2727272727273], 0.48209366391: [0.1818181818182, 0.8181818181818], 0.4536271809: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.80991735537: [0.0909090909091, 0.9090909090909], 0.17814508724: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.25895316804: [0.7272727272727, 0.2727272727273], 0.67056932966: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.45454545455: [0.0], 0.90564738292: [0.8636363636364, 0.1363636363636], 0.98898071625: [0.3636363636364, 0.6363636363636], 0.74494949495: [0.8333333333333, 0.1666666666667], 0.02662993572: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.55027548209: [0.6818181818182, 0.3181818181818], 0.05693296602: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.64944903581: [0.0454545454545, 0.9545454545455], 0.55211202939: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.24632690542: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.64646464647: [0.3333333333333, 0.6666666666667], 0.68870523416: [0.0909090909091, 0.9090909090909], 0.10032139578: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.69329660239: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.94696969697: [0.5], 0.34090909091: [0.5], 0.14784205693: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.02203856749: [0.0909090909091, 0.9090909090909], 0.5080348944: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.08379247016: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.35261707989: [0.3636363636364, 0.6363636363636], 0.14325068871: [0.0909090909091, 0.9090909090909], 0.43916437098: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.39049586777: [0.8636363636364, 0.1363636363636], 0.85789715335: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.94123048669: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.61363636364: [0.5], 0.16804407714: [0.7272727272727, 0.2727272727273], 0.57483930211: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.48875114784: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.63016528926: [0.2272727272727, 0.7727272727273], 0.53282828283: [0.8333333333333, 0.1666666666667], 0.24150596878: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.10858585859: [0.8333333333333, 0.1666666666667], 0.09641873278: [0.4545454545455, 0.5454545454545], 0.10651974288: [0.2121212121212, 0.1212121212121, 0.7878787878788, 0.8787878787879], 0.67401285583: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.74655647383: [0.3636363636364, 0.6363636363636], 0.2883379247: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.4839302112: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.21763085399: [0.4545454545455, 0.5454545454545], 0.0544077135: [0.2272727272727, 0.7727272727273], 0.09573002755: [0.6818181818182, 0.3181818181818], 0.70638200184: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.27180899908: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.51170798898: [0.8636363636364, 0.1363636363636], 0.23622589532: [0.2272727272727, 0.7727272727273], 0.99380165289: [0.2272727272727, 0.7727272727273], 0.84756657484: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.65289256198: [0.7272727272727, 0.2727272727273], 0.0624426079: [0.7575757575758, 0.2424242424242, 0.5757575757576, 0.4242424242424], 0.13888888889: [0.8333333333333, 0.1666666666667], 0.32070707071: [0.8333333333333, 0.1666666666667], 0.27203856749: [0.5909090909091, 0.4090909090909], 0.39393939394: [0.0], 0.94674012856: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.54201101928: [0.8636363636364, 0.1363636363636], 0.93227731864: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.46763085399: [0.0454545454545, 0.9545454545455], 0.37029384757: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.4132231405: [0.3636363636364, 0.6363636363636], 0.72910927456: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.69880624426: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.53443526171: [0.3636363636364, 0.6363636363636], 0.37121212121: [0.5], 0.23140495868: [0.3636363636364, 0.6363636363636], 0.82828282828: [0.6666666666667, 0.3333333333333], 0.36547291093: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.63360881543: [0.1818181818182, 0.8181818181818], 0.87809917355: [0.5909090909091, 0.4090909090909], 0.20936639119: [0.1818181818182, 0.8181818181818], 0.80555555556: [0.8333333333333, 0.1666666666667], 0.84573002755: [0.1818181818182, 0.8181818181818], 0.91919191919: [0.6666666666667, 0.3333333333333], 0.66597796143: [0.5909090909091, 0.4090909090909], 0.07828282828: [0.8333333333333, 0.1666666666667], 0.56864095501: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.80716253444: [0.3636363636364, 0.6363636363636], 0.26446280992: [0.0909090909091, 0.9090909090909], 0.12878787879: [0.5], 0.53719008265: [0.0909090909091, 0.9090909090909], 0.25183654729: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.90633608815: [0.1818181818182, 0.8181818181818], 0.49219467401: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.87878787879: [0.0], 0.27272727273: [0.0], 0.44742883379: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.68985307622: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.39876033058: [0.6818181818182, 0.3181818181818], 0.77318640955: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.22704315886: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.03696051423: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.78971533517: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.44834710744: [0.2272727272727, 0.7727272727273], 0.54935720845: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.35101010101: [0.8333333333333, 0.1666666666667], 0.09848484849: [0.5], 0.82759412305: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.79269972452: [0.6818181818182, 0.3181818181818], 0.4979338843: [0.0454545454545, 0.9545454545455], 0.46005509642: [0.4545454545455, 0.5454545454545], 0.76515151515: [0.5], 0.91850321396: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.1230486685: [0.7575757575758, 0.2424242424242, 0.5757575757576, 0.4242424242424], 0.4435261708: [0.3636363636364, 0.6363636363636], 0.59136822773: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.19742883379: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.71258034894: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.93663911846: [0.1818181818182, 0.8181818181818], 0.69421487603: [0.1818181818182, 0.8181818181818], 0.5282369146: [0.0454545454545, 0.9545454545455], 0.83746556474: [0.3636363636364, 0.6363636363636], 0.21602387512: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.98622589532: [0.7272727272727, 0.2727272727273], 0.23875114784: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.54476584022: [0.5909090909091, 0.4090909090909], 0.84136822773: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.53007346189: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.2803030303: [0.5], 0.77961432507: [0.0909090909091, 0.9090909090909], 0.62809917355: [0.0909090909091, 0.9090909090909], 0.24242424242: [0.0], 0.52249770432: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.37855831038: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.45844811754: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.32988980716: [0.8636363636364, 0.1363636363636], 0.21694214876: [0.6818181818182, 0.3181818181818], 0.13774104683: [0.7272727272727, 0.2727272727273], 0.98461891644: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.7036271809: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.42814508724: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.83585858586: [0.8333333333333, 0.1666666666667], 0.50895316804: [0.2272727272727, 0.7727272727273], 0.11776859504: [0.8636363636364, 0.1363636363636], 0.28213957759: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.21120293848: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.37373737374: [0.3333333333333, 0.6666666666667], 0.32506887052: [0.0909090909091, 0.9090909090909], 0.55280073462: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.4777318641: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.42906336088: [0.6818181818182, 0.3181818181818], 0.4233241506: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.18732782369: [0.4545454545455, 0.5454545454545], 0.57208448118: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.65197428834: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.58516988062: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.76147842057: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.72635445363: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.21212121212: [0.0], 0.74288337925: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.53168044077: [0.7272727272727, 0.2727272727273], 0.68434343434: [0.8333333333333, 0.1666666666667], 0.62924701561: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.2601010101: [0.8333333333333, 0.1666666666667], 0.82552800735: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.67424242424: [0.5], 0.75413223141: [0.8636363636364, 0.1363636363636], 0.91666666667: [0.5], 0.40702479339: [0.0454545454545, 0.9545454545455], 0.30968778696: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.61340679523: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.36363636364: [0.0], 0.0404040404: [0.3333333333333, 0.6666666666667], 0.92470156107: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.99655647383: [0.8636363636364, 0.1363636363636], 0.62167125804: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.0645087236: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.31060606061: [0.5], 0.20110192838: [0.3636363636364, 0.6363636363636], 0.70707070707: [0.6666666666667, 0.3333333333333], 0.07621671258: [0.2121212121212, 0.1212121212121, 0.7878787878788, 0.8787878787879], 0.51239669422: [0.1818181818182, 0.8181818181818], 0.40886134068: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.79178145087: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.36019283747: [0.8636363636364, 0.1363636363636], 0.1129476584: [0.0909090909091, 0.9090909090909], 0.61157024793: [0.4545454545455, 0.5454545454545], 0.12855831038: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.6512855831: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.90541781451: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.40404040404: [0.3333333333333, 0.6666666666667], 0.84504132231: [0.8636363636364, 0.1363636363636], 0.64393939394: [0.5], 0.28282828283: [0.3333333333333, 0.6666666666667], 0.78512396694: [0.1818181818182, 0.8181818181818], 0.60238751148: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.95707070707: [0.8333333333333, 0.1666666666667], 0.33815426997: [0.6818181818182, 0.3181818181818], 0.72658402204: [0.5909090909091, 0.4090909090909], 0.70431588613: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.48484848485: [0.0], 0.19674012856: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.92401285583: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.72015610652: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.14807162534: [0.8636363636364, 0.1363636363636], 0.38774104683: [0.2272727272727, 0.7727272727273], 0.2904040404: [0.8333333333333, 0.1666666666667], 0.22153351699: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.33333333333: [0.0], 0.43732782369: [0.0454545454545, 0.9545454545455], 0.33999081726: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.43158861341: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.38292011019: [0.3636363636364, 0.6363636363636], 0.16712580349: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.93870523416: [0.5909090909091, 0.4090909090909], 0.91460055096: [0.4545454545455, 0.5454545454545], 0.0523415978: [0.0909090909091, 0.9090909090909], 0.7238292011: [0.8636363636364, 0.1363636363636], 0.02685950413: [0.8636363636364, 0.1363636363636], 0.75390266299: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.12029384757: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.86501377411: [0.7272727272727, 0.2727272727273], 0.77066115703: [0.0454545454545, 0.9545454545455], 0.19191919192: [0.3333333333333, 0.6666666666667], 0.33516988062: [0.4242424242424, 0.2424242424242, 0.5757575757576, 0.7575757575758], 0.70087235996: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.08723599633: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.79545454546: [0.5], 0.55096418733: [0.4545454545455, 0.5454545454545], 0.12052341598: [0.5909090909091, 0.4090909090909], 0.56198347107: [0.7272727272727, 0.2727272727273], 0.64577594123: [0.7424242424242, 0.0757575757576, 0.9242424242424, 0.2575757575758], 0.60537190083: [0.5909090909091, 0.4090909090909], 0.31795224977: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.26928374656: [0.8636363636364, 0.1363636363636], 0.81198347107: [0.2272727272727, 0.7727272727273], 0.23530762167: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.81749311295: [0.5909090909091, 0.4090909090909], 0.18663911846: [0.6818181818182, 0.3181818181818], 0.79522497704: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.90909090909: [0.0], 0.58241505969: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.36753902663: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.21143250689: [0.5909090909091, 0.4090909090909], 0.31313131313: [0.3333333333333, 0.6666666666667], 0.01652892562: [0.7272727272727, 0.2727272727273], 0.68158861341: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152], 0.41712580349: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.36845730028: [0.6818181818182, 0.3181818181818], 0.11501377411: [0.2272727272727, 0.7727272727273], 0.36271808999: [0.3030303030303, 0.030303030303, 0.6969696969697, 0.969696969697], 0.15702479339: [0.4545454545455, 0.5454545454545], 0.47107438017: [0.7272727272727, 0.2727272727273], 0.53076216713: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.85238751148: [0.1060606060606, 0.5606060606061, 0.8939393939394, 0.4393939393939], 0.41804407714: [0.2272727272727, 0.7727272727273], 0.63269054178: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.97635445363: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.18181818182: [0.0], 0.8448117539: [0.6060606060606, 0.9393939393939, 0.3939393939394, 0.0606060606061], 0.66046831956: [0.2272727272727, 0.7727272727273], 0.23966942149: [0.1818181818182, 0.8181818181818], 0.56313131313: [0.8333333333333, 0.1666666666667], 0.91391184573: [0.6818181818182, 0.3181818181818], 0.75757575758: [0.0], 0.46189164371: [0.1515151515152, 0.4848484848485, 0.8484848484848, 0.5151515151515], 0.96258034894: [0.6212121212121, 0.7121212121212, 0.2878787878788, 0.3787878787879], 0.89187327824: [0.0454545454545, 0.9545454545455], 0.22520661157: [0.0454545454545, 0.9545454545455], 0.80348943985: [0.1212121212121, 0.2121212121212, 0.7878787878788, 0.8787878787879], 0.87052341598: [0.0909090909091, 0.9090909090909], 0.54453627181: [0.969696969697, 0.3030303030303, 0.6969696969697, 0.030303030303], 0.65840220386: [0.0909090909091, 0.9090909090909], 0.99173553719: [0.0909090909091, 0.9090909090909], 0.12786960514: [0.469696969697, 0.8030303030303, 0.1969696969697, 0.530303030303], 0.80280073462: [0.9848484848485, 0.0151515151515, 0.3484848484848, 0.6515151515152]} |
LIMITS = {'BNB/BTC': {'amount': {'max': 90000000.0, 'min': 0.01},
'cost': {'max': None, 'min': 0.001},
'price': {'max': None, 'min': None}},
'BNB/ETH': {'amount': {'max': 90000000.0, 'min': 0.01},
'cost': {'max': None, 'min': 0.01},
'price': {'max': None, 'min': None}},
'BNB/USDT': {'amount': {'max': 10000000.0, 'min': 0.01},
'cost': {'max': None, 'min': 10.0},
'price': {'max': None, 'min': None}},
'BTC/USDT': {'amount': {'max': 10000000.0, 'min': 1e-06},
'cost': {'max': None, 'min': 10.0},
'price': {'max': None, 'min': None}},
'ETH/BTC': {'amount': {'max': 100000.0, 'min': 0.001},
'cost': {'max': None, 'min': 0.001},
'price': {'max': None, 'min': None}},
'ETH/USDT': {'amount': {'max': 10000000.0, 'min': 1e-05},
'cost': {'max': None, 'min': 10.0},
'price': {'max': None, 'min': None}},
'XRP/BNB': {'amount': {'max': 90000000.0, 'min': 0.1},
'cost': {'max': None, 'min': 1.0},
'price': {'max': None, 'min': None}},
'XRP/BTC': {'amount': {'max': 90000000.0, 'min': 1.0},
'cost': {'max': None, 'min': 0.001},
'price': {'max': None, 'min': None}},
'XRP/ETH': {'amount': {'max': 90000000.0, 'min': 1.0},
'cost': {'max': None, 'min': 0.01},
'price': {'max': None, 'min': None}},
'XRP/USDT': {'amount': {'max': 90000000.0, 'min': 0.1},
'cost': {'max': None, 'min': 10.0},
'price': {'max': None, 'min': None}},
'XLM/USDT': {'amount': {'max': 90000000.0, 'min': 0.1},
'cost': {'max': None, 'min': 10.0},
'price': {'max': None, 'min': None}},
'XLM/XRP': {'amount': {'max': 90000000.0, 'min': 0.1},
'cost': {'max': None, 'min': 1.0},
'price': {'max': None, 'min': None}}}
class DummyExchange():
def __init__(self, currencies, balances, rates=None, fee=0.001):
self.name = 'DummyExchange'
self._currencies = currencies
self._balances = balances
self._fee = fee
self._rates = {}
for cur in rates or {}:
self._rates[cur] = {'mid': rates[cur],
'high': rates[cur]*1.001,
'low': rates[cur]*0.999,
}
@property
def balances(self):
return self._balances
@property
def pairs(self):
_pairs = []
for i in self._currencies:
for j in self._currencies:
pair = "{}/{}".format(i, j)
_pairs.append(pair)
return _pairs
@property
def rates(self):
if self._rates:
return self._rates
_rates = {}
for pair in self.pairs:
_rates[pair] = {'mid': 1.0,
'low': 0.99,
'high': 1.01, }
return _rates
@property
def limits(self):
return LIMITS
@property
def fee(self):
return self._fee
def preprocess_order(self, order):
try:
limits = self.limits[order.pair]
except KeyError:
return None
if order.amount < limits['amount']['min'] \
or order.amount * order.price < limits['cost']['min']:
return None
base, quote = order.pair.split('/')
if order.direction.upper() == 'BUY':
if order.amount * order.price > self._balances[quote]:
return None
if order.direction.upper() == 'SELL':
if order.amount > self._balances[base]:
return None
order.type_ = 'LIMIT'
return order
def execute_order(self, order):
base, quote = order.pair.split('/')
if order.direction.upper() == 'BUY':
if order.amount * order.price > self._balances[quote]:
raise ValueError("Can't overdraw")
self._balances[base] += order.amount
self._balances[base] -= order.amount * self.fee
self._balances[quote] -= order.amount * order.price
if order.direction.upper() == 'SELL':
if order.amount > self._balances[base]:
raise ValueError("Can't overdraw")
self._balances[base] -= order.amount
self._balances[quote] += order.amount * order.price
self._balances[quote] -= order.amount * order.price * self.fee
return {'symbol': order.pair,
'side': order.direction.upper(),
'amount': order.amount,
'price': order.price}
| limits = {'BNB/BTC': {'amount': {'max': 90000000.0, 'min': 0.01}, 'cost': {'max': None, 'min': 0.001}, 'price': {'max': None, 'min': None}}, 'BNB/ETH': {'amount': {'max': 90000000.0, 'min': 0.01}, 'cost': {'max': None, 'min': 0.01}, 'price': {'max': None, 'min': None}}, 'BNB/USDT': {'amount': {'max': 10000000.0, 'min': 0.01}, 'cost': {'max': None, 'min': 10.0}, 'price': {'max': None, 'min': None}}, 'BTC/USDT': {'amount': {'max': 10000000.0, 'min': 1e-06}, 'cost': {'max': None, 'min': 10.0}, 'price': {'max': None, 'min': None}}, 'ETH/BTC': {'amount': {'max': 100000.0, 'min': 0.001}, 'cost': {'max': None, 'min': 0.001}, 'price': {'max': None, 'min': None}}, 'ETH/USDT': {'amount': {'max': 10000000.0, 'min': 1e-05}, 'cost': {'max': None, 'min': 10.0}, 'price': {'max': None, 'min': None}}, 'XRP/BNB': {'amount': {'max': 90000000.0, 'min': 0.1}, 'cost': {'max': None, 'min': 1.0}, 'price': {'max': None, 'min': None}}, 'XRP/BTC': {'amount': {'max': 90000000.0, 'min': 1.0}, 'cost': {'max': None, 'min': 0.001}, 'price': {'max': None, 'min': None}}, 'XRP/ETH': {'amount': {'max': 90000000.0, 'min': 1.0}, 'cost': {'max': None, 'min': 0.01}, 'price': {'max': None, 'min': None}}, 'XRP/USDT': {'amount': {'max': 90000000.0, 'min': 0.1}, 'cost': {'max': None, 'min': 10.0}, 'price': {'max': None, 'min': None}}, 'XLM/USDT': {'amount': {'max': 90000000.0, 'min': 0.1}, 'cost': {'max': None, 'min': 10.0}, 'price': {'max': None, 'min': None}}, 'XLM/XRP': {'amount': {'max': 90000000.0, 'min': 0.1}, 'cost': {'max': None, 'min': 1.0}, 'price': {'max': None, 'min': None}}}
class Dummyexchange:
def __init__(self, currencies, balances, rates=None, fee=0.001):
self.name = 'DummyExchange'
self._currencies = currencies
self._balances = balances
self._fee = fee
self._rates = {}
for cur in rates or {}:
self._rates[cur] = {'mid': rates[cur], 'high': rates[cur] * 1.001, 'low': rates[cur] * 0.999}
@property
def balances(self):
return self._balances
@property
def pairs(self):
_pairs = []
for i in self._currencies:
for j in self._currencies:
pair = '{}/{}'.format(i, j)
_pairs.append(pair)
return _pairs
@property
def rates(self):
if self._rates:
return self._rates
_rates = {}
for pair in self.pairs:
_rates[pair] = {'mid': 1.0, 'low': 0.99, 'high': 1.01}
return _rates
@property
def limits(self):
return LIMITS
@property
def fee(self):
return self._fee
def preprocess_order(self, order):
try:
limits = self.limits[order.pair]
except KeyError:
return None
if order.amount < limits['amount']['min'] or order.amount * order.price < limits['cost']['min']:
return None
(base, quote) = order.pair.split('/')
if order.direction.upper() == 'BUY':
if order.amount * order.price > self._balances[quote]:
return None
if order.direction.upper() == 'SELL':
if order.amount > self._balances[base]:
return None
order.type_ = 'LIMIT'
return order
def execute_order(self, order):
(base, quote) = order.pair.split('/')
if order.direction.upper() == 'BUY':
if order.amount * order.price > self._balances[quote]:
raise value_error("Can't overdraw")
self._balances[base] += order.amount
self._balances[base] -= order.amount * self.fee
self._balances[quote] -= order.amount * order.price
if order.direction.upper() == 'SELL':
if order.amount > self._balances[base]:
raise value_error("Can't overdraw")
self._balances[base] -= order.amount
self._balances[quote] += order.amount * order.price
self._balances[quote] -= order.amount * order.price * self.fee
return {'symbol': order.pair, 'side': order.direction.upper(), 'amount': order.amount, 'price': order.price} |
class Bullet:
def __init__(self, x, y, vx, vy, sender, color):
self.pos = (x, y)
self.vel = (vx, vy)
self.sender = sender
self.color = color
bullets = []
bullets.append(Bullet(0, 1, 2, 3, 'mr. r', (13, 14, 15)))
print(bullets[0].sender) | class Bullet:
def __init__(self, x, y, vx, vy, sender, color):
self.pos = (x, y)
self.vel = (vx, vy)
self.sender = sender
self.color = color
bullets = []
bullets.append(bullet(0, 1, 2, 3, 'mr. r', (13, 14, 15)))
print(bullets[0].sender) |
SQLTYPECODE_CHAR = 1
# NUMERIC * /
SQLTYPECODE_NUMERIC = 2
SQLTYPECODE_NUMERIC_UNSIGNED = -201
# DECIMAL * /
SQLTYPECODE_DECIMAL = 3
SQLTYPECODE_DECIMAL_UNSIGNED = -301
SQLTYPECODE_DECIMAL_LARGE = -302
SQLTYPECODE_DECIMAL_LARGE_UNSIGNED = -303
# INTEGER / INT * /
SQLTYPECODE_INTEGER = 4
SQLTYPECODE_INTEGER_UNSIGNED = -401
SQLTYPECODE_LARGEINT = -402
SQLTYPECODE_LARGEINT_UNSIGNED = -405
# SMALLINT
SQLTYPECODE_SMALLINT = 5
SQLTYPECODE_SMALLINT_UNSIGNED = -502
SQLTYPECODE_BPINT_UNSIGNED = -503
# TINYINT */
SQLTYPECODE_TINYINT = -403
SQLTYPECODE_TINYINT_UNSIGNED = -404
# DOUBLE depending on precision
SQLTYPECODE_FLOAT = 6
SQLTYPECODE_REAL = 7
SQLTYPECODE_DOUBLE = 8
# DATE,TIME,TIMESTAMP */
SQLTYPECODE_DATETIME = 9
# TIMESTAMP */
SQLTYPECODE_INTERVAL = 10
# no ANSI value 11 */
# VARCHAR/CHARACTER VARYING */
SQLTYPECODE_VARCHAR = 12
# SQL/MP stype VARCHAR with length prefix:
SQLTYPECODE_VARCHAR_WITH_LENGTH = -601
SQLTYPECODE_BLOB = -602
SQLTYPECODE_CLOB = -603
# LONG VARCHAR/ODBC CHARACTER VARYING */
SQLTYPECODE_VARCHAR_LONG = -1 # ## NEGATIVE??? */
# no ANSI value 13 */
# BIT */
SQLTYPECODE_BIT = 14 # not supported */
# BIT VARYING */
SQLTYPECODE_BITVAR = 15 # not supported */
# NCHAR -- CHAR(n) CHARACTER SET s -- where s uses two bytes per char */
SQLTYPECODE_CHAR_DBLBYTE = 16
# NCHAR VARYING -- VARCHAR(n) CHARACTER SET s -- s uses 2 bytes per char */
SQLTYPECODE_VARCHAR_DBLBYTE = 17
# BOOLEAN TYPE */
SQLTYPECODE_BOOLEAN = -701
# Date/Time/TimeStamp related constants */
SQLDTCODE_DATE = 1
SQLDTCODE_TIME = 2
SQLDTCODE_TIMESTAMP = 3
SQLDTCODE_MPDATETIME = 4 | sqltypecode_char = 1
sqltypecode_numeric = 2
sqltypecode_numeric_unsigned = -201
sqltypecode_decimal = 3
sqltypecode_decimal_unsigned = -301
sqltypecode_decimal_large = -302
sqltypecode_decimal_large_unsigned = -303
sqltypecode_integer = 4
sqltypecode_integer_unsigned = -401
sqltypecode_largeint = -402
sqltypecode_largeint_unsigned = -405
sqltypecode_smallint = 5
sqltypecode_smallint_unsigned = -502
sqltypecode_bpint_unsigned = -503
sqltypecode_tinyint = -403
sqltypecode_tinyint_unsigned = -404
sqltypecode_float = 6
sqltypecode_real = 7
sqltypecode_double = 8
sqltypecode_datetime = 9
sqltypecode_interval = 10
sqltypecode_varchar = 12
sqltypecode_varchar_with_length = -601
sqltypecode_blob = -602
sqltypecode_clob = -603
sqltypecode_varchar_long = -1
sqltypecode_bit = 14
sqltypecode_bitvar = 15
sqltypecode_char_dblbyte = 16
sqltypecode_varchar_dblbyte = 17
sqltypecode_boolean = -701
sqldtcode_date = 1
sqldtcode_time = 2
sqldtcode_timestamp = 3
sqldtcode_mpdatetime = 4 |
# Must check this video: https://tinyurl.com/vfmnqt4
class Solution(object):
def nextPermutation(self, nums):
"""
:type nums: List[int]
:rtype: None Do not return anything, modify nums in-place instead.
"""
i = j = len(nums) - 1
while i > 0 and nums[i - 1] >= nums[i]:
i -= 1
if i == 0: # nums are in descending order
nums.reverse()
return
k = i - 1 # find the last "ascending" position
while nums[j] <= nums[k]:
j -= 1
nums[k], nums[j] = nums[j], nums[k]
leftIdx, rightIdx = k + 1, len(nums) - 1 # reverse the second part
while leftIdx < rightIdx:
nums[leftIdx], nums[rightIdx] = nums[rightIdx], nums[leftIdx]
leftIdx += 1
rightIdx -= 1
| class Solution(object):
def next_permutation(self, nums):
"""
:type nums: List[int]
:rtype: None Do not return anything, modify nums in-place instead.
"""
i = j = len(nums) - 1
while i > 0 and nums[i - 1] >= nums[i]:
i -= 1
if i == 0:
nums.reverse()
return
k = i - 1
while nums[j] <= nums[k]:
j -= 1
(nums[k], nums[j]) = (nums[j], nums[k])
(left_idx, right_idx) = (k + 1, len(nums) - 1)
while leftIdx < rightIdx:
(nums[leftIdx], nums[rightIdx]) = (nums[rightIdx], nums[leftIdx])
left_idx += 1
right_idx -= 1 |
class Solution(object):
def addStrings(self, num1, num2):
"""
:type num1: str
:type num2: str
:rtype: str
"""
result = []
i, j, carry = len(num1) - 1, len(num2) - 1, 0
while i >= 0 or j >= 0 or carry:
if i >= 0:
carry += ord(num1[i]) - ord('0')
i -= 1
if j >= 0:
carry += ord(num2[j]) - ord('0')
j -= 1
result.append(str(carry % 10))
carry /= 10
result.reverse()
return "".join(result)
print(Solution().addStrings('123','345')) | class Solution(object):
def add_strings(self, num1, num2):
"""
:type num1: str
:type num2: str
:rtype: str
"""
result = []
(i, j, carry) = (len(num1) - 1, len(num2) - 1, 0)
while i >= 0 or j >= 0 or carry:
if i >= 0:
carry += ord(num1[i]) - ord('0')
i -= 1
if j >= 0:
carry += ord(num2[j]) - ord('0')
j -= 1
result.append(str(carry % 10))
carry /= 10
result.reverse()
return ''.join(result)
print(solution().addStrings('123', '345')) |
NORTH = 0
EAST = 1
SOUTH = 2
WEST = 3
class Robot:
def __init__(self, bearing=NORTH, x=0, y=0):
self.coordinates = (x, y)
self.bearing = bearing
def turn_right(self):
self.bearing += 1
self.bearing %= 4
def turn_left(self):
self.bearing += 3
self.bearing %= 4
def advance(self):
x, y = self.coordinates
if self.bearing == NORTH:
self.coordinates = (x, y + 1)
elif self.bearing == SOUTH:
self.coordinates = (x, y - 1)
elif self.bearing == EAST:
self.coordinates = (x + 1, y)
else:
self.coordinates = (x - 1, y)
def simulate(self, commands):
for ch in commands:
if ch == 'L':
self.turn_left()
elif ch == 'R':
self.turn_right()
elif ch == 'A':
self.advance()
| north = 0
east = 1
south = 2
west = 3
class Robot:
def __init__(self, bearing=NORTH, x=0, y=0):
self.coordinates = (x, y)
self.bearing = bearing
def turn_right(self):
self.bearing += 1
self.bearing %= 4
def turn_left(self):
self.bearing += 3
self.bearing %= 4
def advance(self):
(x, y) = self.coordinates
if self.bearing == NORTH:
self.coordinates = (x, y + 1)
elif self.bearing == SOUTH:
self.coordinates = (x, y - 1)
elif self.bearing == EAST:
self.coordinates = (x + 1, y)
else:
self.coordinates = (x - 1, y)
def simulate(self, commands):
for ch in commands:
if ch == 'L':
self.turn_left()
elif ch == 'R':
self.turn_right()
elif ch == 'A':
self.advance() |
mydict = {'name':'albert','age':28,'city':'Beijing'}
print(mydict)
mydict2 = dict(name='allen',age=26,city='boston')
print(mydict2)
value = mydict['name']
print(value)
mydict['email'] = 'albert@hotmail.com'
print(mydict)
mydict['email'] = 'hello@hotmail.com'
print(mydict)
del mydict['name']
print(mydict)
mydict.pop('age')
print(mydict)
mydict.popitem()
print(mydict)
#######
if 'name' in mydict:
print(mydict['name'])
else:
print('wrong')
try:
print(mydict['name'])
except:
print('error')
mydict = {'name':'albert','age':28,'city':'Beijing'}
for key in mydict.keys():
print(key)
for value in mydict.values():
print(value)
for key,value in mydict.items():
print(key,value)
mydict_cpy = mydict
print(mydict_cpy)
mydict_cpy['email'] = 'a@e.com'
print(mydict_cpy)
print(mydict)
mydict = {'name':'albert','age':28,'city':'Beijing'}
mydict_cpy = mydict.copy()
mydict_cpy['email'] = 'b@e.com'
print(mydict_cpy)
print(mydict)
mydict = {'name':'albert','age':28,'city':'Beijing'}
mydict_cpy = dict(mydict)
mydict_cpy['email'] = 'c@e.com'
print(mydict_cpy)
print(mydict)
mydict1 = {'name':'albert','age':28,'city':'Beijing','email':'abc@example.com'}
mydict2 = {'name':'allen','age':26,'city':'Bagadah'}
mydict1.update(mydict2)
print(mydict1)
mydict = {3:9,6:36,9:81}
print(mydict)
# value = mydict[0]
value = mydict[3]
print(value)
mytuple = (8,7)
mydict = {mytuple:15}
print(mydict)
# mylist = [8,7]
# mydict = {mylist:15}
# print(mydict)
| mydict = {'name': 'albert', 'age': 28, 'city': 'Beijing'}
print(mydict)
mydict2 = dict(name='allen', age=26, city='boston')
print(mydict2)
value = mydict['name']
print(value)
mydict['email'] = 'albert@hotmail.com'
print(mydict)
mydict['email'] = 'hello@hotmail.com'
print(mydict)
del mydict['name']
print(mydict)
mydict.pop('age')
print(mydict)
mydict.popitem()
print(mydict)
if 'name' in mydict:
print(mydict['name'])
else:
print('wrong')
try:
print(mydict['name'])
except:
print('error')
mydict = {'name': 'albert', 'age': 28, 'city': 'Beijing'}
for key in mydict.keys():
print(key)
for value in mydict.values():
print(value)
for (key, value) in mydict.items():
print(key, value)
mydict_cpy = mydict
print(mydict_cpy)
mydict_cpy['email'] = 'a@e.com'
print(mydict_cpy)
print(mydict)
mydict = {'name': 'albert', 'age': 28, 'city': 'Beijing'}
mydict_cpy = mydict.copy()
mydict_cpy['email'] = 'b@e.com'
print(mydict_cpy)
print(mydict)
mydict = {'name': 'albert', 'age': 28, 'city': 'Beijing'}
mydict_cpy = dict(mydict)
mydict_cpy['email'] = 'c@e.com'
print(mydict_cpy)
print(mydict)
mydict1 = {'name': 'albert', 'age': 28, 'city': 'Beijing', 'email': 'abc@example.com'}
mydict2 = {'name': 'allen', 'age': 26, 'city': 'Bagadah'}
mydict1.update(mydict2)
print(mydict1)
mydict = {3: 9, 6: 36, 9: 81}
print(mydict)
value = mydict[3]
print(value)
mytuple = (8, 7)
mydict = {mytuple: 15}
print(mydict) |
def get_UnorderedGroupChildren(self):
"""
List all non-metadata children of an :py:class:`UnorderedGroupType`
"""
# TODO: should not change order
return self.get_RegionRef() + self.get_OrderedGroup() + self.get_UnorderedGroup()
| def get__unordered_group_children(self):
"""
List all non-metadata children of an :py:class:`UnorderedGroupType`
"""
return self.get_RegionRef() + self.get_OrderedGroup() + self.get_UnorderedGroup() |
def writeFastqFile(filename,reads):
fhw=open(filename,"w")
for read in reads:
fhw.write("@"+read+"\n")
fhw.write(reads[read][0]+"\n"+reads[read][1]+"\n"+reads[read][2]+"\n")
def writeFastaFile(filename,seqs):
fhw=open(filename,"w")
for id in seqs:
fhw.write(">"+id+"\n"+seqs[id]+"\n")
def readFastqFile(filename):
reads={}
fhr=open(filename,"r")
while True:
line=fhr.readline()
if not line:
break
reads[line.split()[0][1:]]=[fhr.readline().strip(),fhr.readline().strip(),fhr.readline().strip()]
#print(reads[line.split()[0]])
return reads
def readFastaFile(filename):
"""
Reads in a fasta file and returns a dictionary
The keys in the dictionary is same as the fasta header
for each sequence upto the first space.
"""
info={}
fhr=open(filename,"r")
while(True):
line=fhr.readline()
if not line: break
if(">" in line):
try:
info[line.strip()[1:].split()[0]]=fhr.readline().strip()
except ValueError:
pass
return info
| def write_fastq_file(filename, reads):
fhw = open(filename, 'w')
for read in reads:
fhw.write('@' + read + '\n')
fhw.write(reads[read][0] + '\n' + reads[read][1] + '\n' + reads[read][2] + '\n')
def write_fasta_file(filename, seqs):
fhw = open(filename, 'w')
for id in seqs:
fhw.write('>' + id + '\n' + seqs[id] + '\n')
def read_fastq_file(filename):
reads = {}
fhr = open(filename, 'r')
while True:
line = fhr.readline()
if not line:
break
reads[line.split()[0][1:]] = [fhr.readline().strip(), fhr.readline().strip(), fhr.readline().strip()]
return reads
def read_fasta_file(filename):
"""
Reads in a fasta file and returns a dictionary
The keys in the dictionary is same as the fasta header
for each sequence upto the first space.
"""
info = {}
fhr = open(filename, 'r')
while True:
line = fhr.readline()
if not line:
break
if '>' in line:
try:
info[line.strip()[1:].split()[0]] = fhr.readline().strip()
except ValueError:
pass
return info |
class AlembicUtilsException(Exception):
"""Base exception for AlembicUtils package"""
class SQLParseFailure(AlembicUtilsException):
"""An entity could not be parsed"""
class FailedToGenerateComparable(AlembicUtilsException):
"""Failed to generate a comparable entity"""
class UnreachableException(AlembicUtilsException):
"""An exception no one should ever see"""
class BadInputException(AlembicUtilsException):
"""Invalid user input"""
| class Alembicutilsexception(Exception):
"""Base exception for AlembicUtils package"""
class Sqlparsefailure(AlembicUtilsException):
"""An entity could not be parsed"""
class Failedtogeneratecomparable(AlembicUtilsException):
"""Failed to generate a comparable entity"""
class Unreachableexception(AlembicUtilsException):
"""An exception no one should ever see"""
class Badinputexception(AlembicUtilsException):
"""Invalid user input""" |
tup1 = ('physics', 'chemistry', 1997, 2000)
tup2 = (1, 2, 3, 4, 5, 6, 7 )
print ("tup1[0]: ", tup1[0])
print ("tup2[1:5]: ", tup2[1:5])
# Following action is not valid for tuples
# tup1[0] = 100
| tup1 = ('physics', 'chemistry', 1997, 2000)
tup2 = (1, 2, 3, 4, 5, 6, 7)
print('tup1[0]: ', tup1[0])
print('tup2[1:5]: ', tup2[1:5]) |
def validate_name(name):
if name.replace(" ", "").isalpha():
return True
else:
return False
def validate_height_in_cm(height):
if height < 300 and height > 10:
return True
else:
return False
def validate_weigth_in_kg(weight):
if weight < 200 and weight > 0:
return True
else:
return False
def validate_gender(gender):
genders = ['Male', 'Female', 'Other']
if gender in genders:
return True
else:
return False
def validate_blood_group(blood_group):
blood_groups = ['AB+' , 'AB-', 'A+', 'A-', 'B+', 'B-', 'O+' , 'O-']
if blood_group in blood_groups:
return True
else:
return False | def validate_name(name):
if name.replace(' ', '').isalpha():
return True
else:
return False
def validate_height_in_cm(height):
if height < 300 and height > 10:
return True
else:
return False
def validate_weigth_in_kg(weight):
if weight < 200 and weight > 0:
return True
else:
return False
def validate_gender(gender):
genders = ['Male', 'Female', 'Other']
if gender in genders:
return True
else:
return False
def validate_blood_group(blood_group):
blood_groups = ['AB+', 'AB-', 'A+', 'A-', 'B+', 'B-', 'O+', 'O-']
if blood_group in blood_groups:
return True
else:
return False |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.