content stringlengths 7 1.05M | fixed_cases stringlengths 1 1.28M |
|---|---|
"""
Welcome to the new format of the course! From now on, I'll be writing within
these Python files instead of in seperate .md files. This will let me write
code in this files and comment on them directly, because this is a .py file
that you can actually run!
To start, we're going to talk about how a computer stores data. In most
programming languages, there are certain 'data types' called 'primitives'.
These are the bare bones of computation, and you'll use them everywhere.
Heres a list of the most popular data types:
- Integers: whole numbers (0, 1, 6, 3423, -123).
- Floats: decimal numbers (1.234, -934.355, 0.0000005)
- Booleans: can only be true or false, no other options.
- Strings: a sequence of characters, mainly used to show text values.
("hello!", "the quick brown fox jumped over the lazy dog")
Also, while it's technically not a primitive, almost every language will
also support code comments. These are portions of text that are used to
describe what your code does, so that if you (or anyone else) needs to
read it, you can explain whats going on. Thats how I'm writing all of this
within the Python file, but you can still run it. By adding three quotation
marks to the start and end of this message, Python knows not to treat any of
this text like code (it's not actually a comment, but treat it like it is for
now and we'll talk about it later).
Ok, lets get to some coding. I'm going to show you some examples, and you can add
to it, run the file, and see what happens. For most of these examples, the code
will be commented out with '#' at the start of each line. Simply un-comment these
to run the code.
"""
# 5
# "hello world!"
# <- Don't remove, this is a meant to be a single line comment
# True
"""
What I just wrote are primitive values. Can you guess what data type each one is?
The first one is an integer, five. Next, we have a string, and the text inside of
the string is "hello world". Notice how I had to "wrap" the string with quotation
marks? This is how we tell Python that it's a string, and nothing inside the
quotation marks are code. In fact, thats how I'm writing these comments.
They're all just really long strings, but since I wrap them in three quotation
marks, Python knows not to interpret them as code.
After the string, we can see a single line comment. This is marked with the '#'
character, and when Python see's the '#', it knows to disregard the rest of the
line and not treat it like code. VSCode is helpful as it highlights these green.
Lastly, we see a boolean value. These can only be 'True' or 'False' (yes,
capitalization matters but can change between languages).
"""
# Next: '1 - Variables.py' | """
Welcome to the new format of the course! From now on, I'll be writing within
these Python files instead of in seperate .md files. This will let me write
code in this files and comment on them directly, because this is a .py file
that you can actually run!
To start, we're going to talk about how a computer stores data. In most
programming languages, there are certain 'data types' called 'primitives'.
These are the bare bones of computation, and you'll use them everywhere.
Heres a list of the most popular data types:
- Integers: whole numbers (0, 1, 6, 3423, -123).
- Floats: decimal numbers (1.234, -934.355, 0.0000005)
- Booleans: can only be true or false, no other options.
- Strings: a sequence of characters, mainly used to show text values.
("hello!", "the quick brown fox jumped over the lazy dog")
Also, while it's technically not a primitive, almost every language will
also support code comments. These are portions of text that are used to
describe what your code does, so that if you (or anyone else) needs to
read it, you can explain whats going on. Thats how I'm writing all of this
within the Python file, but you can still run it. By adding three quotation
marks to the start and end of this message, Python knows not to treat any of
this text like code (it's not actually a comment, but treat it like it is for
now and we'll talk about it later).
Ok, lets get to some coding. I'm going to show you some examples, and you can add
to it, run the file, and see what happens. For most of these examples, the code
will be commented out with '#' at the start of each line. Simply un-comment these
to run the code.
"""
'\nWhat I just wrote are primitive values. Can you guess what data type each one is?\nThe first one is an integer, five. Next, we have a string, and the text inside of\nthe string is "hello world". Notice how I had to "wrap" the string with quotation\nmarks? This is how we tell Python that it\'s a string, and nothing inside the\nquotation marks are code. In fact, thats how I\'m writing these comments.\nThey\'re all just really long strings, but since I wrap them in three quotation\nmarks, Python knows not to interpret them as code.\n\nAfter the string, we can see a single line comment. This is marked with the \'#\'\ncharacter, and when Python see\'s the \'#\', it knows to disregard the rest of the\nline and not treat it like code. VSCode is helpful as it highlights these green.\nLastly, we see a boolean value. These can only be \'True\' or \'False\' (yes,\ncapitalization matters but can change between languages).\n' |
#
# Copyright (c) 2010-2016, Fabric Software Inc. All rights reserved.
#
Direct = 0
Reference = 1
Pointer = 2
| direct = 0
reference = 1
pointer = 2 |
class GtExampleDependency:
def __init__(self,gt_example):
self.gt_example = gt_example
self.parent_dependencies = []
self.child_dependencies = []
def add_parent(self, parent_dependency):
self.parents().append(parent_dependency)
def add_child(self, child_dependency):
self.children().append(child_dependency)
def parents(self):
return self.parent_dependencies
def children(self):
return self.child_dependencies
| class Gtexampledependency:
def __init__(self, gt_example):
self.gt_example = gt_example
self.parent_dependencies = []
self.child_dependencies = []
def add_parent(self, parent_dependency):
self.parents().append(parent_dependency)
def add_child(self, child_dependency):
self.children().append(child_dependency)
def parents(self):
return self.parent_dependencies
def children(self):
return self.child_dependencies |
n=int(input())
t=[[0]*n for i in range (n)]
i,j=0,0
for k in range(1, n*n+1):
t[i][j]=k
if k==n*n: break
if i<=j+1 and i+j<n-1: j+=1
elif i<j and i+j>=n-1: i+=1
elif i>=j and i+j>n-1: j-=1
elif i>j+1 and i+j<=n-1: i-=1
for i in range(n):
print(*t[i]) | n = int(input())
t = [[0] * n for i in range(n)]
(i, j) = (0, 0)
for k in range(1, n * n + 1):
t[i][j] = k
if k == n * n:
break
if i <= j + 1 and i + j < n - 1:
j += 1
elif i < j and i + j >= n - 1:
i += 1
elif i >= j and i + j > n - 1:
j -= 1
elif i > j + 1 and i + j <= n - 1:
i -= 1
for i in range(n):
print(*t[i]) |
#use of the while loop to determine the number of digits of an integer n:
n = int(input())
length = 0
while n > 0:
n = n//10
length = length + 1
print("number of digits in the given number n =" , length)
#On each iteration we cut the last digit of the number using
# integer division by 10 (n //= 10). In the variable length we count how many times we did that. | n = int(input())
length = 0
while n > 0:
n = n // 10
length = length + 1
print('number of digits in the given number n =', length) |
class ShapeConfig():
def __init__(
self,
shape=[74, 74, 125, 125],
verbose=False
):
self.shape = shape
self._number_of_substrip = len(self.shape)
self._number_of_pixels = 0
for pixel_number in self.shape:
self._number_of_pixels += pixel_number
self._offsets = []
for i, bock_size in enumerate(self.shape):
if(i - 1 >= 0):
self._offsets.append(bock_size + self._offsets[i - 1])
else:
self._offsets.append(bock_size)
if(verbose):
self.print()
def print(self):
print("--")
print("----------------")
print("Shape Config : ")
print("----------------")
print("shape -> ", self.shape)
print("number_of_substrip -> ", self._number_of_substrip)
print("number_of_pixels -> ", self._number_of_pixels)
print("shape chunks offset -> ", self._offsets)
print("----------------")
print("--")
| class Shapeconfig:
def __init__(self, shape=[74, 74, 125, 125], verbose=False):
self.shape = shape
self._number_of_substrip = len(self.shape)
self._number_of_pixels = 0
for pixel_number in self.shape:
self._number_of_pixels += pixel_number
self._offsets = []
for (i, bock_size) in enumerate(self.shape):
if i - 1 >= 0:
self._offsets.append(bock_size + self._offsets[i - 1])
else:
self._offsets.append(bock_size)
if verbose:
self.print()
def print(self):
print('--')
print('----------------')
print('Shape Config : ')
print('----------------')
print('shape -> ', self.shape)
print('number_of_substrip -> ', self._number_of_substrip)
print('number_of_pixels -> ', self._number_of_pixels)
print('shape chunks offset -> ', self._offsets)
print('----------------')
print('--') |
class Solution:
def maxProfit(self, prices: List[int]) -> int:
minn = float("inf")
profit = 0
for price in prices:
if minn > price : minn = price
if price - minn > profit : profit = price - minn
return profit | class Solution:
def max_profit(self, prices: List[int]) -> int:
minn = float('inf')
profit = 0
for price in prices:
if minn > price:
minn = price
if price - minn > profit:
profit = price - minn
return profit |
coordinates_E0E1E1 = ((125, 117),
(125, 120), (126, 96), (126, 117), (126, 119), (126, 127), (127, 94), (127, 97), (127, 109), (127, 118), (127, 119), (127, 127), (128, 93), (128, 98), (128, 108), (128, 109), (128, 118), (128, 119), (129, 92), (129, 94), (129, 96), (129, 100), (129, 101), (129, 103), (129, 107), (129, 109), (129, 119), (130, 91), (130, 93), (130, 98), (130, 100), (130, 103), (130, 104), (130, 105), (130, 106), (130, 107), (130, 109), (130, 119), (130, 132), (131, 90), (131, 92), (131, 94), (131, 119), (131, 131), (131, 133), (132, 89), (132, 91), (132, 93), (132, 119), (132, 127), (132, 129), (132, 130), (132, 133), (133, 88), (133, 90), (133, 92), (133, 119), (133, 127), (133, 132), (134, 80), (134, 82), (134, 83), (134, 84), (134, 85), (134, 86), (134, 90), (134, 92), (134, 118), (134, 126), (134, 128), (134, 129), (134, 130), (134, 132),
(135, 80), (135, 84), (135, 85), (135, 86), (135, 87), (135, 88), (135, 89), (135, 90), (135, 92), (135, 117), (135, 118), (135, 126), (135, 128), (135, 129), (135, 131), (136, 80), (136, 82), (136, 90), (136, 93), (136, 101), (136, 103), (136, 104), (136, 117), (136, 118), (136, 126), (136, 128), (136, 130), (137, 79), (137, 80), (137, 91), (137, 93), (137, 100), (137, 103), (137, 104), (137, 105), (137, 106), (137, 107), (137, 118), (137, 119), (137, 125), (137, 126), (137, 127), (137, 128), (137, 130), (138, 79), (138, 91), (138, 94), (138, 101), (138, 106), (138, 110), (138, 119), (138, 120), (138, 125), (138, 127), (138, 129), (139, 90), (139, 92), (139, 94), (139, 101), (139, 107), (139, 111), (139, 120), (139, 121), (139, 125), (139, 128), (140, 90), (140, 92), (140, 93), (140, 95), (140, 102), (140, 108), (140, 110),
(140, 112), (140, 121), (140, 125), (140, 126), (140, 128), (141, 92), (141, 93), (141, 95), (141, 102), (141, 109), (141, 110), (141, 113), (141, 121), (141, 123), (141, 125), (141, 127), (141, 128), (142, 87), (142, 90), (142, 91), (142, 92), (142, 96), (142, 102), (142, 109), (142, 111), (142, 114), (142, 120), (142, 122), (142, 124), (142, 125), (142, 127), (142, 135), (143, 86), (143, 88), (143, 93), (143, 94), (143, 95), (143, 102), (143, 103), (143, 110), (143, 116), (143, 117), (143, 118), (143, 119), (143, 120), (143, 121), (143, 122), (143, 123), (143, 124), (143, 125), (143, 127), (143, 134), (144, 85), (144, 86), (144, 96), (144, 99), (144, 100), (144, 101), (144, 103), (144, 111), (144, 113), (144, 114), (144, 120), (144, 121), (144, 122), (144, 123), (144, 124), (144, 125), (144, 127), (144, 133), (144, 134), (145, 84),
(145, 98), (145, 100), (145, 103), (145, 115), (145, 117), (145, 118), (145, 119), (145, 120), (145, 121), (145, 122), (145, 123), (145, 124), (145, 125), (145, 127), (145, 132), (145, 133), (146, 83), (146, 102), (146, 103), (146, 116), (146, 118), (146, 119), (146, 120), (146, 121), (146, 122), (146, 123), (146, 124), (146, 125), (146, 126), (146, 127), (146, 129), (146, 130), (146, 133), (147, 116), (147, 118), (147, 119), (147, 120), (147, 121), (147, 122), (147, 123), (147, 124), (147, 125), (147, 126), (147, 127), (147, 128), (147, 133), (148, 116), (148, 118), (148, 119), (148, 120), (148, 121), (148, 122), (148, 123), (148, 124), (148, 125), (148, 126), (148, 127), (148, 128), (148, 129), (148, 130), (148, 131), (148, 133), (149, 116), (149, 118), (149, 119), (149, 120), (149, 121), (149, 122), (149, 123), (149, 124), (149, 125), (149, 126),
(149, 127), (149, 128), (149, 129), (149, 130), (149, 131), (149, 133), (150, 91), (150, 94), (150, 116), (150, 118), (150, 119), (150, 120), (150, 121), (150, 122), (150, 123), (150, 124), (150, 125), (150, 126), (150, 127), (150, 128), (150, 129), (150, 130), (150, 131), (150, 133), (151, 90), (151, 96), (151, 116), (151, 118), (151, 119), (151, 120), (151, 121), (151, 122), (151, 123), (151, 124), (151, 125), (151, 126), (151, 127), (151, 128), (151, 129), (151, 130), (151, 131), (151, 132), (151, 134), (152, 89), (152, 90), (152, 95), (152, 97), (152, 115), (152, 116), (152, 117), (152, 118), (152, 119), (152, 120), (152, 121), (152, 122), (152, 123), (152, 124), (152, 125), (152, 126), (152, 127), (152, 128), (152, 129), (152, 130), (152, 131), (152, 132), (152, 133), (152, 135), (153, 88), (153, 96), (153, 99), (153, 109), (153, 111),
(153, 112), (153, 113), (153, 114), (153, 115), (153, 116), (153, 117), (153, 118), (153, 119), (153, 120), (153, 121), (153, 122), (153, 123), (153, 124), (153, 125), (153, 126), (153, 127), (153, 128), (153, 129), (153, 130), (153, 131), (153, 132), (153, 133), (154, 88), (154, 89), (154, 97), (154, 101), (154, 103), (154, 114), (154, 116), (154, 117), (154, 118), (154, 119), (154, 120), (154, 121), (154, 122), (154, 123), (154, 124), (154, 125), (154, 126), (154, 127), (154, 128), (154, 129), (154, 130), (154, 131), (154, 132), (154, 133), (154, 134), (154, 137), (155, 88), (155, 89), (155, 99), (155, 104), (155, 105), (155, 106), (155, 109), (155, 112), (155, 115), (155, 117), (155, 118), (155, 119), (155, 120), (155, 121), (155, 122), (155, 123), (155, 124), (155, 125), (155, 126), (155, 127), (155, 128), (155, 129), (155, 130), (155, 131),
(155, 132), (155, 133), (155, 134), (155, 138), (156, 89), (156, 100), (156, 103), (156, 107), (156, 108), (156, 111), (156, 116), (156, 118), (156, 119), (156, 120), (156, 121), (156, 122), (156, 123), (156, 124), (156, 125), (156, 126), (156, 127), (156, 128), (156, 129), (156, 130), (156, 131), (156, 132), (156, 133), (156, 135), (156, 139), (156, 141), (156, 143), (157, 102), (157, 104), (157, 105), (157, 106), (157, 107), (157, 109), (157, 117), (157, 119), (157, 120), (157, 121), (157, 122), (157, 123), (157, 124), (157, 125), (157, 126), (157, 130), (157, 131), (157, 132), (157, 134), (157, 140), (157, 142), (158, 103), (158, 105), (158, 106), (158, 108), (158, 117), (158, 119), (158, 120), (158, 121), (158, 122), (158, 123), (158, 124), (158, 127), (158, 128), (158, 129), (158, 131), (158, 133), (158, 140), (158, 142), (159, 103), (159, 105),
(159, 107), (159, 117), (159, 119), (159, 120), (159, 121), (159, 122), (159, 123), (159, 126), (159, 130), (159, 131), (159, 133), (159, 141), (160, 103), (160, 105), (160, 107), (160, 117), (160, 119), (160, 120), (160, 121), (160, 122), (160, 124), (160, 131), (160, 133), (160, 141), (161, 103), (161, 105), (161, 107), (161, 117), (161, 119), (161, 120), (161, 121), (161, 123), (161, 131), (161, 133), (161, 142), (162, 103), (162, 106), (162, 117), (162, 119), (162, 120), (162, 122), (162, 131), (162, 133), (162, 142), (163, 103), (163, 106), (163, 116), (163, 118), (163, 119), (163, 121), (163, 130), (163, 133), (164, 103), (164, 106), (164, 116), (164, 118), (164, 120), (164, 130), (164, 133), (165, 116), (165, 119), (165, 133), (165, 134), (166, 116), (166, 118), (166, 134), (167, 116), (167, 117), (168, 116), )
coordinates_E1E1E1 = ((77, 117),
(77, 119), (78, 135), (78, 136), (79, 105), (79, 106), (79, 119), (79, 135), (79, 136), (80, 105), (80, 106), (80, 119), (80, 134), (80, 135), (81, 106), (81, 120), (81, 134), (81, 135), (82, 106), (82, 134), (82, 135), (83, 106), (83, 107), (83, 121), (83, 134), (83, 135), (84, 106), (84, 107), (84, 122), (84, 134), (84, 135), (85, 106), (85, 107), (85, 122), (85, 123), (85, 134), (85, 135), (86, 105), (86, 108), (86, 122), (86, 124), (86, 134), (86, 135), (86, 141), (87, 104), (87, 106), (87, 107), (87, 109), (87, 122), (87, 125), (87, 133), (87, 135), (87, 136), (87, 139), (87, 141), (88, 99), (88, 100), (88, 104), (88, 106), (88, 107), (88, 108), (88, 111), (88, 112), (88, 113), (88, 114), (88, 115), (88, 116), (88, 121), (88, 122), (88, 123), (88, 126), (88, 132), (88, 134),
(88, 135), (88, 138), (88, 141), (89, 90), (89, 98), (89, 104), (89, 105), (89, 106), (89, 109), (89, 110), (89, 111), (89, 117), (89, 118), (89, 119), (89, 122), (89, 123), (89, 124), (89, 127), (89, 128), (89, 131), (89, 133), (89, 134), (89, 135), (89, 136), (89, 137), (90, 88), (90, 91), (90, 97), (90, 99), (90, 100), (90, 102), (90, 104), (90, 107), (90, 108), (90, 112), (90, 115), (90, 116), (90, 121), (90, 122), (90, 123), (90, 124), (90, 125), (90, 126), (90, 129), (90, 132), (90, 133), (90, 134), (90, 135), (90, 136), (90, 139), (90, 140), (90, 141), (90, 142), (90, 144), (91, 87), (91, 90), (91, 91), (91, 96), (91, 98), (91, 99), (91, 100), (91, 101), (91, 103), (91, 106), (91, 114), (91, 116), (91, 117), (91, 118), (91, 119), (91, 120), (91, 121), (91, 122),
(91, 123), (91, 124), (91, 125), (91, 126), (91, 127), (91, 128), (91, 131), (91, 132), (91, 133), (91, 134), (91, 135), (91, 137), (91, 138), (92, 86), (92, 90), (92, 91), (92, 93), (92, 94), (92, 99), (92, 100), (92, 101), (92, 102), (92, 105), (92, 115), (92, 117), (92, 118), (92, 119), (92, 120), (92, 121), (92, 122), (92, 123), (92, 124), (92, 125), (92, 126), (92, 127), (92, 128), (92, 129), (92, 130), (92, 131), (92, 132), (92, 133), (92, 134), (92, 135), (93, 86), (93, 88), (93, 91), (93, 96), (93, 97), (93, 98), (93, 103), (93, 116), (93, 118), (93, 119), (93, 120), (93, 121), (93, 122), (93, 123), (93, 124), (93, 125), (93, 126), (93, 127), (93, 128), (93, 129), (93, 130), (93, 131), (93, 132), (93, 133), (93, 135), (94, 90), (94, 92), (94, 94), (94, 100),
(94, 102), (94, 116), (94, 118), (94, 119), (94, 120), (94, 121), (94, 122), (94, 123), (94, 124), (94, 125), (94, 126), (94, 127), (94, 128), (94, 129), (94, 130), (94, 131), (94, 132), (94, 133), (94, 134), (94, 135), (95, 91), (95, 93), (95, 115), (95, 117), (95, 118), (95, 119), (95, 120), (95, 121), (95, 122), (95, 123), (95, 124), (95, 125), (95, 126), (95, 127), (95, 128), (95, 129), (95, 130), (95, 131), (95, 132), (95, 134), (96, 92), (96, 111), (96, 112), (96, 114), (96, 115), (96, 116), (96, 117), (96, 118), (96, 119), (96, 120), (96, 121), (96, 122), (96, 123), (96, 124), (96, 128), (96, 129), (96, 130), (96, 131), (96, 132), (96, 133), (96, 135), (97, 111), (97, 113), (97, 115), (97, 116), (97, 117), (97, 118), (97, 119), (97, 120), (97, 121), (97, 122), (97, 123),
(97, 124), (97, 125), (97, 126), (97, 128), (97, 129), (97, 130), (97, 131), (97, 132), (97, 133), (97, 135), (98, 110), (98, 112), (98, 113), (98, 114), (98, 115), (98, 116), (98, 117), (98, 118), (98, 119), (98, 120), (98, 121), (98, 122), (98, 124), (98, 128), (98, 130), (98, 131), (98, 132), (98, 133), (98, 134), (98, 136), (99, 109), (99, 111), (99, 112), (99, 113), (99, 114), (99, 115), (99, 116), (99, 117), (99, 118), (99, 119), (99, 120), (99, 121), (99, 123), (99, 128), (99, 130), (99, 131), (99, 132), (99, 133), (99, 134), (99, 135), (99, 137), (100, 115), (100, 116), (100, 117), (100, 118), (100, 119), (100, 120), (100, 122), (100, 129), (100, 131), (100, 132), (100, 133), (100, 134), (100, 135), (100, 136), (100, 138), (101, 81), (101, 101), (101, 103), (101, 104), (101, 105), (101, 106),
(101, 109), (101, 110), (101, 111), (101, 112), (101, 113), (101, 114), (101, 117), (101, 118), (101, 119), (101, 120), (101, 122), (101, 129), (101, 131), (101, 132), (101, 133), (101, 134), (101, 135), (101, 136), (101, 137), (101, 139), (102, 82), (102, 100), (102, 106), (102, 107), (102, 115), (102, 116), (102, 118), (102, 119), (102, 120), (102, 123), (102, 128), (102, 133), (102, 134), (102, 135), (102, 136), (102, 138), (103, 82), (103, 85), (103, 87), (103, 99), (103, 104), (103, 117), (103, 119), (103, 122), (103, 125), (103, 127), (103, 130), (103, 131), (103, 134), (103, 135), (103, 137), (104, 83), (104, 87), (104, 99), (104, 102), (104, 118), (104, 120), (104, 126), (104, 128), (104, 133), (104, 135), (104, 137), (105, 83), (105, 85), (105, 87), (105, 98), (105, 100), (105, 119), (105, 127), (105, 134), (105, 137), (106, 84),
(106, 86), (106, 97), (106, 99), (106, 119), (106, 127), (106, 135), (106, 136), (107, 84), (107, 86), (107, 96), (107, 98), (107, 118), (107, 127), (108, 85), (108, 86), (108, 95), (108, 97), (108, 118), (108, 126), (108, 127), (109, 85), (109, 87), (109, 92), (109, 97), (109, 117), (109, 126), (109, 128), (110, 85), (110, 88), (110, 89), (110, 90), (110, 95), (110, 97), (110, 116), (110, 117), (110, 125), (110, 128), (111, 84), (111, 86), (111, 87), (111, 97), (111, 98), (111, 115), (111, 117), (111, 125), (111, 128), (112, 84), (112, 86), (112, 87), (112, 90), (112, 91), (112, 92), (112, 93), (112, 94), (112, 95), (112, 100), (112, 102), (112, 114), (112, 116), (112, 124), (112, 128), (113, 84), (113, 86), (113, 87), (113, 88), (113, 97), (113, 102), (113, 113), (113, 115), (113, 124), (113, 126), (113, 128),
(114, 84), (114, 86), (114, 87), (114, 99), (114, 100), (114, 102), (114, 113), (114, 114), (114, 123), (114, 129), (115, 83), (115, 86), (115, 99), (115, 102), (115, 113), (115, 122), (115, 123), (115, 129), (116, 83), (116, 85), (116, 87), (116, 99), (116, 102), (116, 113), (116, 122), (116, 130), (117, 83), (117, 87), (117, 101), (117, 103), (117, 113), (117, 121), (118, 83), (118, 85), (118, 86), (118, 88), (118, 98), (118, 102), (118, 113), (119, 88), (119, 101), (119, 112), (119, 113), (120, 113), )
coordinates_771286 = ((143, 124),
(144, 124), (145, 125), (146, 125), )
coordinates_781286 = ((99, 126),
(100, 125), (101, 125), (101, 126), )
coordinates_DCF8A4 = ((93, 155),
(95, 155), (96, 155), (97, 155), (97, 156), (98, 156), (99, 156), (100, 156), (100, 163), (101, 156), (101, 163), (102, 156), (102, 163), (103, 156), (103, 163), (104, 156), (104, 162), (104, 163), (105, 156), (105, 162), (106, 156), (106, 162), (107, 156), (107, 161), (107, 162), (108, 155), (108, 161), (108, 162), (109, 155), (109, 161), (109, 162), (110, 155), (110, 160), (110, 163), (111, 155), (111, 160), (111, 163), (112, 155), (112, 159), (112, 161), (112, 163), (113, 154), (113, 159), (113, 162), (114, 154), (114, 158), (114, 161), (115, 154), (115, 158), (115, 159), (116, 154), (116, 157), (116, 158), (117, 154), (117, 156), (118, 154), (118, 156), (119, 154), (119, 155), )
coordinates_DBF8A4 = ((131, 155),
(131, 157), (132, 154), (132, 157), (132, 158), (133, 158), (133, 160), (134, 159), (134, 161), (135, 159), (135, 162), (136, 154), (136, 160), (136, 163), (137, 154), (137, 160), (137, 162), (137, 164), (138, 155), (138, 160), (138, 162), (138, 164), (139, 155), (139, 161), (139, 164), (140, 155), (140, 161), (140, 164), (141, 155), (141, 161), (141, 163), (142, 155), (142, 163), (143, 155), (143, 162), (144, 162), (145, 162), (146, 155), (147, 155), (147, 163), (148, 155), (148, 163), (149, 163), (150, 154), (151, 154), (155, 164), (156, 164), (157, 164), )
coordinates_60CC60 = ((78, 155),
(78, 158), (79, 154), (79, 160), (80, 152), (80, 153), (80, 155), (80, 156), (80, 157), (80, 158), (80, 162), (80, 163), (81, 152), (81, 154), (81, 155), (81, 156), (81, 157), (81, 158), (81, 159), (81, 160), (81, 161), (81, 164), (81, 165), (82, 152), (82, 154), (82, 155), (82, 156), (82, 157), (82, 158), (82, 159), (82, 160), (82, 161), (82, 162), (82, 163), (82, 166), (83, 151), (83, 152), (83, 153), (83, 154), (83, 155), (83, 156), (83, 157), (83, 158), (83, 159), (83, 160), (83, 161), (83, 162), (83, 163), (83, 164), (83, 165), (83, 168), (84, 151), (84, 153), (84, 154), (84, 155), (84, 156), (84, 157), (84, 158), (84, 159), (84, 160), (84, 161), (84, 162), (84, 163), (84, 164), (84, 165), (84, 166), (84, 169), (85, 151), (85, 153), (85, 154), (85, 155), (85, 156), (85, 157),
(85, 158), (85, 159), (85, 160), (85, 161), (85, 162), (85, 163), (85, 164), (85, 165), (85, 166), (85, 167), (85, 168), (85, 170), (86, 151), (86, 153), (86, 154), (86, 155), (86, 156), (86, 157), (86, 158), (86, 159), (86, 160), (86, 161), (86, 162), (86, 163), (86, 164), (86, 165), (86, 166), (86, 167), (86, 168), (86, 169), (86, 171), (87, 151), (87, 153), (87, 154), (87, 155), (87, 156), (87, 157), (87, 158), (87, 159), (87, 160), (87, 161), (87, 162), (87, 163), (87, 164), (87, 165), (87, 166), (87, 167), (87, 168), (87, 169), (87, 170), (87, 172), (88, 151), (88, 153), (88, 154), (88, 156), (88, 157), (88, 158), (88, 159), (88, 160), (88, 161), (88, 162), (88, 163), (88, 164), (88, 165), (88, 166), (88, 167), (88, 168), (88, 169), (88, 170), (88, 171), (88, 173), (89, 150),
(89, 152), (89, 153), (89, 154), (89, 157), (89, 158), (89, 159), (89, 160), (89, 161), (89, 162), (89, 163), (89, 164), (89, 165), (89, 166), (89, 167), (89, 168), (89, 169), (89, 170), (89, 171), (89, 173), (90, 150), (90, 152), (90, 153), (90, 157), (90, 158), (90, 159), (90, 160), (90, 161), (90, 162), (90, 163), (90, 164), (90, 165), (90, 166), (90, 167), (90, 168), (90, 169), (90, 170), (90, 171), (90, 173), (91, 150), (91, 152), (91, 153), (91, 154), (91, 157), (91, 159), (91, 160), (91, 161), (91, 162), (91, 163), (91, 164), (91, 165), (91, 166), (91, 167), (91, 168), (91, 169), (91, 170), (91, 171), (91, 173), (92, 149), (92, 151), (92, 153), (92, 157), (92, 159), (92, 160), (92, 161), (92, 162), (92, 163), (92, 164), (92, 165), (92, 166), (92, 167), (92, 168), (92, 169),
(92, 170), (92, 171), (92, 172), (92, 174), (93, 149), (93, 151), (93, 153), (93, 157), (93, 159), (93, 160), (93, 161), (93, 162), (93, 163), (93, 164), (93, 165), (93, 166), (93, 167), (93, 168), (93, 169), (93, 170), (93, 171), (93, 172), (93, 173), (93, 174), (93, 175), (94, 148), (94, 150), (94, 151), (94, 153), (94, 157), (94, 159), (94, 160), (94, 161), (94, 162), (94, 163), (94, 164), (94, 165), (94, 166), (94, 167), (94, 168), (94, 169), (94, 170), (94, 171), (94, 172), (94, 173), (94, 176), (95, 148), (95, 150), (95, 151), (95, 153), (95, 157), (95, 159), (95, 160), (95, 161), (95, 162), (95, 163), (95, 164), (95, 165), (95, 166), (95, 167), (95, 168), (95, 169), (95, 170), (95, 171), (95, 172), (95, 173), (95, 174), (95, 176), (96, 148), (96, 150), (96, 151), (96, 153),
(96, 158), (96, 160), (96, 161), (96, 162), (96, 165), (96, 166), (96, 167), (96, 168), (96, 169), (96, 170), (96, 171), (96, 172), (96, 173), (96, 174), (96, 175), (96, 176), (97, 148), (97, 150), (97, 151), (97, 153), (97, 158), (97, 160), (97, 161), (97, 164), (97, 165), (97, 166), (97, 167), (97, 168), (97, 169), (97, 170), (97, 171), (97, 172), (97, 173), (97, 174), (97, 175), (97, 177), (98, 147), (98, 149), (98, 150), (98, 151), (98, 153), (98, 158), (98, 160), (98, 162), (98, 165), (98, 167), (98, 168), (98, 169), (98, 170), (98, 171), (98, 172), (98, 173), (98, 174), (98, 175), (98, 177), (99, 147), (99, 149), (99, 150), (99, 151), (99, 153), (99, 158), (99, 161), (99, 165), (99, 167), (99, 168), (99, 169), (99, 170), (99, 171), (99, 172), (99, 173), (99, 174), (99, 175),
(99, 177), (100, 146), (100, 148), (100, 149), (100, 150), (100, 151), (100, 153), (100, 158), (100, 161), (100, 165), (100, 167), (100, 168), (100, 169), (100, 170), (100, 171), (100, 172), (100, 173), (100, 174), (100, 175), (100, 177), (101, 146), (101, 147), (101, 148), (101, 149), (101, 150), (101, 151), (101, 152), (101, 154), (101, 158), (101, 161), (101, 165), (101, 167), (101, 168), (101, 169), (101, 170), (101, 171), (101, 172), (101, 173), (101, 174), (101, 175), (101, 176), (101, 178), (102, 145), (102, 147), (102, 148), (102, 149), (102, 150), (102, 151), (102, 152), (102, 154), (102, 158), (102, 161), (102, 165), (102, 167), (102, 168), (102, 169), (102, 170), (102, 171), (102, 172), (102, 173), (102, 174), (102, 175), (102, 176), (102, 178), (103, 145), (103, 147), (103, 148), (103, 149), (103, 150), (103, 151), (103, 152), (103, 154),
(103, 158), (103, 160), (103, 165), (103, 167), (103, 168), (103, 169), (103, 170), (103, 171), (103, 172), (103, 173), (103, 174), (103, 175), (103, 177), (104, 144), (104, 146), (104, 147), (104, 148), (104, 149), (104, 150), (104, 151), (104, 152), (104, 154), (104, 158), (104, 160), (104, 165), (104, 167), (104, 168), (104, 169), (104, 170), (104, 171), (104, 172), (104, 173), (104, 174), (104, 175), (104, 177), (105, 144), (105, 146), (105, 147), (105, 148), (105, 149), (105, 150), (105, 151), (105, 152), (105, 154), (105, 158), (105, 160), (105, 165), (105, 167), (105, 168), (105, 169), (105, 170), (105, 171), (105, 172), (105, 173), (105, 174), (105, 175), (105, 177), (106, 144), (106, 146), (106, 147), (106, 148), (106, 149), (106, 150), (106, 151), (106, 152), (106, 154), (106, 158), (106, 159), (106, 165), (106, 167), (106, 168), (106, 169),
(106, 170), (106, 171), (106, 172), (106, 173), (106, 174), (106, 175), (106, 177), (107, 143), (107, 145), (107, 146), (107, 147), (107, 148), (107, 149), (107, 150), (107, 151), (107, 153), (107, 158), (107, 159), (107, 164), (107, 166), (107, 167), (107, 168), (107, 169), (107, 170), (107, 171), (107, 172), (107, 173), (107, 174), (107, 175), (107, 177), (108, 143), (108, 144), (108, 145), (108, 146), (108, 147), (108, 148), (108, 149), (108, 150), (108, 151), (108, 153), (108, 158), (108, 159), (108, 164), (108, 166), (108, 167), (108, 168), (108, 169), (108, 170), (108, 171), (108, 172), (108, 173), (108, 174), (108, 176), (109, 142), (109, 144), (109, 145), (109, 146), (109, 147), (109, 148), (109, 149), (109, 150), (109, 151), (109, 153), (109, 158), (109, 165), (109, 167), (109, 168), (109, 169), (109, 170), (109, 171), (109, 172), (109, 173),
(109, 174), (109, 176), (110, 141), (110, 143), (110, 144), (110, 145), (110, 146), (110, 147), (110, 148), (110, 149), (110, 150), (110, 151), (110, 153), (110, 157), (110, 158), (110, 165), (110, 167), (110, 168), (110, 169), (110, 170), (110, 171), (110, 172), (110, 173), (110, 174), (110, 175), (110, 176), (111, 141), (111, 143), (111, 144), (111, 145), (111, 146), (111, 147), (111, 148), (111, 149), (111, 150), (111, 152), (111, 157), (111, 165), (111, 167), (111, 168), (111, 169), (111, 170), (111, 171), (111, 172), (111, 173), (111, 174), (111, 175), (111, 176), (112, 140), (112, 142), (112, 143), (112, 144), (112, 145), (112, 146), (112, 147), (112, 148), (112, 149), (112, 150), (112, 152), (112, 157), (112, 165), (112, 167), (112, 168), (112, 169), (112, 170), (112, 171), (112, 172), (112, 173), (112, 174), (112, 175), (112, 176), (113, 140),
(113, 142), (113, 143), (113, 144), (113, 145), (113, 146), (113, 147), (113, 148), (113, 149), (113, 150), (113, 152), (113, 157), (113, 165), (113, 167), (113, 168), (113, 169), (113, 170), (113, 171), (113, 172), (113, 173), (113, 175), (114, 139), (114, 141), (114, 142), (114, 143), (114, 144), (114, 145), (114, 146), (114, 147), (114, 148), (114, 149), (114, 150), (114, 152), (114, 156), (114, 164), (114, 166), (114, 167), (114, 168), (114, 169), (114, 170), (114, 171), (114, 172), (114, 173), (114, 175), (115, 138), (115, 141), (115, 142), (115, 143), (115, 144), (115, 145), (115, 146), (115, 147), (115, 148), (115, 149), (115, 151), (115, 165), (115, 166), (115, 167), (115, 168), (115, 169), (115, 170), (115, 171), (115, 172), (115, 173), (115, 175), (116, 138), (116, 143), (116, 144), (116, 145), (116, 146), (116, 147), (116, 148), (116, 149),
(116, 151), (116, 161), (116, 164), (116, 165), (116, 166), (116, 167), (116, 168), (116, 169), (116, 170), (116, 171), (116, 172), (116, 174), (117, 141), (117, 143), (117, 144), (117, 145), (117, 146), (117, 147), (117, 148), (117, 152), (117, 159), (117, 162), (117, 163), (117, 164), (117, 165), (117, 166), (117, 167), (117, 168), (117, 169), (117, 170), (117, 171), (117, 172), (117, 174), (118, 143), (118, 145), (118, 146), (118, 147), (118, 148), (118, 149), (118, 150), (118, 152), (118, 158), (118, 161), (118, 162), (118, 163), (118, 164), (118, 165), (118, 166), (118, 167), (118, 168), (118, 169), (118, 170), (118, 171), (118, 172), (118, 174), (119, 152), (119, 158), (119, 161), (119, 162), (119, 163), (119, 164), (119, 165), (119, 166), (119, 167), (119, 168), (119, 169), (119, 170), (119, 171), (119, 173), (120, 160), (120, 164), (120, 165),
(120, 166), (120, 167), (120, 168), (120, 173), (121, 160), (121, 162), (121, 169), (121, 170), (121, 172), (122, 164), (122, 166), (122, 167), )
coordinates_5FCC60 = ((125, 164),
(125, 165), (126, 161), (126, 163), (126, 167), (126, 168), (127, 153), (127, 154), (127, 155), (127, 156), (127, 157), (127, 158), (127, 159), (127, 164), (127, 165), (127, 168), (128, 149), (128, 151), (128, 152), (128, 161), (128, 162), (128, 163), (128, 164), (128, 165), (128, 166), (128, 167), (128, 172), (129, 147), (129, 153), (129, 154), (129, 155), (129, 156), (129, 157), (129, 158), (129, 159), (129, 160), (129, 161), (129, 162), (129, 163), (129, 164), (129, 165), (129, 166), (129, 167), (129, 168), (129, 170), (129, 172), (130, 146), (130, 149), (130, 150), (130, 151), (130, 152), (130, 153), (130, 154), (130, 155), (130, 156), (130, 157), (130, 158), (130, 159), (130, 160), (130, 161), (130, 162), (130, 163), (130, 164), (130, 165), (130, 166), (130, 167), (130, 168), (130, 169), (130, 173), (131, 144), (131, 147), (131, 148), (131, 149),
(131, 150), (131, 151), (131, 152), (131, 153), (131, 154), (131, 155), (131, 156), (131, 157), (131, 158), (131, 159), (131, 160), (131, 161), (131, 162), (131, 163), (131, 164), (131, 165), (131, 166), (131, 167), (131, 168), (131, 169), (131, 170), (131, 171), (131, 173), (132, 142), (132, 146), (132, 147), (132, 148), (132, 149), (132, 150), (132, 151), (132, 152), (132, 153), (132, 154), (132, 155), (132, 156), (132, 157), (132, 158), (132, 159), (132, 160), (132, 161), (132, 162), (132, 163), (132, 164), (132, 165), (132, 166), (132, 167), (132, 168), (132, 169), (132, 170), (132, 171), (132, 172), (132, 174), (133, 140), (133, 144), (133, 145), (133, 146), (133, 147), (133, 148), (133, 149), (133, 150), (133, 151), (133, 152), (133, 153), (133, 154), (133, 155), (133, 156), (133, 157), (133, 158), (133, 159), (133, 160), (133, 161), (133, 162),
(133, 163), (133, 164), (133, 165), (133, 166), (133, 167), (133, 168), (133, 169), (133, 170), (133, 171), (133, 172), (133, 174), (134, 140), (134, 142), (134, 143), (134, 144), (134, 145), (134, 146), (134, 147), (134, 148), (134, 149), (134, 150), (134, 151), (134, 152), (134, 153), (134, 154), (134, 155), (134, 156), (134, 157), (134, 158), (134, 159), (134, 160), (134, 161), (134, 162), (134, 163), (134, 164), (134, 165), (134, 166), (134, 167), (134, 168), (134, 169), (134, 170), (134, 171), (134, 172), (134, 174), (135, 141), (135, 143), (135, 144), (135, 145), (135, 146), (135, 147), (135, 148), (135, 149), (135, 150), (135, 151), (135, 152), (135, 153), (135, 154), (135, 155), (135, 156), (135, 157), (135, 158), (135, 159), (135, 160), (135, 161), (135, 162), (135, 163), (135, 164), (135, 165), (135, 166), (135, 167), (135, 168), (135, 169),
(135, 170), (135, 171), (135, 172), (135, 173), (135, 175), (136, 142), (136, 144), (136, 145), (136, 146), (136, 147), (136, 148), (136, 149), (136, 150), (136, 151), (136, 152), (136, 153), (136, 154), (136, 155), (136, 156), (136, 157), (136, 158), (136, 159), (136, 160), (136, 161), (136, 162), (136, 163), (136, 164), (136, 165), (136, 166), (136, 167), (136, 168), (136, 169), (136, 170), (136, 171), (136, 172), (136, 173), (136, 175), (137, 142), (137, 144), (137, 145), (137, 146), (137, 147), (137, 148), (137, 149), (137, 150), (137, 151), (137, 152), (137, 153), (137, 154), (137, 155), (137, 156), (137, 157), (137, 158), (137, 159), (137, 160), (137, 161), (137, 162), (137, 163), (137, 164), (137, 165), (137, 166), (137, 167), (137, 168), (137, 169), (137, 170), (137, 171), (137, 172), (137, 173), (137, 175), (138, 142), (138, 144), (138, 145),
(138, 146), (138, 147), (138, 148), (138, 149), (138, 150), (138, 151), (138, 152), (138, 153), (138, 154), (138, 155), (138, 156), (138, 157), (138, 158), (138, 159), (138, 160), (138, 161), (138, 162), (138, 163), (138, 164), (138, 165), (138, 166), (138, 167), (138, 168), (138, 169), (138, 170), (138, 171), (138, 172), (138, 173), (138, 174), (138, 176), (139, 143), (139, 145), (139, 146), (139, 147), (139, 148), (139, 149), (139, 150), (139, 151), (139, 152), (139, 153), (139, 154), (139, 155), (139, 156), (139, 157), (139, 158), (139, 159), (139, 160), (139, 161), (139, 162), (139, 163), (139, 164), (139, 165), (139, 166), (139, 167), (139, 168), (139, 169), (139, 170), (139, 171), (139, 172), (139, 173), (139, 174), (139, 176), (140, 143), (140, 145), (140, 146), (140, 147), (140, 148), (140, 149), (140, 150), (140, 151), (140, 152), (140, 153),
(140, 154), (140, 155), (140, 156), (140, 157), (140, 158), (140, 159), (140, 160), (140, 161), (140, 162), (140, 163), (140, 164), (140, 165), (140, 166), (140, 167), (140, 168), (140, 169), (140, 170), (140, 171), (140, 172), (140, 173), (140, 174), (140, 176), (141, 143), (141, 145), (141, 146), (141, 147), (141, 148), (141, 149), (141, 150), (141, 151), (141, 152), (141, 153), (141, 154), (141, 155), (141, 156), (141, 157), (141, 158), (141, 159), (141, 160), (141, 161), (141, 162), (141, 163), (141, 164), (141, 165), (141, 166), (141, 167), (141, 168), (141, 169), (141, 170), (141, 171), (141, 172), (141, 173), (141, 174), (141, 176), (142, 143), (142, 145), (142, 146), (142, 147), (142, 148), (142, 149), (142, 150), (142, 151), (142, 152), (142, 153), (142, 154), (142, 155), (142, 156), (142, 157), (142, 158), (142, 159), (142, 160), (142, 161),
(142, 162), (142, 163), (142, 164), (142, 165), (142, 166), (142, 167), (142, 168), (142, 169), (142, 170), (142, 171), (142, 172), (142, 173), (142, 174), (142, 176), (143, 144), (143, 146), (143, 147), (143, 148), (143, 149), (143, 150), (143, 151), (143, 152), (143, 153), (143, 154), (143, 155), (143, 156), (143, 157), (143, 158), (143, 159), (143, 160), (143, 161), (143, 162), (143, 163), (143, 164), (143, 165), (143, 166), (143, 167), (143, 168), (143, 169), (143, 170), (143, 171), (143, 172), (143, 173), (143, 174), (143, 175), (143, 177), (144, 144), (144, 146), (144, 147), (144, 148), (144, 149), (144, 150), (144, 151), (144, 152), (144, 153), (144, 154), (144, 155), (144, 156), (144, 157), (144, 158), (144, 159), (144, 160), (144, 161), (144, 162), (144, 163), (144, 164), (144, 165), (144, 166), (144, 167), (144, 168), (144, 169), (144, 170),
(144, 171), (144, 172), (144, 173), (144, 174), (144, 175), (144, 177), (145, 144), (145, 146), (145, 147), (145, 148), (145, 149), (145, 150), (145, 151), (145, 152), (145, 153), (145, 154), (145, 155), (145, 156), (145, 157), (145, 158), (145, 159), (145, 160), (145, 161), (145, 162), (145, 163), (145, 164), (145, 165), (145, 166), (145, 167), (145, 168), (145, 169), (145, 170), (145, 171), (145, 172), (145, 173), (145, 174), (145, 175), (145, 177), (146, 145), (146, 147), (146, 148), (146, 149), (146, 150), (146, 151), (146, 152), (146, 153), (146, 154), (146, 155), (146, 156), (146, 157), (146, 158), (146, 159), (146, 160), (146, 161), (146, 162), (146, 163), (146, 164), (146, 165), (146, 166), (146, 167), (146, 168), (146, 169), (146, 170), (146, 171), (146, 172), (146, 173), (146, 174), (146, 175), (146, 177), (147, 145), (147, 147), (147, 148),
(147, 149), (147, 150), (147, 151), (147, 152), (147, 153), (147, 154), (147, 155), (147, 156), (147, 157), (147, 158), (147, 159), (147, 160), (147, 161), (147, 162), (147, 163), (147, 164), (147, 165), (147, 166), (147, 167), (147, 168), (147, 169), (147, 170), (147, 171), (147, 172), (147, 173), (147, 174), (147, 176), (148, 145), (148, 147), (148, 148), (148, 149), (148, 150), (148, 151), (148, 152), (148, 153), (148, 154), (148, 155), (148, 156), (148, 157), (148, 158), (148, 159), (148, 160), (148, 161), (148, 162), (148, 163), (148, 164), (148, 165), (148, 166), (148, 167), (148, 168), (148, 169), (148, 170), (148, 171), (148, 172), (148, 173), (148, 174), (148, 176), (149, 145), (149, 147), (149, 148), (149, 149), (149, 150), (149, 151), (149, 152), (149, 153), (149, 154), (149, 155), (149, 156), (149, 157), (149, 158), (149, 159), (149, 160),
(149, 161), (149, 162), (149, 163), (149, 164), (149, 165), (149, 166), (149, 167), (149, 168), (149, 169), (149, 170), (149, 171), (149, 172), (149, 173), (149, 174), (149, 176), (150, 146), (150, 148), (150, 149), (150, 150), (150, 151), (150, 152), (150, 153), (150, 154), (150, 155), (150, 156), (150, 157), (150, 158), (150, 159), (150, 160), (150, 161), (150, 162), (150, 163), (150, 164), (150, 165), (150, 166), (150, 167), (150, 168), (150, 169), (150, 170), (150, 171), (150, 172), (150, 173), (150, 174), (150, 176), (151, 146), (151, 148), (151, 149), (151, 150), (151, 151), (151, 152), (151, 153), (151, 154), (151, 155), (151, 156), (151, 157), (151, 158), (151, 159), (151, 160), (151, 161), (151, 162), (151, 163), (151, 164), (151, 165), (151, 166), (151, 167), (151, 168), (151, 169), (151, 170), (151, 171), (151, 172), (151, 173), (151, 174),
(151, 176), (152, 147), (152, 149), (152, 150), (152, 151), (152, 152), (152, 153), (152, 154), (152, 155), (152, 156), (152, 157), (152, 158), (152, 159), (152, 160), (152, 161), (152, 162), (152, 163), (152, 164), (152, 165), (152, 166), (152, 167), (152, 168), (152, 169), (152, 170), (152, 171), (152, 172), (152, 173), (152, 174), (152, 176), (153, 147), (153, 149), (153, 150), (153, 151), (153, 152), (153, 153), (153, 154), (153, 155), (153, 156), (153, 157), (153, 158), (153, 159), (153, 160), (153, 161), (153, 162), (153, 163), (153, 164), (153, 165), (153, 166), (153, 167), (153, 168), (153, 169), (153, 170), (153, 171), (153, 172), (153, 173), (153, 174), (153, 176), (154, 147), (154, 149), (154, 150), (154, 151), (154, 152), (154, 153), (154, 154), (154, 155), (154, 156), (154, 157), (154, 158), (154, 159), (154, 160), (154, 161), (154, 162),
(154, 163), (154, 164), (154, 165), (154, 166), (154, 167), (154, 168), (154, 169), (154, 170), (154, 171), (154, 172), (154, 173), (154, 175), (155, 147), (155, 149), (155, 150), (155, 151), (155, 152), (155, 153), (155, 154), (155, 155), (155, 156), (155, 157), (155, 158), (155, 159), (155, 160), (155, 161), (155, 162), (155, 163), (155, 164), (155, 165), (155, 166), (155, 167), (155, 168), (155, 169), (155, 170), (155, 171), (155, 172), (155, 173), (155, 175), (156, 147), (156, 149), (156, 150), (156, 151), (156, 152), (156, 153), (156, 154), (156, 155), (156, 156), (156, 157), (156, 158), (156, 159), (156, 160), (156, 161), (156, 162), (156, 163), (156, 164), (156, 165), (156, 166), (156, 167), (156, 168), (156, 169), (156, 170), (156, 171), (156, 172), (156, 174), (157, 147), (157, 149), (157, 150), (157, 151), (157, 152), (157, 153), (157, 154),
(157, 155), (157, 156), (157, 157), (157, 158), (157, 159), (157, 160), (157, 161), (157, 162), (157, 163), (157, 164), (157, 165), (157, 166), (157, 167), (157, 168), (157, 169), (157, 170), (157, 171), (157, 173), (158, 147), (158, 149), (158, 150), (158, 151), (158, 152), (158, 153), (158, 154), (158, 155), (158, 156), (158, 157), (158, 158), (158, 159), (158, 160), (158, 161), (158, 162), (158, 163), (158, 164), (158, 165), (158, 166), (158, 167), (158, 168), (158, 169), (158, 170), (158, 171), (158, 173), (159, 148), (159, 150), (159, 151), (159, 152), (159, 153), (159, 154), (159, 155), (159, 156), (159, 157), (159, 158), (159, 159), (159, 160), (159, 161), (159, 162), (159, 163), (159, 164), (159, 165), (159, 166), (159, 167), (159, 168), (159, 169), (159, 170), (159, 172), (160, 148), (160, 150), (160, 151), (160, 152), (160, 153), (160, 154),
(160, 155), (160, 156), (160, 157), (160, 158), (160, 159), (160, 160), (160, 161), (160, 162), (160, 163), (160, 164), (160, 165), (160, 166), (160, 167), (160, 168), (160, 169), (160, 170), (160, 172), (161, 148), (161, 150), (161, 151), (161, 152), (161, 153), (161, 154), (161, 155), (161, 156), (161, 157), (161, 158), (161, 159), (161, 160), (161, 161), (161, 162), (161, 163), (161, 164), (161, 165), (161, 166), (161, 167), (161, 168), (161, 169), (161, 171), (162, 148), (162, 150), (162, 151), (162, 152), (162, 153), (162, 154), (162, 155), (162, 156), (162, 157), (162, 158), (162, 159), (162, 160), (162, 161), (162, 162), (162, 163), (162, 164), (162, 165), (162, 166), (162, 167), (162, 168), (162, 170), (163, 148), (163, 150), (163, 151), (163, 152), (163, 153), (163, 154), (163, 155), (163, 156), (163, 157), (163, 158), (163, 159), (163, 160),
(163, 161), (163, 162), (163, 163), (163, 164), (163, 165), (163, 166), (163, 167), (163, 168), (163, 170), (164, 150), (164, 152), (164, 153), (164, 154), (164, 155), (164, 156), (164, 157), (164, 158), (164, 159), (164, 160), (164, 161), (164, 162), (164, 163), (164, 164), (164, 165), (164, 166), (164, 167), (164, 169), (165, 151), (165, 153), (165, 154), (165, 155), (165, 156), (165, 157), (165, 158), (165, 159), (165, 160), (165, 161), (165, 162), (165, 163), (165, 164), (165, 165), (165, 166), (165, 168), (166, 150), (166, 153), (166, 154), (166, 155), (166, 156), (166, 157), (166, 158), (166, 159), (166, 160), (166, 161), (166, 162), (166, 163), (166, 167), (167, 150), (167, 152), (167, 153), (167, 154), (167, 155), (167, 156), (167, 157), (167, 158), (167, 163), (167, 164), (167, 166), (168, 153), (168, 154), (168, 155), (168, 156), (168, 160),
(168, 161), (168, 162), (168, 163), (169, 154), (169, 158), (170, 154), (170, 156), )
coordinates_F4DEB3 = ((130, 73),
(131, 72), (131, 74), (132, 72), (132, 75), (133, 72), (133, 74), (133, 76), (134, 72), (134, 74), (134, 75), (134, 77), (135, 72), (135, 74), (135, 75), (135, 76), (135, 78), (136, 72), (136, 74), (136, 75), (136, 77), (137, 72), (137, 74), (137, 75), (137, 77), (137, 84), (137, 85), (137, 86), (137, 88), (137, 89), (138, 72), (138, 74), (138, 75), (138, 77), (138, 82), (139, 72), (139, 74), (139, 76), (139, 81), (139, 84), (139, 85), (139, 86), (139, 88), (140, 73), (140, 76), (140, 80), (140, 82), (140, 83), (140, 84), (140, 85), (140, 87), (141, 73), (141, 76), (141, 79), (141, 81), (141, 82), (141, 83), (141, 86), (142, 74), (142, 77), (142, 80), (142, 81), (142, 82), (142, 85), (143, 75), (143, 79), (143, 80), (143, 81), (143, 83), (144, 77), (144, 79), (144, 80), (144, 82),
(145, 78), (145, 81), (145, 88), (145, 90), (145, 91), (145, 92), (145, 94), (146, 78), (146, 81), (146, 86), (146, 89), (147, 78), (147, 80), (147, 81), (147, 85), (147, 87), (147, 100), (148, 78), (148, 80), (148, 83), (149, 78), (149, 82), (150, 79), (150, 80), )
coordinates_26408B = ((124, 82),
(124, 84), (124, 85), (124, 90), (124, 91), (124, 106), (124, 111), (125, 81), (125, 86), (125, 89), (125, 92), (125, 94), (125, 98), (125, 99), (125, 100), (125, 101), (125, 102), (125, 103), (125, 104), (125, 105), (125, 106), (125, 107), (125, 108), (125, 109), (125, 111), (126, 79), (126, 82), (126, 83), (126, 84), (126, 85), (126, 87), (126, 88), (126, 89), (126, 90), (126, 111), (127, 74), (127, 76), (127, 77), (127, 78), (127, 81), (127, 82), (127, 83), (127, 84), (127, 85), (127, 86), (127, 89), (127, 91), (127, 100), (127, 101), (127, 104), (127, 107), (127, 111), (127, 112), (128, 74), (128, 78), (128, 79), (128, 80), (128, 81), (128, 82), (128, 83), (128, 84), (128, 85), (128, 86), (128, 87), (128, 88), (128, 90), (128, 105), (128, 106), (128, 111), (128, 113), (129, 75), (129, 77), (129, 78),
(129, 79), (129, 80), (129, 81), (129, 82), (129, 83), (129, 84), (129, 85), (129, 86), (129, 87), (129, 90), (129, 111), (129, 113), (130, 76), (130, 78), (130, 79), (130, 80), (130, 81), (130, 82), (130, 83), (130, 84), (130, 85), (130, 86), (130, 89), (130, 111), (130, 113), (131, 77), (131, 88), (131, 96), (131, 110), (131, 112), (132, 78), (132, 80), (132, 81), (132, 82), (132, 83), (132, 84), (132, 86), (132, 95), (132, 97), (132, 100), (132, 101), (132, 102), (132, 103), (132, 104), (132, 105), (132, 106), (132, 107), (132, 108), (132, 109), (132, 111), (133, 99), (133, 111), (134, 94), (134, 96), (134, 97), (134, 98), (134, 101), (134, 102), (134, 103), (134, 104), (134, 105), (134, 110), (135, 95), (135, 97), (135, 99), (135, 106), (135, 107), (135, 108), (135, 110), (136, 95), (136, 98), (136, 110),
(137, 95), (137, 98), (138, 96), (138, 98), (139, 96), (139, 99), (140, 97), (140, 100), (141, 98), (141, 100), (142, 99), (142, 100), )
coordinates_F5DEB3 = ((94, 110),
(95, 109), (95, 110), (96, 108), (96, 109), (97, 79), (97, 81), (97, 83), (97, 107), (97, 108), (98, 78), (98, 80), (98, 83), (98, 106), (98, 107), (99, 77), (99, 79), (99, 82), (99, 84), (99, 99), (99, 101), (99, 102), (99, 103), (99, 104), (99, 105), (100, 76), (100, 79), (100, 83), (100, 85), (100, 86), (100, 88), (100, 98), (101, 76), (101, 79), (101, 86), (101, 87), (101, 90), (101, 99), (102, 76), (102, 79), (102, 80), (102, 91), (102, 92), (102, 95), (102, 98), (103, 77), (103, 80), (103, 90), (103, 93), (103, 97), (104, 78), (104, 80), (104, 90), (104, 92), (104, 94), (104, 96), (105, 81), (105, 89), (105, 91), (105, 92), (105, 93), (105, 95), (106, 81), (106, 88), (106, 90), (106, 94), (107, 81), (107, 82), (107, 88), (107, 91), (107, 93), (108, 81), (108, 82),
(108, 88), (108, 90), (109, 81), (110, 74), (110, 75), (110, 77), (110, 81), (110, 82), (111, 74), (111, 78), (111, 79), (111, 82), (112, 73), (112, 75), (112, 76), (112, 77), (112, 82), (113, 74), (113, 76), (113, 77), (113, 78), (113, 79), (113, 80), (113, 82), (114, 75), (114, 77), (114, 78), (114, 79), (114, 81), (115, 76), (115, 78), (115, 79), (115, 81), (116, 77), (116, 79), (116, 81), (117, 78), (117, 81), (118, 79), (118, 81), (119, 79), )
coordinates_016400 = ((124, 127),
(124, 129), (124, 130), (124, 132), (125, 129), (125, 133), (126, 129), (126, 131), (126, 132), (126, 134), (127, 129), (127, 131), (127, 136), (128, 129), (128, 132), (128, 136), (129, 128), (129, 134), (129, 136), (130, 128), (130, 130), (130, 135), (130, 136), (131, 135), (131, 137), (132, 135), (132, 137), (133, 135), (133, 137), (134, 134), (134, 136), (134, 138), (135, 133), (135, 135), (135, 136), (135, 137), (135, 139), (136, 133), (136, 135), (136, 136), (136, 137), (136, 139), (137, 132), (137, 134), (137, 135), (137, 136), (137, 137), (137, 138), (137, 140), (138, 131), (138, 133), (138, 134), (138, 135), (138, 136), (138, 137), (138, 138), (138, 140), (139, 131), (139, 133), (139, 137), (139, 138), (139, 139), (139, 140), (139, 141), (140, 130), (140, 132), (140, 135), (140, 136), (140, 137), (140, 138), (140, 139), (140, 141), (141, 130),
(141, 133), (141, 137), (141, 139), (141, 141), (142, 129), (142, 132), (142, 137), (142, 139), (142, 141), (143, 129), (143, 131), (143, 137), (143, 139), (144, 129), (144, 130), (144, 136), (144, 140), (144, 142), (145, 136), (145, 138), (146, 135), )
coordinates_CC5B45 = ((147, 90),
(147, 91), (147, 94), (147, 95), (147, 96), (148, 89), (148, 90), (148, 93), (148, 94), (148, 98), (149, 86), (149, 87), (149, 89), (149, 96), (149, 100), (150, 85), (150, 88), (150, 97), (150, 98), (150, 100), (151, 85), (151, 87), (151, 99), (151, 100), (152, 85), (152, 86), (152, 92), (153, 84), (153, 86), (153, 92), (153, 93), (154, 83), (154, 86), (154, 92), (155, 83), (155, 86), (155, 92), (155, 93), (155, 96), (156, 83), (156, 86), (156, 91), (156, 93), (156, 94), (156, 97), (157, 84), (157, 87), (157, 91), (157, 93), (157, 94), (157, 95), (157, 96), (157, 98), (158, 85), (158, 89), (158, 91), (158, 92), (158, 93), (158, 94), (158, 95), (158, 98), (159, 88), (159, 91), (159, 92), (159, 93), (159, 95), (160, 88), (160, 90), (160, 91), (160, 92), (160, 93), (160, 95), (161, 89),
(161, 91), (161, 92), (161, 93), (161, 94), (161, 96), (162, 89), (162, 91), (162, 92), (162, 93), (162, 94), (162, 95), (162, 97), (163, 90), (163, 92), (163, 93), (163, 94), (163, 95), (163, 97), (164, 91), (164, 95), (164, 96), (164, 98), (165, 92), (165, 93), (165, 96), (165, 98), (166, 95), (166, 98), (167, 96), (167, 98), (168, 97), )
coordinates_27408B = ((103, 109),
(104, 106), (104, 108), (105, 104), (105, 109), (106, 102), (106, 106), (106, 107), (106, 108), (106, 109), (106, 110), (106, 112), (107, 101), (107, 104), (107, 105), (107, 106), (107, 107), (107, 108), (107, 109), (107, 110), (107, 112), (108, 102), (108, 103), (108, 104), (108, 105), (108, 106), (108, 107), (108, 108), (108, 109), (109, 99), (109, 101), (109, 104), (109, 105), (109, 106), (109, 107), (109, 108), (109, 111), (110, 100), (110, 103), (110, 104), (110, 105), (110, 106), (110, 107), (110, 109), (111, 104), (111, 106), (111, 108), (112, 104), (112, 107), (113, 104), (113, 106), (114, 91), (114, 92), (114, 93), (114, 95), (114, 104), (114, 106), (115, 89), (115, 97), (115, 104), (115, 106), (116, 89), (116, 91), (116, 92), (116, 93), (116, 94), (116, 95), (116, 97), (116, 104), (116, 106), (117, 90), (117, 92), (117, 93),
(117, 94), (117, 96), (117, 105), (117, 106), (118, 90), (118, 92), (118, 93), (118, 94), (118, 96), (118, 105), (118, 107), (119, 91), (119, 93), (119, 94), (119, 95), (119, 97), (119, 104), (119, 107), (120, 81), (120, 82), (120, 85), (120, 86), (120, 90), (120, 92), (120, 93), (120, 94), (120, 95), (120, 96), (120, 98), (120, 103), (120, 105), (120, 106), (120, 108), (121, 79), (121, 81), (121, 88), (121, 89), (121, 94), (121, 95), (121, 96), (121, 97), (121, 99), (121, 100), (121, 101), (121, 107), (122, 82), (122, 84), (122, 85), (122, 87), (122, 90), (122, 91), (122, 92), (122, 93), (122, 94), (122, 102), (122, 103), (122, 104), (122, 105), (122, 107), (123, 94), (123, 95), (123, 96), (123, 97), (123, 98), (123, 99), )
coordinates_006400 = ((103, 140),
(103, 142), (104, 139), (104, 142), (105, 130), (105, 131), (105, 139), (105, 142), (106, 129), (106, 132), (106, 139), (106, 141), (107, 129), (107, 131), (107, 133), (107, 138), (107, 141), (108, 129), (108, 131), (108, 132), (108, 135), (108, 136), (108, 140), (109, 130), (109, 132), (109, 133), (109, 138), (109, 140), (110, 130), (110, 132), (110, 133), (110, 134), (110, 135), (110, 136), (110, 137), (110, 139), (111, 130), (111, 132), (111, 133), (111, 134), (111, 135), (111, 136), (111, 138), (112, 130), (112, 132), (112, 133), (112, 134), (112, 135), (112, 136), (112, 138), (113, 130), (113, 132), (113, 133), (113, 134), (113, 135), (113, 137), (114, 131), (114, 133), (114, 134), (114, 135), (114, 137), (115, 132), (115, 136), (116, 125), (116, 127), (116, 132), (116, 135), (117, 124), (117, 128), (117, 132), (118, 123), (118, 130), (118, 132),
(119, 121), (119, 128), (120, 120), (120, 124), (120, 129), (121, 120), (121, 123), )
coordinates_CD5B45 = ((73, 99),
(73, 101), (73, 102), (73, 103), (73, 104), (74, 106), (74, 107), (74, 110), (75, 96), (75, 99), (75, 100), (75, 101), (75, 102), (75, 103), (75, 104), (75, 105), (75, 108), (75, 110), (76, 95), (76, 98), (76, 99), (76, 100), (76, 101), (76, 102), (76, 103), (76, 104), (76, 107), (76, 110), (77, 94), (77, 96), (77, 97), (77, 98), (77, 99), (77, 100), (77, 101), (77, 102), (77, 103), (77, 105), (77, 106), (77, 108), (77, 110), (78, 93), (78, 95), (78, 96), (78, 97), (78, 98), (78, 99), (78, 100), (78, 101), (78, 102), (78, 104), (78, 108), (78, 110), (79, 92), (79, 94), (79, 95), (79, 96), (79, 97), (79, 98), (79, 99), (79, 100), (79, 101), (79, 103), (79, 108), (79, 110), (80, 90), (80, 93), (80, 94), (80, 95), (80, 96), (80, 97), (80, 98), (80, 99),
(80, 100), (80, 101), (80, 103), (80, 108), (80, 110), (81, 89), (81, 92), (81, 93), (81, 94), (81, 95), (81, 96), (81, 97), (81, 98), (81, 99), (81, 100), (81, 101), (81, 103), (81, 108), (81, 110), (82, 88), (82, 91), (82, 92), (82, 93), (82, 94), (82, 95), (82, 96), (82, 97), (82, 98), (82, 99), (82, 100), (82, 101), (82, 102), (82, 104), (82, 110), (83, 87), (83, 89), (83, 90), (83, 91), (83, 92), (83, 93), (83, 94), (83, 95), (83, 96), (83, 97), (83, 98), (83, 99), (83, 100), (83, 101), (83, 102), (83, 104), (83, 109), (83, 110), (84, 86), (84, 88), (84, 89), (84, 90), (84, 91), (84, 92), (84, 93), (84, 94), (84, 95), (84, 96), (84, 97), (84, 98), (84, 99), (84, 100), (84, 101), (84, 102), (84, 104), (84, 109), (84, 110), (85, 86),
(85, 88), (85, 89), (85, 92), (85, 93), (85, 94), (85, 95), (85, 96), (85, 97), (85, 103), (85, 110), (86, 86), (86, 88), (86, 91), (86, 92), (86, 93), (86, 94), (86, 95), (86, 96), (86, 103), (87, 85), (87, 87), (87, 89), (87, 92), (87, 94), (87, 95), (87, 98), (87, 102), (88, 84), (88, 88), (88, 92), (88, 93), (88, 94), (88, 97), (88, 102), (89, 83), (89, 87), (89, 93), (89, 96), (90, 82), (90, 93), (91, 81), (91, 84), (92, 81), (92, 84), (92, 107), (92, 108), (92, 110), (93, 81), (93, 82), (93, 84), (93, 106), (94, 82), (94, 84), (94, 105), (95, 81), (95, 82), (95, 83), (95, 84), (95, 85), (95, 86), (95, 88), (95, 96), (95, 97), (95, 104), (96, 89), (96, 98), (96, 99), (96, 100), (96, 101), (96, 102), (96, 106), (97, 88),
(97, 90), (97, 94), (97, 96), (97, 99), (97, 100), (97, 101), (97, 102), (97, 103), (97, 105), (98, 88), (98, 92), (98, 95), (98, 97), (99, 90), (99, 96), (100, 92), (100, 95), )
coordinates_6395ED = ((124, 123),
(124, 125), (125, 122), (125, 125), (126, 122), (126, 125), (127, 122), (127, 124), (128, 122), (128, 124), (129, 122), (129, 125), (130, 122), (130, 124), (130, 126), (131, 122), (131, 125), (132, 121), (132, 122), (132, 125), (133, 121), (133, 124), (134, 121), (134, 124), (135, 120), (135, 122), (135, 124), (136, 120), (136, 123), (137, 121), (137, 123), (138, 122), (138, 123), (139, 123), )
coordinates_00FFFE = ((146, 140),
(146, 142), (147, 137), (147, 138), (147, 139), (147, 142), (148, 135), (148, 140), (148, 142), (149, 135), (149, 137), (149, 138), (149, 139), (149, 140), (149, 142), (150, 136), (150, 138), (150, 139), (150, 140), (150, 141), (150, 143), (151, 136), (151, 138), (151, 139), (151, 140), (151, 141), (151, 142), (151, 144), (152, 137), (152, 140), (152, 141), (152, 142), (152, 144), (153, 138), (153, 145), (154, 140), (154, 142), (154, 143), (154, 145), (155, 145), (156, 145), (157, 137), (157, 145), (158, 137), (158, 138), (158, 144), (158, 145), (159, 137), (159, 139), (159, 144), (159, 145), (160, 137), (160, 139), (160, 144), (160, 145), (161, 137), (161, 139), (161, 144), (161, 145), (162, 137), (162, 140), (162, 144), (162, 145), (163, 138), (163, 141), (163, 145), (164, 139), (164, 142), (164, 145), (165, 140), (165, 143), (165, 145), (166, 140),
(166, 145), (167, 141), (167, 145), (168, 144), )
coordinates_B4E7FA = ((118, 139),
(119, 139), (119, 141), (120, 138), (120, 142), (120, 143), (120, 144), (120, 145), (120, 146), (120, 147), (120, 148), (120, 149), (120, 150), (121, 137), (121, 139), (121, 140), (121, 141), (121, 151), (121, 152), (121, 153), (121, 154), (121, 155), (121, 156), (122, 137), (122, 139), (122, 140), (122, 141), (122, 142), (122, 143), (122, 144), (122, 145), (122, 146), (122, 147), (122, 148), (122, 149), (122, 150), (122, 158), (123, 136), (123, 138), (123, 139), (123, 140), (123, 141), (123, 142), (123, 143), (123, 144), (123, 145), (123, 146), (123, 147), (123, 148), (123, 149), (123, 150), (123, 151), (123, 152), (123, 153), (123, 154), (123, 155), (123, 156), (123, 158), (124, 136), (124, 138), (124, 139), (124, 140), (124, 141), (124, 142), (124, 143), (124, 144), (124, 145), (124, 146), (124, 147), (124, 148), (124, 149), (124, 150), (124, 151),
(124, 158), (125, 137), (125, 139), (125, 140), (125, 141), (125, 142), (125, 143), (125, 144), (125, 145), (125, 146), (125, 147), (125, 152), (125, 153), (125, 154), (125, 155), (125, 156), (125, 157), (125, 159), (126, 138), (126, 140), (126, 141), (126, 142), (126, 143), (126, 144), (126, 145), (126, 148), (126, 149), (126, 151), (127, 138), (127, 140), (127, 141), (127, 142), (127, 143), (127, 144), (127, 147), (128, 138), (128, 140), (128, 141), (128, 142), (128, 145), (129, 138), (129, 139), (129, 140), (129, 144), (130, 139), (130, 142), (131, 139), )
coordinates_F98072 = ((123, 121),
(124, 113), (125, 113), (125, 115), (126, 114), (126, 115), (127, 114), (127, 115), (128, 115), (128, 116), (129, 116), (130, 116), (130, 117), (131, 115), (131, 117), (132, 114), (132, 117), (133, 113), (133, 116), (134, 113), (134, 115), (135, 112), (135, 114), (136, 112), (136, 115), (137, 112), (137, 115), (137, 116), (138, 112), (138, 115), (138, 117), (139, 113), (139, 118), (140, 114), (140, 115), (140, 118), (141, 116), (141, 118), )
coordinates_97FB98 = ((158, 115),
(159, 114), (159, 115), (159, 135), (160, 115), (160, 135), (161, 113), (161, 115), (161, 126), (161, 129), (161, 135), (162, 113), (162, 114), (162, 125), (162, 129), (162, 135), (163, 113), (163, 114), (163, 123), (163, 126), (163, 128), (163, 135), (164, 113), (164, 114), (164, 122), (164, 125), (164, 126), (164, 128), (164, 135), (165, 113), (165, 114), (165, 121), (165, 124), (165, 125), (165, 126), (165, 128), (165, 136), (166, 113), (166, 114), (166, 123), (166, 124), (166, 125), (166, 126), (166, 127), (166, 128), (166, 129), (166, 131), (166, 137), (166, 138), (167, 113), (167, 114), (167, 122), (167, 123), (167, 124), (167, 125), (167, 126), (167, 127), (167, 128), (167, 132), (167, 137), (167, 139), (168, 113), (168, 114), (168, 121), (168, 122), (168, 123), (168, 124), (168, 125), (168, 126), (168, 127), (168, 128), (168, 129), (168, 130),
(168, 131), (168, 136), (168, 137), (168, 139), (169, 113), (169, 114), (169, 120), (169, 121), (169, 122), (169, 123), (169, 124), (169, 125), (169, 126), (169, 127), (169, 128), (169, 129), (169, 130), (169, 132), (169, 135), (169, 138), (170, 113), (170, 114), (170, 117), (170, 119), (170, 120), (170, 121), (170, 122), (170, 123), (170, 124), (170, 125), (170, 126), (170, 127), (170, 128), (170, 130), (170, 133), (170, 134), (170, 137), (171, 113), (171, 115), (171, 118), (171, 119), (171, 120), (171, 121), (171, 122), (171, 123), (171, 124), (171, 125), (171, 126), (171, 127), (171, 128), (171, 130), (171, 135), (171, 136), (172, 113), (172, 121), (172, 122), (172, 123), (172, 124), (172, 125), (172, 126), (172, 127), (172, 128), (172, 130), (173, 114), (173, 116), (173, 117), (173, 118), (173, 119), (173, 120), (173, 124), (173, 125), (173, 126),
(173, 127), (173, 129), (174, 114), (174, 121), (174, 123), (174, 129), (175, 124), (175, 126), )
coordinates_323287 = ((148, 112),
(148, 114), (149, 109), (149, 110), (149, 114), (150, 108), (150, 114), (151, 102), (151, 106), (151, 109), (151, 110), (151, 111), (151, 113), (152, 102), (152, 104), (152, 107), (153, 106), (156, 114), (157, 112), (157, 113), (158, 100), (158, 111), (158, 113), (159, 100), (159, 101), (159, 110), (159, 112), (160, 100), (160, 101), (160, 109), (160, 111), (161, 100), (161, 101), (161, 109), (161, 110), (162, 99), (162, 101), (162, 109), (162, 110), (163, 101), (163, 109), (163, 110), (164, 100), (164, 101), (164, 108), (164, 110), (165, 100), (165, 101), (165, 104), (165, 108), (165, 110), (166, 100), (166, 102), (166, 103), (166, 105), (166, 106), (166, 108), (166, 109), (166, 111), (167, 100), (167, 104), (167, 108), (167, 109), (167, 111), (168, 101), (168, 104), (168, 105), (168, 106), (168, 107), (168, 108), (168, 109), (168, 111), (169, 102),
(169, 105), (169, 106), (169, 107), (169, 108), (169, 110), (170, 106), (170, 107), (170, 109), (171, 105), (171, 108), (172, 106), (172, 107), )
coordinates_6495ED = ((104, 123),
(104, 124), (105, 122), (105, 124), (106, 121), (106, 124), (107, 120), (107, 122), (107, 124), (108, 120), (108, 122), (108, 124), (109, 120), (109, 122), (109, 124), (110, 119), (110, 121), (110, 123), (111, 119), (111, 121), (111, 123), (112, 118), (112, 120), (112, 122), (113, 117), (113, 119), (113, 121), (114, 116), (114, 118), (114, 119), (114, 121), (115, 118), (115, 120), (116, 115), (116, 117), (116, 119), (117, 115), (117, 117), (117, 119), (118, 115), (118, 118), (118, 119), (119, 115), (119, 118), (120, 115), (120, 118), (121, 115), (121, 118), (122, 116), )
coordinates_01FFFF = ((77, 147),
(77, 148), (78, 147), (78, 148), (79, 147), (79, 149), (80, 147), (80, 149), (81, 147), (81, 149), (82, 147), (82, 149), (83, 147), (83, 149), (84, 147), (84, 149), (85, 146), (85, 149), (86, 146), (86, 149), (87, 145), (87, 147), (87, 149), (88, 143), (88, 145), (88, 146), (88, 148), (89, 146), (89, 148), (90, 146), (90, 148), (91, 145), (91, 147), (92, 142), (92, 143), (92, 144), (92, 147), (93, 137), (93, 139), (93, 140), (93, 141), (93, 146), (94, 137), (94, 142), (94, 143), (94, 144), (94, 146), (95, 137), (95, 139), (95, 140), (95, 141), (95, 142), (95, 143), (95, 144), (95, 146), (96, 137), (96, 139), (96, 140), (96, 141), (96, 142), (96, 143), (96, 144), (96, 146), (97, 138), (97, 140), (97, 141), (97, 142), (97, 143), (97, 145), (98, 139), (98, 141), (98, 142), (98, 143),
(98, 145), (99, 140), (99, 142), (99, 144), (100, 140), (100, 144), (101, 141), (101, 143), )
coordinates_FA8072 = ((103, 112),
(104, 113), (104, 116), (105, 116), (106, 116), (107, 116), (108, 114), (108, 116), (109, 113), (109, 115), (110, 112), (110, 114), (111, 111), (111, 113), (112, 109), (112, 112), (113, 108), (113, 111), (114, 108), (114, 111), (115, 108), (115, 111), (116, 108), (116, 111), (117, 108), (117, 111), (118, 109), (118, 110), (119, 110), (121, 110), (122, 109), (122, 110), (122, 111), (122, 113), (122, 114), )
coordinates_98FB98 = ((72, 128),
(72, 130), (72, 131), (72, 132), (72, 133), (73, 135), (73, 136), (74, 127), (74, 129), (74, 132), (74, 133), (74, 134), (74, 137), (74, 138), (74, 140), (75, 127), (75, 129), (75, 130), (75, 131), (75, 132), (75, 133), (75, 135), (75, 141), (76, 127), (76, 129), (76, 132), (76, 134), (76, 137), (76, 138), (76, 139), (76, 141), (77, 127), (77, 129), (77, 132), (77, 133), (77, 138), (77, 140), (77, 142), (78, 127), (78, 129), (78, 130), (78, 131), (78, 132), (78, 133), (78, 138), (78, 140), (78, 141), (78, 145), (79, 127), (79, 129), (79, 132), (79, 138), (79, 140), (79, 141), (79, 142), (79, 145), (80, 127), (80, 129), (80, 130), (80, 132), (80, 138), (80, 140), (80, 141), (80, 142), (80, 143), (80, 145), (81, 128), (81, 130), (81, 132), (81, 137), (81, 139), (81, 140), (81, 141),
(81, 142), (81, 143), (81, 145), (82, 129), (82, 132), (82, 137), (82, 139), (82, 140), (82, 141), (82, 142), (82, 143), (82, 144), (82, 145), (83, 129), (83, 132), (83, 137), (83, 139), (83, 144), (84, 130), (84, 132), (84, 137), (84, 141), (84, 144), (85, 130), (85, 132), (85, 137), (85, 139), (85, 143), (85, 144), (86, 130), (86, 131), (86, 143), (87, 130), (87, 131), )
coordinates_FEC0CB = ((139, 103),
(139, 104), (140, 104), (141, 104), (141, 106), (142, 105), (142, 107), (143, 105), (143, 107), (144, 105), (144, 108), (145, 106), (145, 109), (146, 106), (146, 108), (146, 111), (146, 113), (147, 105), (147, 109), (147, 110), (148, 102), (148, 105), (148, 108), (149, 102), (149, 106), )
coordinates_333287 = ((71, 119),
(72, 114), (72, 116), (72, 117), (72, 120), (73, 112), (73, 117), (73, 118), (73, 119), (73, 122), (73, 124), (74, 112), (74, 114), (74, 115), (74, 125), (75, 112), (75, 117), (75, 119), (75, 120), (75, 121), (75, 122), (75, 123), (75, 125), (76, 112), (76, 114), (76, 122), (76, 123), (76, 125), (77, 112), (77, 114), (77, 122), (77, 125), (78, 112), (78, 115), (78, 122), (78, 125), (79, 112), (79, 114), (79, 116), (79, 122), (79, 125), (80, 112), (80, 114), (80, 115), (80, 117), (80, 122), (80, 125), (81, 112), (81, 114), (81, 115), (81, 116), (81, 118), (81, 122), (81, 124), (81, 125), (81, 126), (82, 112), (82, 114), (82, 115), (82, 116), (82, 123), (82, 126), (83, 112), (83, 114), (83, 115), (83, 116), (83, 117), (83, 119), (83, 123), (83, 125), (83, 127), (84, 112), (84, 114),
(84, 115), (84, 116), (84, 117), (84, 118), (84, 119), (84, 124), (84, 126), (85, 112), (85, 120), (85, 125), (85, 128), (86, 112), (86, 114), (86, 115), (86, 116), (86, 117), (86, 118), (86, 120), (86, 126), (86, 128), (87, 127), (87, 128), (92, 112), )
coordinates_FFC0CB = ((94, 112),
(94, 114), )
| coordinates_e0_e1_e1 = ((125, 117), (125, 120), (126, 96), (126, 117), (126, 119), (126, 127), (127, 94), (127, 97), (127, 109), (127, 118), (127, 119), (127, 127), (128, 93), (128, 98), (128, 108), (128, 109), (128, 118), (128, 119), (129, 92), (129, 94), (129, 96), (129, 100), (129, 101), (129, 103), (129, 107), (129, 109), (129, 119), (130, 91), (130, 93), (130, 98), (130, 100), (130, 103), (130, 104), (130, 105), (130, 106), (130, 107), (130, 109), (130, 119), (130, 132), (131, 90), (131, 92), (131, 94), (131, 119), (131, 131), (131, 133), (132, 89), (132, 91), (132, 93), (132, 119), (132, 127), (132, 129), (132, 130), (132, 133), (133, 88), (133, 90), (133, 92), (133, 119), (133, 127), (133, 132), (134, 80), (134, 82), (134, 83), (134, 84), (134, 85), (134, 86), (134, 90), (134, 92), (134, 118), (134, 126), (134, 128), (134, 129), (134, 130), (134, 132), (135, 80), (135, 84), (135, 85), (135, 86), (135, 87), (135, 88), (135, 89), (135, 90), (135, 92), (135, 117), (135, 118), (135, 126), (135, 128), (135, 129), (135, 131), (136, 80), (136, 82), (136, 90), (136, 93), (136, 101), (136, 103), (136, 104), (136, 117), (136, 118), (136, 126), (136, 128), (136, 130), (137, 79), (137, 80), (137, 91), (137, 93), (137, 100), (137, 103), (137, 104), (137, 105), (137, 106), (137, 107), (137, 118), (137, 119), (137, 125), (137, 126), (137, 127), (137, 128), (137, 130), (138, 79), (138, 91), (138, 94), (138, 101), (138, 106), (138, 110), (138, 119), (138, 120), (138, 125), (138, 127), (138, 129), (139, 90), (139, 92), (139, 94), (139, 101), (139, 107), (139, 111), (139, 120), (139, 121), (139, 125), (139, 128), (140, 90), (140, 92), (140, 93), (140, 95), (140, 102), (140, 108), (140, 110), (140, 112), (140, 121), (140, 125), (140, 126), (140, 128), (141, 92), (141, 93), (141, 95), (141, 102), (141, 109), (141, 110), (141, 113), (141, 121), (141, 123), (141, 125), (141, 127), (141, 128), (142, 87), (142, 90), (142, 91), (142, 92), (142, 96), (142, 102), (142, 109), (142, 111), (142, 114), (142, 120), (142, 122), (142, 124), (142, 125), (142, 127), (142, 135), (143, 86), (143, 88), (143, 93), (143, 94), (143, 95), (143, 102), (143, 103), (143, 110), (143, 116), (143, 117), (143, 118), (143, 119), (143, 120), (143, 121), (143, 122), (143, 123), (143, 124), (143, 125), (143, 127), (143, 134), (144, 85), (144, 86), (144, 96), (144, 99), (144, 100), (144, 101), (144, 103), (144, 111), (144, 113), (144, 114), (144, 120), (144, 121), (144, 122), (144, 123), (144, 124), (144, 125), (144, 127), (144, 133), (144, 134), (145, 84), (145, 98), (145, 100), (145, 103), (145, 115), (145, 117), (145, 118), (145, 119), (145, 120), (145, 121), (145, 122), (145, 123), (145, 124), (145, 125), (145, 127), (145, 132), (145, 133), (146, 83), (146, 102), (146, 103), (146, 116), (146, 118), (146, 119), (146, 120), (146, 121), (146, 122), (146, 123), (146, 124), (146, 125), (146, 126), (146, 127), (146, 129), (146, 130), (146, 133), (147, 116), (147, 118), (147, 119), (147, 120), (147, 121), (147, 122), (147, 123), (147, 124), (147, 125), (147, 126), (147, 127), (147, 128), (147, 133), (148, 116), (148, 118), (148, 119), (148, 120), (148, 121), (148, 122), (148, 123), (148, 124), (148, 125), (148, 126), (148, 127), (148, 128), (148, 129), (148, 130), (148, 131), (148, 133), (149, 116), (149, 118), (149, 119), (149, 120), (149, 121), (149, 122), (149, 123), (149, 124), (149, 125), (149, 126), (149, 127), (149, 128), (149, 129), (149, 130), (149, 131), (149, 133), (150, 91), (150, 94), (150, 116), (150, 118), (150, 119), (150, 120), (150, 121), (150, 122), (150, 123), (150, 124), (150, 125), (150, 126), (150, 127), (150, 128), (150, 129), (150, 130), (150, 131), (150, 133), (151, 90), (151, 96), (151, 116), (151, 118), (151, 119), (151, 120), (151, 121), (151, 122), (151, 123), (151, 124), (151, 125), (151, 126), (151, 127), (151, 128), (151, 129), (151, 130), (151, 131), (151, 132), (151, 134), (152, 89), (152, 90), (152, 95), (152, 97), (152, 115), (152, 116), (152, 117), (152, 118), (152, 119), (152, 120), (152, 121), (152, 122), (152, 123), (152, 124), (152, 125), (152, 126), (152, 127), (152, 128), (152, 129), (152, 130), (152, 131), (152, 132), (152, 133), (152, 135), (153, 88), (153, 96), (153, 99), (153, 109), (153, 111), (153, 112), (153, 113), (153, 114), (153, 115), (153, 116), (153, 117), (153, 118), (153, 119), (153, 120), (153, 121), (153, 122), (153, 123), (153, 124), (153, 125), (153, 126), (153, 127), (153, 128), (153, 129), (153, 130), (153, 131), (153, 132), (153, 133), (154, 88), (154, 89), (154, 97), (154, 101), (154, 103), (154, 114), (154, 116), (154, 117), (154, 118), (154, 119), (154, 120), (154, 121), (154, 122), (154, 123), (154, 124), (154, 125), (154, 126), (154, 127), (154, 128), (154, 129), (154, 130), (154, 131), (154, 132), (154, 133), (154, 134), (154, 137), (155, 88), (155, 89), (155, 99), (155, 104), (155, 105), (155, 106), (155, 109), (155, 112), (155, 115), (155, 117), (155, 118), (155, 119), (155, 120), (155, 121), (155, 122), (155, 123), (155, 124), (155, 125), (155, 126), (155, 127), (155, 128), (155, 129), (155, 130), (155, 131), (155, 132), (155, 133), (155, 134), (155, 138), (156, 89), (156, 100), (156, 103), (156, 107), (156, 108), (156, 111), (156, 116), (156, 118), (156, 119), (156, 120), (156, 121), (156, 122), (156, 123), (156, 124), (156, 125), (156, 126), (156, 127), (156, 128), (156, 129), (156, 130), (156, 131), (156, 132), (156, 133), (156, 135), (156, 139), (156, 141), (156, 143), (157, 102), (157, 104), (157, 105), (157, 106), (157, 107), (157, 109), (157, 117), (157, 119), (157, 120), (157, 121), (157, 122), (157, 123), (157, 124), (157, 125), (157, 126), (157, 130), (157, 131), (157, 132), (157, 134), (157, 140), (157, 142), (158, 103), (158, 105), (158, 106), (158, 108), (158, 117), (158, 119), (158, 120), (158, 121), (158, 122), (158, 123), (158, 124), (158, 127), (158, 128), (158, 129), (158, 131), (158, 133), (158, 140), (158, 142), (159, 103), (159, 105), (159, 107), (159, 117), (159, 119), (159, 120), (159, 121), (159, 122), (159, 123), (159, 126), (159, 130), (159, 131), (159, 133), (159, 141), (160, 103), (160, 105), (160, 107), (160, 117), (160, 119), (160, 120), (160, 121), (160, 122), (160, 124), (160, 131), (160, 133), (160, 141), (161, 103), (161, 105), (161, 107), (161, 117), (161, 119), (161, 120), (161, 121), (161, 123), (161, 131), (161, 133), (161, 142), (162, 103), (162, 106), (162, 117), (162, 119), (162, 120), (162, 122), (162, 131), (162, 133), (162, 142), (163, 103), (163, 106), (163, 116), (163, 118), (163, 119), (163, 121), (163, 130), (163, 133), (164, 103), (164, 106), (164, 116), (164, 118), (164, 120), (164, 130), (164, 133), (165, 116), (165, 119), (165, 133), (165, 134), (166, 116), (166, 118), (166, 134), (167, 116), (167, 117), (168, 116))
coordinates_e1_e1_e1 = ((77, 117), (77, 119), (78, 135), (78, 136), (79, 105), (79, 106), (79, 119), (79, 135), (79, 136), (80, 105), (80, 106), (80, 119), (80, 134), (80, 135), (81, 106), (81, 120), (81, 134), (81, 135), (82, 106), (82, 134), (82, 135), (83, 106), (83, 107), (83, 121), (83, 134), (83, 135), (84, 106), (84, 107), (84, 122), (84, 134), (84, 135), (85, 106), (85, 107), (85, 122), (85, 123), (85, 134), (85, 135), (86, 105), (86, 108), (86, 122), (86, 124), (86, 134), (86, 135), (86, 141), (87, 104), (87, 106), (87, 107), (87, 109), (87, 122), (87, 125), (87, 133), (87, 135), (87, 136), (87, 139), (87, 141), (88, 99), (88, 100), (88, 104), (88, 106), (88, 107), (88, 108), (88, 111), (88, 112), (88, 113), (88, 114), (88, 115), (88, 116), (88, 121), (88, 122), (88, 123), (88, 126), (88, 132), (88, 134), (88, 135), (88, 138), (88, 141), (89, 90), (89, 98), (89, 104), (89, 105), (89, 106), (89, 109), (89, 110), (89, 111), (89, 117), (89, 118), (89, 119), (89, 122), (89, 123), (89, 124), (89, 127), (89, 128), (89, 131), (89, 133), (89, 134), (89, 135), (89, 136), (89, 137), (90, 88), (90, 91), (90, 97), (90, 99), (90, 100), (90, 102), (90, 104), (90, 107), (90, 108), (90, 112), (90, 115), (90, 116), (90, 121), (90, 122), (90, 123), (90, 124), (90, 125), (90, 126), (90, 129), (90, 132), (90, 133), (90, 134), (90, 135), (90, 136), (90, 139), (90, 140), (90, 141), (90, 142), (90, 144), (91, 87), (91, 90), (91, 91), (91, 96), (91, 98), (91, 99), (91, 100), (91, 101), (91, 103), (91, 106), (91, 114), (91, 116), (91, 117), (91, 118), (91, 119), (91, 120), (91, 121), (91, 122), (91, 123), (91, 124), (91, 125), (91, 126), (91, 127), (91, 128), (91, 131), (91, 132), (91, 133), (91, 134), (91, 135), (91, 137), (91, 138), (92, 86), (92, 90), (92, 91), (92, 93), (92, 94), (92, 99), (92, 100), (92, 101), (92, 102), (92, 105), (92, 115), (92, 117), (92, 118), (92, 119), (92, 120), (92, 121), (92, 122), (92, 123), (92, 124), (92, 125), (92, 126), (92, 127), (92, 128), (92, 129), (92, 130), (92, 131), (92, 132), (92, 133), (92, 134), (92, 135), (93, 86), (93, 88), (93, 91), (93, 96), (93, 97), (93, 98), (93, 103), (93, 116), (93, 118), (93, 119), (93, 120), (93, 121), (93, 122), (93, 123), (93, 124), (93, 125), (93, 126), (93, 127), (93, 128), (93, 129), (93, 130), (93, 131), (93, 132), (93, 133), (93, 135), (94, 90), (94, 92), (94, 94), (94, 100), (94, 102), (94, 116), (94, 118), (94, 119), (94, 120), (94, 121), (94, 122), (94, 123), (94, 124), (94, 125), (94, 126), (94, 127), (94, 128), (94, 129), (94, 130), (94, 131), (94, 132), (94, 133), (94, 134), (94, 135), (95, 91), (95, 93), (95, 115), (95, 117), (95, 118), (95, 119), (95, 120), (95, 121), (95, 122), (95, 123), (95, 124), (95, 125), (95, 126), (95, 127), (95, 128), (95, 129), (95, 130), (95, 131), (95, 132), (95, 134), (96, 92), (96, 111), (96, 112), (96, 114), (96, 115), (96, 116), (96, 117), (96, 118), (96, 119), (96, 120), (96, 121), (96, 122), (96, 123), (96, 124), (96, 128), (96, 129), (96, 130), (96, 131), (96, 132), (96, 133), (96, 135), (97, 111), (97, 113), (97, 115), (97, 116), (97, 117), (97, 118), (97, 119), (97, 120), (97, 121), (97, 122), (97, 123), (97, 124), (97, 125), (97, 126), (97, 128), (97, 129), (97, 130), (97, 131), (97, 132), (97, 133), (97, 135), (98, 110), (98, 112), (98, 113), (98, 114), (98, 115), (98, 116), (98, 117), (98, 118), (98, 119), (98, 120), (98, 121), (98, 122), (98, 124), (98, 128), (98, 130), (98, 131), (98, 132), (98, 133), (98, 134), (98, 136), (99, 109), (99, 111), (99, 112), (99, 113), (99, 114), (99, 115), (99, 116), (99, 117), (99, 118), (99, 119), (99, 120), (99, 121), (99, 123), (99, 128), (99, 130), (99, 131), (99, 132), (99, 133), (99, 134), (99, 135), (99, 137), (100, 115), (100, 116), (100, 117), (100, 118), (100, 119), (100, 120), (100, 122), (100, 129), (100, 131), (100, 132), (100, 133), (100, 134), (100, 135), (100, 136), (100, 138), (101, 81), (101, 101), (101, 103), (101, 104), (101, 105), (101, 106), (101, 109), (101, 110), (101, 111), (101, 112), (101, 113), (101, 114), (101, 117), (101, 118), (101, 119), (101, 120), (101, 122), (101, 129), (101, 131), (101, 132), (101, 133), (101, 134), (101, 135), (101, 136), (101, 137), (101, 139), (102, 82), (102, 100), (102, 106), (102, 107), (102, 115), (102, 116), (102, 118), (102, 119), (102, 120), (102, 123), (102, 128), (102, 133), (102, 134), (102, 135), (102, 136), (102, 138), (103, 82), (103, 85), (103, 87), (103, 99), (103, 104), (103, 117), (103, 119), (103, 122), (103, 125), (103, 127), (103, 130), (103, 131), (103, 134), (103, 135), (103, 137), (104, 83), (104, 87), (104, 99), (104, 102), (104, 118), (104, 120), (104, 126), (104, 128), (104, 133), (104, 135), (104, 137), (105, 83), (105, 85), (105, 87), (105, 98), (105, 100), (105, 119), (105, 127), (105, 134), (105, 137), (106, 84), (106, 86), (106, 97), (106, 99), (106, 119), (106, 127), (106, 135), (106, 136), (107, 84), (107, 86), (107, 96), (107, 98), (107, 118), (107, 127), (108, 85), (108, 86), (108, 95), (108, 97), (108, 118), (108, 126), (108, 127), (109, 85), (109, 87), (109, 92), (109, 97), (109, 117), (109, 126), (109, 128), (110, 85), (110, 88), (110, 89), (110, 90), (110, 95), (110, 97), (110, 116), (110, 117), (110, 125), (110, 128), (111, 84), (111, 86), (111, 87), (111, 97), (111, 98), (111, 115), (111, 117), (111, 125), (111, 128), (112, 84), (112, 86), (112, 87), (112, 90), (112, 91), (112, 92), (112, 93), (112, 94), (112, 95), (112, 100), (112, 102), (112, 114), (112, 116), (112, 124), (112, 128), (113, 84), (113, 86), (113, 87), (113, 88), (113, 97), (113, 102), (113, 113), (113, 115), (113, 124), (113, 126), (113, 128), (114, 84), (114, 86), (114, 87), (114, 99), (114, 100), (114, 102), (114, 113), (114, 114), (114, 123), (114, 129), (115, 83), (115, 86), (115, 99), (115, 102), (115, 113), (115, 122), (115, 123), (115, 129), (116, 83), (116, 85), (116, 87), (116, 99), (116, 102), (116, 113), (116, 122), (116, 130), (117, 83), (117, 87), (117, 101), (117, 103), (117, 113), (117, 121), (118, 83), (118, 85), (118, 86), (118, 88), (118, 98), (118, 102), (118, 113), (119, 88), (119, 101), (119, 112), (119, 113), (120, 113))
coordinates_771286 = ((143, 124), (144, 124), (145, 125), (146, 125))
coordinates_781286 = ((99, 126), (100, 125), (101, 125), (101, 126))
coordinates_dcf8_a4 = ((93, 155), (95, 155), (96, 155), (97, 155), (97, 156), (98, 156), (99, 156), (100, 156), (100, 163), (101, 156), (101, 163), (102, 156), (102, 163), (103, 156), (103, 163), (104, 156), (104, 162), (104, 163), (105, 156), (105, 162), (106, 156), (106, 162), (107, 156), (107, 161), (107, 162), (108, 155), (108, 161), (108, 162), (109, 155), (109, 161), (109, 162), (110, 155), (110, 160), (110, 163), (111, 155), (111, 160), (111, 163), (112, 155), (112, 159), (112, 161), (112, 163), (113, 154), (113, 159), (113, 162), (114, 154), (114, 158), (114, 161), (115, 154), (115, 158), (115, 159), (116, 154), (116, 157), (116, 158), (117, 154), (117, 156), (118, 154), (118, 156), (119, 154), (119, 155))
coordinates_dbf8_a4 = ((131, 155), (131, 157), (132, 154), (132, 157), (132, 158), (133, 158), (133, 160), (134, 159), (134, 161), (135, 159), (135, 162), (136, 154), (136, 160), (136, 163), (137, 154), (137, 160), (137, 162), (137, 164), (138, 155), (138, 160), (138, 162), (138, 164), (139, 155), (139, 161), (139, 164), (140, 155), (140, 161), (140, 164), (141, 155), (141, 161), (141, 163), (142, 155), (142, 163), (143, 155), (143, 162), (144, 162), (145, 162), (146, 155), (147, 155), (147, 163), (148, 155), (148, 163), (149, 163), (150, 154), (151, 154), (155, 164), (156, 164), (157, 164))
coordinates_60_cc60 = ((78, 155), (78, 158), (79, 154), (79, 160), (80, 152), (80, 153), (80, 155), (80, 156), (80, 157), (80, 158), (80, 162), (80, 163), (81, 152), (81, 154), (81, 155), (81, 156), (81, 157), (81, 158), (81, 159), (81, 160), (81, 161), (81, 164), (81, 165), (82, 152), (82, 154), (82, 155), (82, 156), (82, 157), (82, 158), (82, 159), (82, 160), (82, 161), (82, 162), (82, 163), (82, 166), (83, 151), (83, 152), (83, 153), (83, 154), (83, 155), (83, 156), (83, 157), (83, 158), (83, 159), (83, 160), (83, 161), (83, 162), (83, 163), (83, 164), (83, 165), (83, 168), (84, 151), (84, 153), (84, 154), (84, 155), (84, 156), (84, 157), (84, 158), (84, 159), (84, 160), (84, 161), (84, 162), (84, 163), (84, 164), (84, 165), (84, 166), (84, 169), (85, 151), (85, 153), (85, 154), (85, 155), (85, 156), (85, 157), (85, 158), (85, 159), (85, 160), (85, 161), (85, 162), (85, 163), (85, 164), (85, 165), (85, 166), (85, 167), (85, 168), (85, 170), (86, 151), (86, 153), (86, 154), (86, 155), (86, 156), (86, 157), (86, 158), (86, 159), (86, 160), (86, 161), (86, 162), (86, 163), (86, 164), (86, 165), (86, 166), (86, 167), (86, 168), (86, 169), (86, 171), (87, 151), (87, 153), (87, 154), (87, 155), (87, 156), (87, 157), (87, 158), (87, 159), (87, 160), (87, 161), (87, 162), (87, 163), (87, 164), (87, 165), (87, 166), (87, 167), (87, 168), (87, 169), (87, 170), (87, 172), (88, 151), (88, 153), (88, 154), (88, 156), (88, 157), (88, 158), (88, 159), (88, 160), (88, 161), (88, 162), (88, 163), (88, 164), (88, 165), (88, 166), (88, 167), (88, 168), (88, 169), (88, 170), (88, 171), (88, 173), (89, 150), (89, 152), (89, 153), (89, 154), (89, 157), (89, 158), (89, 159), (89, 160), (89, 161), (89, 162), (89, 163), (89, 164), (89, 165), (89, 166), (89, 167), (89, 168), (89, 169), (89, 170), (89, 171), (89, 173), (90, 150), (90, 152), (90, 153), (90, 157), (90, 158), (90, 159), (90, 160), (90, 161), (90, 162), (90, 163), (90, 164), (90, 165), (90, 166), (90, 167), (90, 168), (90, 169), (90, 170), (90, 171), (90, 173), (91, 150), (91, 152), (91, 153), (91, 154), (91, 157), (91, 159), (91, 160), (91, 161), (91, 162), (91, 163), (91, 164), (91, 165), (91, 166), (91, 167), (91, 168), (91, 169), (91, 170), (91, 171), (91, 173), (92, 149), (92, 151), (92, 153), (92, 157), (92, 159), (92, 160), (92, 161), (92, 162), (92, 163), (92, 164), (92, 165), (92, 166), (92, 167), (92, 168), (92, 169), (92, 170), (92, 171), (92, 172), (92, 174), (93, 149), (93, 151), (93, 153), (93, 157), (93, 159), (93, 160), (93, 161), (93, 162), (93, 163), (93, 164), (93, 165), (93, 166), (93, 167), (93, 168), (93, 169), (93, 170), (93, 171), (93, 172), (93, 173), (93, 174), (93, 175), (94, 148), (94, 150), (94, 151), (94, 153), (94, 157), (94, 159), (94, 160), (94, 161), (94, 162), (94, 163), (94, 164), (94, 165), (94, 166), (94, 167), (94, 168), (94, 169), (94, 170), (94, 171), (94, 172), (94, 173), (94, 176), (95, 148), (95, 150), (95, 151), (95, 153), (95, 157), (95, 159), (95, 160), (95, 161), (95, 162), (95, 163), (95, 164), (95, 165), (95, 166), (95, 167), (95, 168), (95, 169), (95, 170), (95, 171), (95, 172), (95, 173), (95, 174), (95, 176), (96, 148), (96, 150), (96, 151), (96, 153), (96, 158), (96, 160), (96, 161), (96, 162), (96, 165), (96, 166), (96, 167), (96, 168), (96, 169), (96, 170), (96, 171), (96, 172), (96, 173), (96, 174), (96, 175), (96, 176), (97, 148), (97, 150), (97, 151), (97, 153), (97, 158), (97, 160), (97, 161), (97, 164), (97, 165), (97, 166), (97, 167), (97, 168), (97, 169), (97, 170), (97, 171), (97, 172), (97, 173), (97, 174), (97, 175), (97, 177), (98, 147), (98, 149), (98, 150), (98, 151), (98, 153), (98, 158), (98, 160), (98, 162), (98, 165), (98, 167), (98, 168), (98, 169), (98, 170), (98, 171), (98, 172), (98, 173), (98, 174), (98, 175), (98, 177), (99, 147), (99, 149), (99, 150), (99, 151), (99, 153), (99, 158), (99, 161), (99, 165), (99, 167), (99, 168), (99, 169), (99, 170), (99, 171), (99, 172), (99, 173), (99, 174), (99, 175), (99, 177), (100, 146), (100, 148), (100, 149), (100, 150), (100, 151), (100, 153), (100, 158), (100, 161), (100, 165), (100, 167), (100, 168), (100, 169), (100, 170), (100, 171), (100, 172), (100, 173), (100, 174), (100, 175), (100, 177), (101, 146), (101, 147), (101, 148), (101, 149), (101, 150), (101, 151), (101, 152), (101, 154), (101, 158), (101, 161), (101, 165), (101, 167), (101, 168), (101, 169), (101, 170), (101, 171), (101, 172), (101, 173), (101, 174), (101, 175), (101, 176), (101, 178), (102, 145), (102, 147), (102, 148), (102, 149), (102, 150), (102, 151), (102, 152), (102, 154), (102, 158), (102, 161), (102, 165), (102, 167), (102, 168), (102, 169), (102, 170), (102, 171), (102, 172), (102, 173), (102, 174), (102, 175), (102, 176), (102, 178), (103, 145), (103, 147), (103, 148), (103, 149), (103, 150), (103, 151), (103, 152), (103, 154), (103, 158), (103, 160), (103, 165), (103, 167), (103, 168), (103, 169), (103, 170), (103, 171), (103, 172), (103, 173), (103, 174), (103, 175), (103, 177), (104, 144), (104, 146), (104, 147), (104, 148), (104, 149), (104, 150), (104, 151), (104, 152), (104, 154), (104, 158), (104, 160), (104, 165), (104, 167), (104, 168), (104, 169), (104, 170), (104, 171), (104, 172), (104, 173), (104, 174), (104, 175), (104, 177), (105, 144), (105, 146), (105, 147), (105, 148), (105, 149), (105, 150), (105, 151), (105, 152), (105, 154), (105, 158), (105, 160), (105, 165), (105, 167), (105, 168), (105, 169), (105, 170), (105, 171), (105, 172), (105, 173), (105, 174), (105, 175), (105, 177), (106, 144), (106, 146), (106, 147), (106, 148), (106, 149), (106, 150), (106, 151), (106, 152), (106, 154), (106, 158), (106, 159), (106, 165), (106, 167), (106, 168), (106, 169), (106, 170), (106, 171), (106, 172), (106, 173), (106, 174), (106, 175), (106, 177), (107, 143), (107, 145), (107, 146), (107, 147), (107, 148), (107, 149), (107, 150), (107, 151), (107, 153), (107, 158), (107, 159), (107, 164), (107, 166), (107, 167), (107, 168), (107, 169), (107, 170), (107, 171), (107, 172), (107, 173), (107, 174), (107, 175), (107, 177), (108, 143), (108, 144), (108, 145), (108, 146), (108, 147), (108, 148), (108, 149), (108, 150), (108, 151), (108, 153), (108, 158), (108, 159), (108, 164), (108, 166), (108, 167), (108, 168), (108, 169), (108, 170), (108, 171), (108, 172), (108, 173), (108, 174), (108, 176), (109, 142), (109, 144), (109, 145), (109, 146), (109, 147), (109, 148), (109, 149), (109, 150), (109, 151), (109, 153), (109, 158), (109, 165), (109, 167), (109, 168), (109, 169), (109, 170), (109, 171), (109, 172), (109, 173), (109, 174), (109, 176), (110, 141), (110, 143), (110, 144), (110, 145), (110, 146), (110, 147), (110, 148), (110, 149), (110, 150), (110, 151), (110, 153), (110, 157), (110, 158), (110, 165), (110, 167), (110, 168), (110, 169), (110, 170), (110, 171), (110, 172), (110, 173), (110, 174), (110, 175), (110, 176), (111, 141), (111, 143), (111, 144), (111, 145), (111, 146), (111, 147), (111, 148), (111, 149), (111, 150), (111, 152), (111, 157), (111, 165), (111, 167), (111, 168), (111, 169), (111, 170), (111, 171), (111, 172), (111, 173), (111, 174), (111, 175), (111, 176), (112, 140), (112, 142), (112, 143), (112, 144), (112, 145), (112, 146), (112, 147), (112, 148), (112, 149), (112, 150), (112, 152), (112, 157), (112, 165), (112, 167), (112, 168), (112, 169), (112, 170), (112, 171), (112, 172), (112, 173), (112, 174), (112, 175), (112, 176), (113, 140), (113, 142), (113, 143), (113, 144), (113, 145), (113, 146), (113, 147), (113, 148), (113, 149), (113, 150), (113, 152), (113, 157), (113, 165), (113, 167), (113, 168), (113, 169), (113, 170), (113, 171), (113, 172), (113, 173), (113, 175), (114, 139), (114, 141), (114, 142), (114, 143), (114, 144), (114, 145), (114, 146), (114, 147), (114, 148), (114, 149), (114, 150), (114, 152), (114, 156), (114, 164), (114, 166), (114, 167), (114, 168), (114, 169), (114, 170), (114, 171), (114, 172), (114, 173), (114, 175), (115, 138), (115, 141), (115, 142), (115, 143), (115, 144), (115, 145), (115, 146), (115, 147), (115, 148), (115, 149), (115, 151), (115, 165), (115, 166), (115, 167), (115, 168), (115, 169), (115, 170), (115, 171), (115, 172), (115, 173), (115, 175), (116, 138), (116, 143), (116, 144), (116, 145), (116, 146), (116, 147), (116, 148), (116, 149), (116, 151), (116, 161), (116, 164), (116, 165), (116, 166), (116, 167), (116, 168), (116, 169), (116, 170), (116, 171), (116, 172), (116, 174), (117, 141), (117, 143), (117, 144), (117, 145), (117, 146), (117, 147), (117, 148), (117, 152), (117, 159), (117, 162), (117, 163), (117, 164), (117, 165), (117, 166), (117, 167), (117, 168), (117, 169), (117, 170), (117, 171), (117, 172), (117, 174), (118, 143), (118, 145), (118, 146), (118, 147), (118, 148), (118, 149), (118, 150), (118, 152), (118, 158), (118, 161), (118, 162), (118, 163), (118, 164), (118, 165), (118, 166), (118, 167), (118, 168), (118, 169), (118, 170), (118, 171), (118, 172), (118, 174), (119, 152), (119, 158), (119, 161), (119, 162), (119, 163), (119, 164), (119, 165), (119, 166), (119, 167), (119, 168), (119, 169), (119, 170), (119, 171), (119, 173), (120, 160), (120, 164), (120, 165), (120, 166), (120, 167), (120, 168), (120, 173), (121, 160), (121, 162), (121, 169), (121, 170), (121, 172), (122, 164), (122, 166), (122, 167))
coordinates_5_fcc60 = ((125, 164), (125, 165), (126, 161), (126, 163), (126, 167), (126, 168), (127, 153), (127, 154), (127, 155), (127, 156), (127, 157), (127, 158), (127, 159), (127, 164), (127, 165), (127, 168), (128, 149), (128, 151), (128, 152), (128, 161), (128, 162), (128, 163), (128, 164), (128, 165), (128, 166), (128, 167), (128, 172), (129, 147), (129, 153), (129, 154), (129, 155), (129, 156), (129, 157), (129, 158), (129, 159), (129, 160), (129, 161), (129, 162), (129, 163), (129, 164), (129, 165), (129, 166), (129, 167), (129, 168), (129, 170), (129, 172), (130, 146), (130, 149), (130, 150), (130, 151), (130, 152), (130, 153), (130, 154), (130, 155), (130, 156), (130, 157), (130, 158), (130, 159), (130, 160), (130, 161), (130, 162), (130, 163), (130, 164), (130, 165), (130, 166), (130, 167), (130, 168), (130, 169), (130, 173), (131, 144), (131, 147), (131, 148), (131, 149), (131, 150), (131, 151), (131, 152), (131, 153), (131, 154), (131, 155), (131, 156), (131, 157), (131, 158), (131, 159), (131, 160), (131, 161), (131, 162), (131, 163), (131, 164), (131, 165), (131, 166), (131, 167), (131, 168), (131, 169), (131, 170), (131, 171), (131, 173), (132, 142), (132, 146), (132, 147), (132, 148), (132, 149), (132, 150), (132, 151), (132, 152), (132, 153), (132, 154), (132, 155), (132, 156), (132, 157), (132, 158), (132, 159), (132, 160), (132, 161), (132, 162), (132, 163), (132, 164), (132, 165), (132, 166), (132, 167), (132, 168), (132, 169), (132, 170), (132, 171), (132, 172), (132, 174), (133, 140), (133, 144), (133, 145), (133, 146), (133, 147), (133, 148), (133, 149), (133, 150), (133, 151), (133, 152), (133, 153), (133, 154), (133, 155), (133, 156), (133, 157), (133, 158), (133, 159), (133, 160), (133, 161), (133, 162), (133, 163), (133, 164), (133, 165), (133, 166), (133, 167), (133, 168), (133, 169), (133, 170), (133, 171), (133, 172), (133, 174), (134, 140), (134, 142), (134, 143), (134, 144), (134, 145), (134, 146), (134, 147), (134, 148), (134, 149), (134, 150), (134, 151), (134, 152), (134, 153), (134, 154), (134, 155), (134, 156), (134, 157), (134, 158), (134, 159), (134, 160), (134, 161), (134, 162), (134, 163), (134, 164), (134, 165), (134, 166), (134, 167), (134, 168), (134, 169), (134, 170), (134, 171), (134, 172), (134, 174), (135, 141), (135, 143), (135, 144), (135, 145), (135, 146), (135, 147), (135, 148), (135, 149), (135, 150), (135, 151), (135, 152), (135, 153), (135, 154), (135, 155), (135, 156), (135, 157), (135, 158), (135, 159), (135, 160), (135, 161), (135, 162), (135, 163), (135, 164), (135, 165), (135, 166), (135, 167), (135, 168), (135, 169), (135, 170), (135, 171), (135, 172), (135, 173), (135, 175), (136, 142), (136, 144), (136, 145), (136, 146), (136, 147), (136, 148), (136, 149), (136, 150), (136, 151), (136, 152), (136, 153), (136, 154), (136, 155), (136, 156), (136, 157), (136, 158), (136, 159), (136, 160), (136, 161), (136, 162), (136, 163), (136, 164), (136, 165), (136, 166), (136, 167), (136, 168), (136, 169), (136, 170), (136, 171), (136, 172), (136, 173), (136, 175), (137, 142), (137, 144), (137, 145), (137, 146), (137, 147), (137, 148), (137, 149), (137, 150), (137, 151), (137, 152), (137, 153), (137, 154), (137, 155), (137, 156), (137, 157), (137, 158), (137, 159), (137, 160), (137, 161), (137, 162), (137, 163), (137, 164), (137, 165), (137, 166), (137, 167), (137, 168), (137, 169), (137, 170), (137, 171), (137, 172), (137, 173), (137, 175), (138, 142), (138, 144), (138, 145), (138, 146), (138, 147), (138, 148), (138, 149), (138, 150), (138, 151), (138, 152), (138, 153), (138, 154), (138, 155), (138, 156), (138, 157), (138, 158), (138, 159), (138, 160), (138, 161), (138, 162), (138, 163), (138, 164), (138, 165), (138, 166), (138, 167), (138, 168), (138, 169), (138, 170), (138, 171), (138, 172), (138, 173), (138, 174), (138, 176), (139, 143), (139, 145), (139, 146), (139, 147), (139, 148), (139, 149), (139, 150), (139, 151), (139, 152), (139, 153), (139, 154), (139, 155), (139, 156), (139, 157), (139, 158), (139, 159), (139, 160), (139, 161), (139, 162), (139, 163), (139, 164), (139, 165), (139, 166), (139, 167), (139, 168), (139, 169), (139, 170), (139, 171), (139, 172), (139, 173), (139, 174), (139, 176), (140, 143), (140, 145), (140, 146), (140, 147), (140, 148), (140, 149), (140, 150), (140, 151), (140, 152), (140, 153), (140, 154), (140, 155), (140, 156), (140, 157), (140, 158), (140, 159), (140, 160), (140, 161), (140, 162), (140, 163), (140, 164), (140, 165), (140, 166), (140, 167), (140, 168), (140, 169), (140, 170), (140, 171), (140, 172), (140, 173), (140, 174), (140, 176), (141, 143), (141, 145), (141, 146), (141, 147), (141, 148), (141, 149), (141, 150), (141, 151), (141, 152), (141, 153), (141, 154), (141, 155), (141, 156), (141, 157), (141, 158), (141, 159), (141, 160), (141, 161), (141, 162), (141, 163), (141, 164), (141, 165), (141, 166), (141, 167), (141, 168), (141, 169), (141, 170), (141, 171), (141, 172), (141, 173), (141, 174), (141, 176), (142, 143), (142, 145), (142, 146), (142, 147), (142, 148), (142, 149), (142, 150), (142, 151), (142, 152), (142, 153), (142, 154), (142, 155), (142, 156), (142, 157), (142, 158), (142, 159), (142, 160), (142, 161), (142, 162), (142, 163), (142, 164), (142, 165), (142, 166), (142, 167), (142, 168), (142, 169), (142, 170), (142, 171), (142, 172), (142, 173), (142, 174), (142, 176), (143, 144), (143, 146), (143, 147), (143, 148), (143, 149), (143, 150), (143, 151), (143, 152), (143, 153), (143, 154), (143, 155), (143, 156), (143, 157), (143, 158), (143, 159), (143, 160), (143, 161), (143, 162), (143, 163), (143, 164), (143, 165), (143, 166), (143, 167), (143, 168), (143, 169), (143, 170), (143, 171), (143, 172), (143, 173), (143, 174), (143, 175), (143, 177), (144, 144), (144, 146), (144, 147), (144, 148), (144, 149), (144, 150), (144, 151), (144, 152), (144, 153), (144, 154), (144, 155), (144, 156), (144, 157), (144, 158), (144, 159), (144, 160), (144, 161), (144, 162), (144, 163), (144, 164), (144, 165), (144, 166), (144, 167), (144, 168), (144, 169), (144, 170), (144, 171), (144, 172), (144, 173), (144, 174), (144, 175), (144, 177), (145, 144), (145, 146), (145, 147), (145, 148), (145, 149), (145, 150), (145, 151), (145, 152), (145, 153), (145, 154), (145, 155), (145, 156), (145, 157), (145, 158), (145, 159), (145, 160), (145, 161), (145, 162), (145, 163), (145, 164), (145, 165), (145, 166), (145, 167), (145, 168), (145, 169), (145, 170), (145, 171), (145, 172), (145, 173), (145, 174), (145, 175), (145, 177), (146, 145), (146, 147), (146, 148), (146, 149), (146, 150), (146, 151), (146, 152), (146, 153), (146, 154), (146, 155), (146, 156), (146, 157), (146, 158), (146, 159), (146, 160), (146, 161), (146, 162), (146, 163), (146, 164), (146, 165), (146, 166), (146, 167), (146, 168), (146, 169), (146, 170), (146, 171), (146, 172), (146, 173), (146, 174), (146, 175), (146, 177), (147, 145), (147, 147), (147, 148), (147, 149), (147, 150), (147, 151), (147, 152), (147, 153), (147, 154), (147, 155), (147, 156), (147, 157), (147, 158), (147, 159), (147, 160), (147, 161), (147, 162), (147, 163), (147, 164), (147, 165), (147, 166), (147, 167), (147, 168), (147, 169), (147, 170), (147, 171), (147, 172), (147, 173), (147, 174), (147, 176), (148, 145), (148, 147), (148, 148), (148, 149), (148, 150), (148, 151), (148, 152), (148, 153), (148, 154), (148, 155), (148, 156), (148, 157), (148, 158), (148, 159), (148, 160), (148, 161), (148, 162), (148, 163), (148, 164), (148, 165), (148, 166), (148, 167), (148, 168), (148, 169), (148, 170), (148, 171), (148, 172), (148, 173), (148, 174), (148, 176), (149, 145), (149, 147), (149, 148), (149, 149), (149, 150), (149, 151), (149, 152), (149, 153), (149, 154), (149, 155), (149, 156), (149, 157), (149, 158), (149, 159), (149, 160), (149, 161), (149, 162), (149, 163), (149, 164), (149, 165), (149, 166), (149, 167), (149, 168), (149, 169), (149, 170), (149, 171), (149, 172), (149, 173), (149, 174), (149, 176), (150, 146), (150, 148), (150, 149), (150, 150), (150, 151), (150, 152), (150, 153), (150, 154), (150, 155), (150, 156), (150, 157), (150, 158), (150, 159), (150, 160), (150, 161), (150, 162), (150, 163), (150, 164), (150, 165), (150, 166), (150, 167), (150, 168), (150, 169), (150, 170), (150, 171), (150, 172), (150, 173), (150, 174), (150, 176), (151, 146), (151, 148), (151, 149), (151, 150), (151, 151), (151, 152), (151, 153), (151, 154), (151, 155), (151, 156), (151, 157), (151, 158), (151, 159), (151, 160), (151, 161), (151, 162), (151, 163), (151, 164), (151, 165), (151, 166), (151, 167), (151, 168), (151, 169), (151, 170), (151, 171), (151, 172), (151, 173), (151, 174), (151, 176), (152, 147), (152, 149), (152, 150), (152, 151), (152, 152), (152, 153), (152, 154), (152, 155), (152, 156), (152, 157), (152, 158), (152, 159), (152, 160), (152, 161), (152, 162), (152, 163), (152, 164), (152, 165), (152, 166), (152, 167), (152, 168), (152, 169), (152, 170), (152, 171), (152, 172), (152, 173), (152, 174), (152, 176), (153, 147), (153, 149), (153, 150), (153, 151), (153, 152), (153, 153), (153, 154), (153, 155), (153, 156), (153, 157), (153, 158), (153, 159), (153, 160), (153, 161), (153, 162), (153, 163), (153, 164), (153, 165), (153, 166), (153, 167), (153, 168), (153, 169), (153, 170), (153, 171), (153, 172), (153, 173), (153, 174), (153, 176), (154, 147), (154, 149), (154, 150), (154, 151), (154, 152), (154, 153), (154, 154), (154, 155), (154, 156), (154, 157), (154, 158), (154, 159), (154, 160), (154, 161), (154, 162), (154, 163), (154, 164), (154, 165), (154, 166), (154, 167), (154, 168), (154, 169), (154, 170), (154, 171), (154, 172), (154, 173), (154, 175), (155, 147), (155, 149), (155, 150), (155, 151), (155, 152), (155, 153), (155, 154), (155, 155), (155, 156), (155, 157), (155, 158), (155, 159), (155, 160), (155, 161), (155, 162), (155, 163), (155, 164), (155, 165), (155, 166), (155, 167), (155, 168), (155, 169), (155, 170), (155, 171), (155, 172), (155, 173), (155, 175), (156, 147), (156, 149), (156, 150), (156, 151), (156, 152), (156, 153), (156, 154), (156, 155), (156, 156), (156, 157), (156, 158), (156, 159), (156, 160), (156, 161), (156, 162), (156, 163), (156, 164), (156, 165), (156, 166), (156, 167), (156, 168), (156, 169), (156, 170), (156, 171), (156, 172), (156, 174), (157, 147), (157, 149), (157, 150), (157, 151), (157, 152), (157, 153), (157, 154), (157, 155), (157, 156), (157, 157), (157, 158), (157, 159), (157, 160), (157, 161), (157, 162), (157, 163), (157, 164), (157, 165), (157, 166), (157, 167), (157, 168), (157, 169), (157, 170), (157, 171), (157, 173), (158, 147), (158, 149), (158, 150), (158, 151), (158, 152), (158, 153), (158, 154), (158, 155), (158, 156), (158, 157), (158, 158), (158, 159), (158, 160), (158, 161), (158, 162), (158, 163), (158, 164), (158, 165), (158, 166), (158, 167), (158, 168), (158, 169), (158, 170), (158, 171), (158, 173), (159, 148), (159, 150), (159, 151), (159, 152), (159, 153), (159, 154), (159, 155), (159, 156), (159, 157), (159, 158), (159, 159), (159, 160), (159, 161), (159, 162), (159, 163), (159, 164), (159, 165), (159, 166), (159, 167), (159, 168), (159, 169), (159, 170), (159, 172), (160, 148), (160, 150), (160, 151), (160, 152), (160, 153), (160, 154), (160, 155), (160, 156), (160, 157), (160, 158), (160, 159), (160, 160), (160, 161), (160, 162), (160, 163), (160, 164), (160, 165), (160, 166), (160, 167), (160, 168), (160, 169), (160, 170), (160, 172), (161, 148), (161, 150), (161, 151), (161, 152), (161, 153), (161, 154), (161, 155), (161, 156), (161, 157), (161, 158), (161, 159), (161, 160), (161, 161), (161, 162), (161, 163), (161, 164), (161, 165), (161, 166), (161, 167), (161, 168), (161, 169), (161, 171), (162, 148), (162, 150), (162, 151), (162, 152), (162, 153), (162, 154), (162, 155), (162, 156), (162, 157), (162, 158), (162, 159), (162, 160), (162, 161), (162, 162), (162, 163), (162, 164), (162, 165), (162, 166), (162, 167), (162, 168), (162, 170), (163, 148), (163, 150), (163, 151), (163, 152), (163, 153), (163, 154), (163, 155), (163, 156), (163, 157), (163, 158), (163, 159), (163, 160), (163, 161), (163, 162), (163, 163), (163, 164), (163, 165), (163, 166), (163, 167), (163, 168), (163, 170), (164, 150), (164, 152), (164, 153), (164, 154), (164, 155), (164, 156), (164, 157), (164, 158), (164, 159), (164, 160), (164, 161), (164, 162), (164, 163), (164, 164), (164, 165), (164, 166), (164, 167), (164, 169), (165, 151), (165, 153), (165, 154), (165, 155), (165, 156), (165, 157), (165, 158), (165, 159), (165, 160), (165, 161), (165, 162), (165, 163), (165, 164), (165, 165), (165, 166), (165, 168), (166, 150), (166, 153), (166, 154), (166, 155), (166, 156), (166, 157), (166, 158), (166, 159), (166, 160), (166, 161), (166, 162), (166, 163), (166, 167), (167, 150), (167, 152), (167, 153), (167, 154), (167, 155), (167, 156), (167, 157), (167, 158), (167, 163), (167, 164), (167, 166), (168, 153), (168, 154), (168, 155), (168, 156), (168, 160), (168, 161), (168, 162), (168, 163), (169, 154), (169, 158), (170, 154), (170, 156))
coordinates_f4_deb3 = ((130, 73), (131, 72), (131, 74), (132, 72), (132, 75), (133, 72), (133, 74), (133, 76), (134, 72), (134, 74), (134, 75), (134, 77), (135, 72), (135, 74), (135, 75), (135, 76), (135, 78), (136, 72), (136, 74), (136, 75), (136, 77), (137, 72), (137, 74), (137, 75), (137, 77), (137, 84), (137, 85), (137, 86), (137, 88), (137, 89), (138, 72), (138, 74), (138, 75), (138, 77), (138, 82), (139, 72), (139, 74), (139, 76), (139, 81), (139, 84), (139, 85), (139, 86), (139, 88), (140, 73), (140, 76), (140, 80), (140, 82), (140, 83), (140, 84), (140, 85), (140, 87), (141, 73), (141, 76), (141, 79), (141, 81), (141, 82), (141, 83), (141, 86), (142, 74), (142, 77), (142, 80), (142, 81), (142, 82), (142, 85), (143, 75), (143, 79), (143, 80), (143, 81), (143, 83), (144, 77), (144, 79), (144, 80), (144, 82), (145, 78), (145, 81), (145, 88), (145, 90), (145, 91), (145, 92), (145, 94), (146, 78), (146, 81), (146, 86), (146, 89), (147, 78), (147, 80), (147, 81), (147, 85), (147, 87), (147, 100), (148, 78), (148, 80), (148, 83), (149, 78), (149, 82), (150, 79), (150, 80))
coordinates_26408_b = ((124, 82), (124, 84), (124, 85), (124, 90), (124, 91), (124, 106), (124, 111), (125, 81), (125, 86), (125, 89), (125, 92), (125, 94), (125, 98), (125, 99), (125, 100), (125, 101), (125, 102), (125, 103), (125, 104), (125, 105), (125, 106), (125, 107), (125, 108), (125, 109), (125, 111), (126, 79), (126, 82), (126, 83), (126, 84), (126, 85), (126, 87), (126, 88), (126, 89), (126, 90), (126, 111), (127, 74), (127, 76), (127, 77), (127, 78), (127, 81), (127, 82), (127, 83), (127, 84), (127, 85), (127, 86), (127, 89), (127, 91), (127, 100), (127, 101), (127, 104), (127, 107), (127, 111), (127, 112), (128, 74), (128, 78), (128, 79), (128, 80), (128, 81), (128, 82), (128, 83), (128, 84), (128, 85), (128, 86), (128, 87), (128, 88), (128, 90), (128, 105), (128, 106), (128, 111), (128, 113), (129, 75), (129, 77), (129, 78), (129, 79), (129, 80), (129, 81), (129, 82), (129, 83), (129, 84), (129, 85), (129, 86), (129, 87), (129, 90), (129, 111), (129, 113), (130, 76), (130, 78), (130, 79), (130, 80), (130, 81), (130, 82), (130, 83), (130, 84), (130, 85), (130, 86), (130, 89), (130, 111), (130, 113), (131, 77), (131, 88), (131, 96), (131, 110), (131, 112), (132, 78), (132, 80), (132, 81), (132, 82), (132, 83), (132, 84), (132, 86), (132, 95), (132, 97), (132, 100), (132, 101), (132, 102), (132, 103), (132, 104), (132, 105), (132, 106), (132, 107), (132, 108), (132, 109), (132, 111), (133, 99), (133, 111), (134, 94), (134, 96), (134, 97), (134, 98), (134, 101), (134, 102), (134, 103), (134, 104), (134, 105), (134, 110), (135, 95), (135, 97), (135, 99), (135, 106), (135, 107), (135, 108), (135, 110), (136, 95), (136, 98), (136, 110), (137, 95), (137, 98), (138, 96), (138, 98), (139, 96), (139, 99), (140, 97), (140, 100), (141, 98), (141, 100), (142, 99), (142, 100))
coordinates_f5_deb3 = ((94, 110), (95, 109), (95, 110), (96, 108), (96, 109), (97, 79), (97, 81), (97, 83), (97, 107), (97, 108), (98, 78), (98, 80), (98, 83), (98, 106), (98, 107), (99, 77), (99, 79), (99, 82), (99, 84), (99, 99), (99, 101), (99, 102), (99, 103), (99, 104), (99, 105), (100, 76), (100, 79), (100, 83), (100, 85), (100, 86), (100, 88), (100, 98), (101, 76), (101, 79), (101, 86), (101, 87), (101, 90), (101, 99), (102, 76), (102, 79), (102, 80), (102, 91), (102, 92), (102, 95), (102, 98), (103, 77), (103, 80), (103, 90), (103, 93), (103, 97), (104, 78), (104, 80), (104, 90), (104, 92), (104, 94), (104, 96), (105, 81), (105, 89), (105, 91), (105, 92), (105, 93), (105, 95), (106, 81), (106, 88), (106, 90), (106, 94), (107, 81), (107, 82), (107, 88), (107, 91), (107, 93), (108, 81), (108, 82), (108, 88), (108, 90), (109, 81), (110, 74), (110, 75), (110, 77), (110, 81), (110, 82), (111, 74), (111, 78), (111, 79), (111, 82), (112, 73), (112, 75), (112, 76), (112, 77), (112, 82), (113, 74), (113, 76), (113, 77), (113, 78), (113, 79), (113, 80), (113, 82), (114, 75), (114, 77), (114, 78), (114, 79), (114, 81), (115, 76), (115, 78), (115, 79), (115, 81), (116, 77), (116, 79), (116, 81), (117, 78), (117, 81), (118, 79), (118, 81), (119, 79))
coordinates_016400 = ((124, 127), (124, 129), (124, 130), (124, 132), (125, 129), (125, 133), (126, 129), (126, 131), (126, 132), (126, 134), (127, 129), (127, 131), (127, 136), (128, 129), (128, 132), (128, 136), (129, 128), (129, 134), (129, 136), (130, 128), (130, 130), (130, 135), (130, 136), (131, 135), (131, 137), (132, 135), (132, 137), (133, 135), (133, 137), (134, 134), (134, 136), (134, 138), (135, 133), (135, 135), (135, 136), (135, 137), (135, 139), (136, 133), (136, 135), (136, 136), (136, 137), (136, 139), (137, 132), (137, 134), (137, 135), (137, 136), (137, 137), (137, 138), (137, 140), (138, 131), (138, 133), (138, 134), (138, 135), (138, 136), (138, 137), (138, 138), (138, 140), (139, 131), (139, 133), (139, 137), (139, 138), (139, 139), (139, 140), (139, 141), (140, 130), (140, 132), (140, 135), (140, 136), (140, 137), (140, 138), (140, 139), (140, 141), (141, 130), (141, 133), (141, 137), (141, 139), (141, 141), (142, 129), (142, 132), (142, 137), (142, 139), (142, 141), (143, 129), (143, 131), (143, 137), (143, 139), (144, 129), (144, 130), (144, 136), (144, 140), (144, 142), (145, 136), (145, 138), (146, 135))
coordinates_cc5_b45 = ((147, 90), (147, 91), (147, 94), (147, 95), (147, 96), (148, 89), (148, 90), (148, 93), (148, 94), (148, 98), (149, 86), (149, 87), (149, 89), (149, 96), (149, 100), (150, 85), (150, 88), (150, 97), (150, 98), (150, 100), (151, 85), (151, 87), (151, 99), (151, 100), (152, 85), (152, 86), (152, 92), (153, 84), (153, 86), (153, 92), (153, 93), (154, 83), (154, 86), (154, 92), (155, 83), (155, 86), (155, 92), (155, 93), (155, 96), (156, 83), (156, 86), (156, 91), (156, 93), (156, 94), (156, 97), (157, 84), (157, 87), (157, 91), (157, 93), (157, 94), (157, 95), (157, 96), (157, 98), (158, 85), (158, 89), (158, 91), (158, 92), (158, 93), (158, 94), (158, 95), (158, 98), (159, 88), (159, 91), (159, 92), (159, 93), (159, 95), (160, 88), (160, 90), (160, 91), (160, 92), (160, 93), (160, 95), (161, 89), (161, 91), (161, 92), (161, 93), (161, 94), (161, 96), (162, 89), (162, 91), (162, 92), (162, 93), (162, 94), (162, 95), (162, 97), (163, 90), (163, 92), (163, 93), (163, 94), (163, 95), (163, 97), (164, 91), (164, 95), (164, 96), (164, 98), (165, 92), (165, 93), (165, 96), (165, 98), (166, 95), (166, 98), (167, 96), (167, 98), (168, 97))
coordinates_27408_b = ((103, 109), (104, 106), (104, 108), (105, 104), (105, 109), (106, 102), (106, 106), (106, 107), (106, 108), (106, 109), (106, 110), (106, 112), (107, 101), (107, 104), (107, 105), (107, 106), (107, 107), (107, 108), (107, 109), (107, 110), (107, 112), (108, 102), (108, 103), (108, 104), (108, 105), (108, 106), (108, 107), (108, 108), (108, 109), (109, 99), (109, 101), (109, 104), (109, 105), (109, 106), (109, 107), (109, 108), (109, 111), (110, 100), (110, 103), (110, 104), (110, 105), (110, 106), (110, 107), (110, 109), (111, 104), (111, 106), (111, 108), (112, 104), (112, 107), (113, 104), (113, 106), (114, 91), (114, 92), (114, 93), (114, 95), (114, 104), (114, 106), (115, 89), (115, 97), (115, 104), (115, 106), (116, 89), (116, 91), (116, 92), (116, 93), (116, 94), (116, 95), (116, 97), (116, 104), (116, 106), (117, 90), (117, 92), (117, 93), (117, 94), (117, 96), (117, 105), (117, 106), (118, 90), (118, 92), (118, 93), (118, 94), (118, 96), (118, 105), (118, 107), (119, 91), (119, 93), (119, 94), (119, 95), (119, 97), (119, 104), (119, 107), (120, 81), (120, 82), (120, 85), (120, 86), (120, 90), (120, 92), (120, 93), (120, 94), (120, 95), (120, 96), (120, 98), (120, 103), (120, 105), (120, 106), (120, 108), (121, 79), (121, 81), (121, 88), (121, 89), (121, 94), (121, 95), (121, 96), (121, 97), (121, 99), (121, 100), (121, 101), (121, 107), (122, 82), (122, 84), (122, 85), (122, 87), (122, 90), (122, 91), (122, 92), (122, 93), (122, 94), (122, 102), (122, 103), (122, 104), (122, 105), (122, 107), (123, 94), (123, 95), (123, 96), (123, 97), (123, 98), (123, 99))
coordinates_006400 = ((103, 140), (103, 142), (104, 139), (104, 142), (105, 130), (105, 131), (105, 139), (105, 142), (106, 129), (106, 132), (106, 139), (106, 141), (107, 129), (107, 131), (107, 133), (107, 138), (107, 141), (108, 129), (108, 131), (108, 132), (108, 135), (108, 136), (108, 140), (109, 130), (109, 132), (109, 133), (109, 138), (109, 140), (110, 130), (110, 132), (110, 133), (110, 134), (110, 135), (110, 136), (110, 137), (110, 139), (111, 130), (111, 132), (111, 133), (111, 134), (111, 135), (111, 136), (111, 138), (112, 130), (112, 132), (112, 133), (112, 134), (112, 135), (112, 136), (112, 138), (113, 130), (113, 132), (113, 133), (113, 134), (113, 135), (113, 137), (114, 131), (114, 133), (114, 134), (114, 135), (114, 137), (115, 132), (115, 136), (116, 125), (116, 127), (116, 132), (116, 135), (117, 124), (117, 128), (117, 132), (118, 123), (118, 130), (118, 132), (119, 121), (119, 128), (120, 120), (120, 124), (120, 129), (121, 120), (121, 123))
coordinates_cd5_b45 = ((73, 99), (73, 101), (73, 102), (73, 103), (73, 104), (74, 106), (74, 107), (74, 110), (75, 96), (75, 99), (75, 100), (75, 101), (75, 102), (75, 103), (75, 104), (75, 105), (75, 108), (75, 110), (76, 95), (76, 98), (76, 99), (76, 100), (76, 101), (76, 102), (76, 103), (76, 104), (76, 107), (76, 110), (77, 94), (77, 96), (77, 97), (77, 98), (77, 99), (77, 100), (77, 101), (77, 102), (77, 103), (77, 105), (77, 106), (77, 108), (77, 110), (78, 93), (78, 95), (78, 96), (78, 97), (78, 98), (78, 99), (78, 100), (78, 101), (78, 102), (78, 104), (78, 108), (78, 110), (79, 92), (79, 94), (79, 95), (79, 96), (79, 97), (79, 98), (79, 99), (79, 100), (79, 101), (79, 103), (79, 108), (79, 110), (80, 90), (80, 93), (80, 94), (80, 95), (80, 96), (80, 97), (80, 98), (80, 99), (80, 100), (80, 101), (80, 103), (80, 108), (80, 110), (81, 89), (81, 92), (81, 93), (81, 94), (81, 95), (81, 96), (81, 97), (81, 98), (81, 99), (81, 100), (81, 101), (81, 103), (81, 108), (81, 110), (82, 88), (82, 91), (82, 92), (82, 93), (82, 94), (82, 95), (82, 96), (82, 97), (82, 98), (82, 99), (82, 100), (82, 101), (82, 102), (82, 104), (82, 110), (83, 87), (83, 89), (83, 90), (83, 91), (83, 92), (83, 93), (83, 94), (83, 95), (83, 96), (83, 97), (83, 98), (83, 99), (83, 100), (83, 101), (83, 102), (83, 104), (83, 109), (83, 110), (84, 86), (84, 88), (84, 89), (84, 90), (84, 91), (84, 92), (84, 93), (84, 94), (84, 95), (84, 96), (84, 97), (84, 98), (84, 99), (84, 100), (84, 101), (84, 102), (84, 104), (84, 109), (84, 110), (85, 86), (85, 88), (85, 89), (85, 92), (85, 93), (85, 94), (85, 95), (85, 96), (85, 97), (85, 103), (85, 110), (86, 86), (86, 88), (86, 91), (86, 92), (86, 93), (86, 94), (86, 95), (86, 96), (86, 103), (87, 85), (87, 87), (87, 89), (87, 92), (87, 94), (87, 95), (87, 98), (87, 102), (88, 84), (88, 88), (88, 92), (88, 93), (88, 94), (88, 97), (88, 102), (89, 83), (89, 87), (89, 93), (89, 96), (90, 82), (90, 93), (91, 81), (91, 84), (92, 81), (92, 84), (92, 107), (92, 108), (92, 110), (93, 81), (93, 82), (93, 84), (93, 106), (94, 82), (94, 84), (94, 105), (95, 81), (95, 82), (95, 83), (95, 84), (95, 85), (95, 86), (95, 88), (95, 96), (95, 97), (95, 104), (96, 89), (96, 98), (96, 99), (96, 100), (96, 101), (96, 102), (96, 106), (97, 88), (97, 90), (97, 94), (97, 96), (97, 99), (97, 100), (97, 101), (97, 102), (97, 103), (97, 105), (98, 88), (98, 92), (98, 95), (98, 97), (99, 90), (99, 96), (100, 92), (100, 95))
coordinates_6395_ed = ((124, 123), (124, 125), (125, 122), (125, 125), (126, 122), (126, 125), (127, 122), (127, 124), (128, 122), (128, 124), (129, 122), (129, 125), (130, 122), (130, 124), (130, 126), (131, 122), (131, 125), (132, 121), (132, 122), (132, 125), (133, 121), (133, 124), (134, 121), (134, 124), (135, 120), (135, 122), (135, 124), (136, 120), (136, 123), (137, 121), (137, 123), (138, 122), (138, 123), (139, 123))
coordinates_00_fffe = ((146, 140), (146, 142), (147, 137), (147, 138), (147, 139), (147, 142), (148, 135), (148, 140), (148, 142), (149, 135), (149, 137), (149, 138), (149, 139), (149, 140), (149, 142), (150, 136), (150, 138), (150, 139), (150, 140), (150, 141), (150, 143), (151, 136), (151, 138), (151, 139), (151, 140), (151, 141), (151, 142), (151, 144), (152, 137), (152, 140), (152, 141), (152, 142), (152, 144), (153, 138), (153, 145), (154, 140), (154, 142), (154, 143), (154, 145), (155, 145), (156, 145), (157, 137), (157, 145), (158, 137), (158, 138), (158, 144), (158, 145), (159, 137), (159, 139), (159, 144), (159, 145), (160, 137), (160, 139), (160, 144), (160, 145), (161, 137), (161, 139), (161, 144), (161, 145), (162, 137), (162, 140), (162, 144), (162, 145), (163, 138), (163, 141), (163, 145), (164, 139), (164, 142), (164, 145), (165, 140), (165, 143), (165, 145), (166, 140), (166, 145), (167, 141), (167, 145), (168, 144))
coordinates_b4_e7_fa = ((118, 139), (119, 139), (119, 141), (120, 138), (120, 142), (120, 143), (120, 144), (120, 145), (120, 146), (120, 147), (120, 148), (120, 149), (120, 150), (121, 137), (121, 139), (121, 140), (121, 141), (121, 151), (121, 152), (121, 153), (121, 154), (121, 155), (121, 156), (122, 137), (122, 139), (122, 140), (122, 141), (122, 142), (122, 143), (122, 144), (122, 145), (122, 146), (122, 147), (122, 148), (122, 149), (122, 150), (122, 158), (123, 136), (123, 138), (123, 139), (123, 140), (123, 141), (123, 142), (123, 143), (123, 144), (123, 145), (123, 146), (123, 147), (123, 148), (123, 149), (123, 150), (123, 151), (123, 152), (123, 153), (123, 154), (123, 155), (123, 156), (123, 158), (124, 136), (124, 138), (124, 139), (124, 140), (124, 141), (124, 142), (124, 143), (124, 144), (124, 145), (124, 146), (124, 147), (124, 148), (124, 149), (124, 150), (124, 151), (124, 158), (125, 137), (125, 139), (125, 140), (125, 141), (125, 142), (125, 143), (125, 144), (125, 145), (125, 146), (125, 147), (125, 152), (125, 153), (125, 154), (125, 155), (125, 156), (125, 157), (125, 159), (126, 138), (126, 140), (126, 141), (126, 142), (126, 143), (126, 144), (126, 145), (126, 148), (126, 149), (126, 151), (127, 138), (127, 140), (127, 141), (127, 142), (127, 143), (127, 144), (127, 147), (128, 138), (128, 140), (128, 141), (128, 142), (128, 145), (129, 138), (129, 139), (129, 140), (129, 144), (130, 139), (130, 142), (131, 139))
coordinates_f98072 = ((123, 121), (124, 113), (125, 113), (125, 115), (126, 114), (126, 115), (127, 114), (127, 115), (128, 115), (128, 116), (129, 116), (130, 116), (130, 117), (131, 115), (131, 117), (132, 114), (132, 117), (133, 113), (133, 116), (134, 113), (134, 115), (135, 112), (135, 114), (136, 112), (136, 115), (137, 112), (137, 115), (137, 116), (138, 112), (138, 115), (138, 117), (139, 113), (139, 118), (140, 114), (140, 115), (140, 118), (141, 116), (141, 118))
coordinates_97_fb98 = ((158, 115), (159, 114), (159, 115), (159, 135), (160, 115), (160, 135), (161, 113), (161, 115), (161, 126), (161, 129), (161, 135), (162, 113), (162, 114), (162, 125), (162, 129), (162, 135), (163, 113), (163, 114), (163, 123), (163, 126), (163, 128), (163, 135), (164, 113), (164, 114), (164, 122), (164, 125), (164, 126), (164, 128), (164, 135), (165, 113), (165, 114), (165, 121), (165, 124), (165, 125), (165, 126), (165, 128), (165, 136), (166, 113), (166, 114), (166, 123), (166, 124), (166, 125), (166, 126), (166, 127), (166, 128), (166, 129), (166, 131), (166, 137), (166, 138), (167, 113), (167, 114), (167, 122), (167, 123), (167, 124), (167, 125), (167, 126), (167, 127), (167, 128), (167, 132), (167, 137), (167, 139), (168, 113), (168, 114), (168, 121), (168, 122), (168, 123), (168, 124), (168, 125), (168, 126), (168, 127), (168, 128), (168, 129), (168, 130), (168, 131), (168, 136), (168, 137), (168, 139), (169, 113), (169, 114), (169, 120), (169, 121), (169, 122), (169, 123), (169, 124), (169, 125), (169, 126), (169, 127), (169, 128), (169, 129), (169, 130), (169, 132), (169, 135), (169, 138), (170, 113), (170, 114), (170, 117), (170, 119), (170, 120), (170, 121), (170, 122), (170, 123), (170, 124), (170, 125), (170, 126), (170, 127), (170, 128), (170, 130), (170, 133), (170, 134), (170, 137), (171, 113), (171, 115), (171, 118), (171, 119), (171, 120), (171, 121), (171, 122), (171, 123), (171, 124), (171, 125), (171, 126), (171, 127), (171, 128), (171, 130), (171, 135), (171, 136), (172, 113), (172, 121), (172, 122), (172, 123), (172, 124), (172, 125), (172, 126), (172, 127), (172, 128), (172, 130), (173, 114), (173, 116), (173, 117), (173, 118), (173, 119), (173, 120), (173, 124), (173, 125), (173, 126), (173, 127), (173, 129), (174, 114), (174, 121), (174, 123), (174, 129), (175, 124), (175, 126))
coordinates_323287 = ((148, 112), (148, 114), (149, 109), (149, 110), (149, 114), (150, 108), (150, 114), (151, 102), (151, 106), (151, 109), (151, 110), (151, 111), (151, 113), (152, 102), (152, 104), (152, 107), (153, 106), (156, 114), (157, 112), (157, 113), (158, 100), (158, 111), (158, 113), (159, 100), (159, 101), (159, 110), (159, 112), (160, 100), (160, 101), (160, 109), (160, 111), (161, 100), (161, 101), (161, 109), (161, 110), (162, 99), (162, 101), (162, 109), (162, 110), (163, 101), (163, 109), (163, 110), (164, 100), (164, 101), (164, 108), (164, 110), (165, 100), (165, 101), (165, 104), (165, 108), (165, 110), (166, 100), (166, 102), (166, 103), (166, 105), (166, 106), (166, 108), (166, 109), (166, 111), (167, 100), (167, 104), (167, 108), (167, 109), (167, 111), (168, 101), (168, 104), (168, 105), (168, 106), (168, 107), (168, 108), (168, 109), (168, 111), (169, 102), (169, 105), (169, 106), (169, 107), (169, 108), (169, 110), (170, 106), (170, 107), (170, 109), (171, 105), (171, 108), (172, 106), (172, 107))
coordinates_6495_ed = ((104, 123), (104, 124), (105, 122), (105, 124), (106, 121), (106, 124), (107, 120), (107, 122), (107, 124), (108, 120), (108, 122), (108, 124), (109, 120), (109, 122), (109, 124), (110, 119), (110, 121), (110, 123), (111, 119), (111, 121), (111, 123), (112, 118), (112, 120), (112, 122), (113, 117), (113, 119), (113, 121), (114, 116), (114, 118), (114, 119), (114, 121), (115, 118), (115, 120), (116, 115), (116, 117), (116, 119), (117, 115), (117, 117), (117, 119), (118, 115), (118, 118), (118, 119), (119, 115), (119, 118), (120, 115), (120, 118), (121, 115), (121, 118), (122, 116))
coordinates_01_ffff = ((77, 147), (77, 148), (78, 147), (78, 148), (79, 147), (79, 149), (80, 147), (80, 149), (81, 147), (81, 149), (82, 147), (82, 149), (83, 147), (83, 149), (84, 147), (84, 149), (85, 146), (85, 149), (86, 146), (86, 149), (87, 145), (87, 147), (87, 149), (88, 143), (88, 145), (88, 146), (88, 148), (89, 146), (89, 148), (90, 146), (90, 148), (91, 145), (91, 147), (92, 142), (92, 143), (92, 144), (92, 147), (93, 137), (93, 139), (93, 140), (93, 141), (93, 146), (94, 137), (94, 142), (94, 143), (94, 144), (94, 146), (95, 137), (95, 139), (95, 140), (95, 141), (95, 142), (95, 143), (95, 144), (95, 146), (96, 137), (96, 139), (96, 140), (96, 141), (96, 142), (96, 143), (96, 144), (96, 146), (97, 138), (97, 140), (97, 141), (97, 142), (97, 143), (97, 145), (98, 139), (98, 141), (98, 142), (98, 143), (98, 145), (99, 140), (99, 142), (99, 144), (100, 140), (100, 144), (101, 141), (101, 143))
coordinates_fa8072 = ((103, 112), (104, 113), (104, 116), (105, 116), (106, 116), (107, 116), (108, 114), (108, 116), (109, 113), (109, 115), (110, 112), (110, 114), (111, 111), (111, 113), (112, 109), (112, 112), (113, 108), (113, 111), (114, 108), (114, 111), (115, 108), (115, 111), (116, 108), (116, 111), (117, 108), (117, 111), (118, 109), (118, 110), (119, 110), (121, 110), (122, 109), (122, 110), (122, 111), (122, 113), (122, 114))
coordinates_98_fb98 = ((72, 128), (72, 130), (72, 131), (72, 132), (72, 133), (73, 135), (73, 136), (74, 127), (74, 129), (74, 132), (74, 133), (74, 134), (74, 137), (74, 138), (74, 140), (75, 127), (75, 129), (75, 130), (75, 131), (75, 132), (75, 133), (75, 135), (75, 141), (76, 127), (76, 129), (76, 132), (76, 134), (76, 137), (76, 138), (76, 139), (76, 141), (77, 127), (77, 129), (77, 132), (77, 133), (77, 138), (77, 140), (77, 142), (78, 127), (78, 129), (78, 130), (78, 131), (78, 132), (78, 133), (78, 138), (78, 140), (78, 141), (78, 145), (79, 127), (79, 129), (79, 132), (79, 138), (79, 140), (79, 141), (79, 142), (79, 145), (80, 127), (80, 129), (80, 130), (80, 132), (80, 138), (80, 140), (80, 141), (80, 142), (80, 143), (80, 145), (81, 128), (81, 130), (81, 132), (81, 137), (81, 139), (81, 140), (81, 141), (81, 142), (81, 143), (81, 145), (82, 129), (82, 132), (82, 137), (82, 139), (82, 140), (82, 141), (82, 142), (82, 143), (82, 144), (82, 145), (83, 129), (83, 132), (83, 137), (83, 139), (83, 144), (84, 130), (84, 132), (84, 137), (84, 141), (84, 144), (85, 130), (85, 132), (85, 137), (85, 139), (85, 143), (85, 144), (86, 130), (86, 131), (86, 143), (87, 130), (87, 131))
coordinates_fec0_cb = ((139, 103), (139, 104), (140, 104), (141, 104), (141, 106), (142, 105), (142, 107), (143, 105), (143, 107), (144, 105), (144, 108), (145, 106), (145, 109), (146, 106), (146, 108), (146, 111), (146, 113), (147, 105), (147, 109), (147, 110), (148, 102), (148, 105), (148, 108), (149, 102), (149, 106))
coordinates_333287 = ((71, 119), (72, 114), (72, 116), (72, 117), (72, 120), (73, 112), (73, 117), (73, 118), (73, 119), (73, 122), (73, 124), (74, 112), (74, 114), (74, 115), (74, 125), (75, 112), (75, 117), (75, 119), (75, 120), (75, 121), (75, 122), (75, 123), (75, 125), (76, 112), (76, 114), (76, 122), (76, 123), (76, 125), (77, 112), (77, 114), (77, 122), (77, 125), (78, 112), (78, 115), (78, 122), (78, 125), (79, 112), (79, 114), (79, 116), (79, 122), (79, 125), (80, 112), (80, 114), (80, 115), (80, 117), (80, 122), (80, 125), (81, 112), (81, 114), (81, 115), (81, 116), (81, 118), (81, 122), (81, 124), (81, 125), (81, 126), (82, 112), (82, 114), (82, 115), (82, 116), (82, 123), (82, 126), (83, 112), (83, 114), (83, 115), (83, 116), (83, 117), (83, 119), (83, 123), (83, 125), (83, 127), (84, 112), (84, 114), (84, 115), (84, 116), (84, 117), (84, 118), (84, 119), (84, 124), (84, 126), (85, 112), (85, 120), (85, 125), (85, 128), (86, 112), (86, 114), (86, 115), (86, 116), (86, 117), (86, 118), (86, 120), (86, 126), (86, 128), (87, 127), (87, 128), (92, 112))
coordinates_ffc0_cb = ((94, 112), (94, 114)) |
class EMA:
def __init__(self):
self.EMA_12 = []
self.EMA_20 = []
self.EMA_26 = []
self.EMA_50 = []
self.EMA_80 = []
self.EMA_85 = []
self.EMA_90 = []
self.EMA_95 = []
self.EMA_100 = []
self.EMA_160 = []
@staticmethod
def EMA(data_list, previous_EMA):
period = len(data_list)
weigth = 2 / (period + 1)
current_EMA = data_list[-1] * weigth + previous_EMA * (1 - weigth)
return current_EMA
| class Ema:
def __init__(self):
self.EMA_12 = []
self.EMA_20 = []
self.EMA_26 = []
self.EMA_50 = []
self.EMA_80 = []
self.EMA_85 = []
self.EMA_90 = []
self.EMA_95 = []
self.EMA_100 = []
self.EMA_160 = []
@staticmethod
def ema(data_list, previous_EMA):
period = len(data_list)
weigth = 2 / (period + 1)
current_ema = data_list[-1] * weigth + previous_EMA * (1 - weigth)
return current_EMA |
def solution(x):
s = 0
for i in range(x):
if i%3 == 0 or i%5 == 0:
s += i
return s | def solution(x):
s = 0
for i in range(x):
if i % 3 == 0 or i % 5 == 0:
s += i
return s |
class Iris:
def __init__(self, features, label):
self.features = features
self.label = label
def sum(self):
return sum(self.features)
for *features, label in DATA:
iris = Iris(features, label)
result[iris.label] = iris.sum()
| class Iris:
def __init__(self, features, label):
self.features = features
self.label = label
def sum(self):
return sum(self.features)
for (*features, label) in DATA:
iris = iris(features, label)
result[iris.label] = iris.sum() |
# -*- coding: utf-8 -*-
#
# ===================================================================
# The contents of this file are dedicated to the public domain. To
# the extent that dedication to the public domain is not available,
# everyone is granted a worldwide, perpetual, royalty-free,
# non-exclusive license to exercise all rights associated with the
# contents of this file for any purpose whatsoever.
# No rights are reserved.
#
# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND,
# EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
# MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND
# NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS
# BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN
# ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN
# CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
# SOFTWARE.
# ===================================================================
"""Hashing algorithms
Hash functions take arbitrary binary strings as input, and produce a random-like output
of fixed size that is dependent on the input; it should be practically infeasible
to derive the original input data given only the hash function's
output. In other words, the hash function is *one-way*.
It should also not be practically feasible to find a second piece of data
(a *second pre-image*) whose hash is the same as the original message
(*weak collision resistance*).
Finally, it should not be feasible to find two arbitrary messages with the
same hash (*strong collision resistance*).
The output of the hash function is called the *digest* of the input message.
In general, the security of a hash function is related to the length of the
digest. If the digest is *n* bits long, its security level is roughly comparable
to the the one offered by an *n/2* bit encryption algorithm.
Hash functions can be used simply as a integrity check, or, in
association with a public-key algorithm, can be used to implement
digital signatures.
The hashing modules here all support the interface described in `PEP
247`_ , "API for Cryptographic Hash Functions".
.. _`PEP 247` : http://www.python.org/dev/peps/pep-0247/
:undocumented: _MD2, _MD4, _RIPEMD160, _SHA224, _SHA256, _SHA384, _SHA512
"""
__all__ = ['HMAC', 'MD2', 'MD4', 'MD5', 'RIPEMD', 'SHA',
'SHA224', 'SHA256', 'SHA384', 'SHA512']
__revision__ = "$Id$"
| """Hashing algorithms
Hash functions take arbitrary binary strings as input, and produce a random-like output
of fixed size that is dependent on the input; it should be practically infeasible
to derive the original input data given only the hash function's
output. In other words, the hash function is *one-way*.
It should also not be practically feasible to find a second piece of data
(a *second pre-image*) whose hash is the same as the original message
(*weak collision resistance*).
Finally, it should not be feasible to find two arbitrary messages with the
same hash (*strong collision resistance*).
The output of the hash function is called the *digest* of the input message.
In general, the security of a hash function is related to the length of the
digest. If the digest is *n* bits long, its security level is roughly comparable
to the the one offered by an *n/2* bit encryption algorithm.
Hash functions can be used simply as a integrity check, or, in
association with a public-key algorithm, can be used to implement
digital signatures.
The hashing modules here all support the interface described in `PEP
247`_ , "API for Cryptographic Hash Functions".
.. _`PEP 247` : http://www.python.org/dev/peps/pep-0247/
:undocumented: _MD2, _MD4, _RIPEMD160, _SHA224, _SHA256, _SHA384, _SHA512
"""
__all__ = ['HMAC', 'MD2', 'MD4', 'MD5', 'RIPEMD', 'SHA', 'SHA224', 'SHA256', 'SHA384', 'SHA512']
__revision__ = '$Id$' |
class CameraInterface:
def get_image(self):
raise NotImplementedError()
def get_depth(self):
raise NotImplementedError() | class Camerainterface:
def get_image(self):
raise not_implemented_error()
def get_depth(self):
raise not_implemented_error() |
class HTTPCache(ValueError):
pass
__all__ = ("HTTPCache",)
| class Httpcache(ValueError):
pass
__all__ = ('HTTPCache',) |
class AuthError(Exception):
pass
class BadExtentError(Exception):
pass
class InvalidEndpoint(Exception):
pass
class InvalidDatestring(Exception):
pass
class RequiredArgumentError(Exception):
pass
class Request429Error(Exception):
pass
class RequestsPerSecondLimitExceeded(Request429Error):
pass
class RequestsPerDayLimitExceeded(Request429Error):
pass
class Request400Error(Exception):
pass
class Request502Error(Exception):
""" only seems to happen when making
many requests. server is just busy """
pass
| class Autherror(Exception):
pass
class Badextenterror(Exception):
pass
class Invalidendpoint(Exception):
pass
class Invaliddatestring(Exception):
pass
class Requiredargumenterror(Exception):
pass
class Request429Error(Exception):
pass
class Requestspersecondlimitexceeded(Request429Error):
pass
class Requestsperdaylimitexceeded(Request429Error):
pass
class Request400Error(Exception):
pass
class Request502Error(Exception):
""" only seems to happen when making
many requests. server is just busy """
pass |
class Warning(StandardError):
pass
class Error(StandardError):
pass
class InterfaceError(Error):
pass
class DatabaseError(Error):
pass
class DataError(DatabaseError):
pass
class OperationalError(DatabaseError):
pass
class IntegrityError(DatabaseError):
pass
class InternalError(DatabaseError):
pass
class ProgrammingError(DatabaseError):
pass
class NotSupportedError(DatabaseError):
pass
| class Warning(StandardError):
pass
class Error(StandardError):
pass
class Interfaceerror(Error):
pass
class Databaseerror(Error):
pass
class Dataerror(DatabaseError):
pass
class Operationalerror(DatabaseError):
pass
class Integrityerror(DatabaseError):
pass
class Internalerror(DatabaseError):
pass
class Programmingerror(DatabaseError):
pass
class Notsupportederror(DatabaseError):
pass |
# This makes this folder a package and can be left empty if you like.
# the __all__ special variable indicates what modules to load then the * star
# is used for importing.
__all__ = ['aCoolModule']
| __all__ = ['aCoolModule'] |
main_colors = ['red', 'yellow', 'blue']
secondary_colors = {
'orange': ('red', 'yellow'),
'purple': ('red', 'blue'),
'green': ('yellow', 'blue')
}
base_strings = input().split()
made_colors_all = []
made_colors_final = []
while base_strings:
first_string = base_strings.pop(0)
second_string = base_strings.pop() if base_strings else ""
first_combination = (first_string + second_string)
second_combination = (second_string + first_string)
if first_combination in main_colors or first_combination in secondary_colors:
made_colors_all.append(first_combination)
elif second_combination in main_colors or second_combination in secondary_colors:
made_colors_all.append(second_combination)
else:
if first_string[:-1] != '':
base_strings.insert(len(base_strings) // 2, first_string[:-1])
if second_string[:-1] != '':
base_strings.insert(len(base_strings) // 2, second_string[:-1])
for color in made_colors_all:
if color in secondary_colors:
if secondary_colors[color][0] in made_colors_all and secondary_colors[color][1] in made_colors_all:
made_colors_final.append(color)
else:
made_colors_final.append(color)
print(made_colors_final)
| main_colors = ['red', 'yellow', 'blue']
secondary_colors = {'orange': ('red', 'yellow'), 'purple': ('red', 'blue'), 'green': ('yellow', 'blue')}
base_strings = input().split()
made_colors_all = []
made_colors_final = []
while base_strings:
first_string = base_strings.pop(0)
second_string = base_strings.pop() if base_strings else ''
first_combination = first_string + second_string
second_combination = second_string + first_string
if first_combination in main_colors or first_combination in secondary_colors:
made_colors_all.append(first_combination)
elif second_combination in main_colors or second_combination in secondary_colors:
made_colors_all.append(second_combination)
else:
if first_string[:-1] != '':
base_strings.insert(len(base_strings) // 2, first_string[:-1])
if second_string[:-1] != '':
base_strings.insert(len(base_strings) // 2, second_string[:-1])
for color in made_colors_all:
if color in secondary_colors:
if secondary_colors[color][0] in made_colors_all and secondary_colors[color][1] in made_colors_all:
made_colors_final.append(color)
else:
made_colors_final.append(color)
print(made_colors_final) |
def inc(c, d):
return chr(ord(c) + d)
def dec(c, d):
return chr(ord(c) - d)
arg1 = ["+"] * 29
arg1[0x13] = '6'
arg1[0x10] = 'n'
arg1[0xd] = 'r'
arg1[0x14] = dec('%', -8)
arg1[0xf] = 'n'
arg1[10] = 'p'
arg1[0x10] = dec('u', 7)
arg1[3] = '{'
arg1[0x13] = '6'
arg1[0x15] = 'q'
arg1[2] = 'n'
arg1[0] = 's'
arg1[7] = 'l'
arg1[0xe] = 'u'
arg1[0xc] = dec(',', -1)
arg1[4] = 'b'
arg1[6] = dec('o', 3)
arg1[0x12] = 'n'
arg1[0x16] = dec('z', 5)
arg1[0x17] = '1'
arg1[1] = 'u'
arg1[5] = dec('8', 5)
arg1[8] = dec('f', 3 + 4 - 9)
arg1[0xb] = dec('<', 7)
arg1[0x11] = dec('-', 6 - 8 + ord('\t') - 5 - 6)
arg1[9] = dec(',', 1 + 2 - 7)
arg1[0x18] = dec('Y', -10 - 8 + ord('\b'))
arg1[0x19] = dec('w', 5 + ord('\a'))
arg1[0x1a] = dec('m', -6 + ord('\a'))
arg1[0x1b] = 'y'
arg1[0x1c] = '}'
for i, c in enumerate(arg1):
print(i, c)
print()
key = "".join(arg1)
print(key)
with open('key.txt', 'w') as f:
f.write(key)
| def inc(c, d):
return chr(ord(c) + d)
def dec(c, d):
return chr(ord(c) - d)
arg1 = ['+'] * 29
arg1[19] = '6'
arg1[16] = 'n'
arg1[13] = 'r'
arg1[20] = dec('%', -8)
arg1[15] = 'n'
arg1[10] = 'p'
arg1[16] = dec('u', 7)
arg1[3] = '{'
arg1[19] = '6'
arg1[21] = 'q'
arg1[2] = 'n'
arg1[0] = 's'
arg1[7] = 'l'
arg1[14] = 'u'
arg1[12] = dec(',', -1)
arg1[4] = 'b'
arg1[6] = dec('o', 3)
arg1[18] = 'n'
arg1[22] = dec('z', 5)
arg1[23] = '1'
arg1[1] = 'u'
arg1[5] = dec('8', 5)
arg1[8] = dec('f', 3 + 4 - 9)
arg1[11] = dec('<', 7)
arg1[17] = dec('-', 6 - 8 + ord('\t') - 5 - 6)
arg1[9] = dec(',', 1 + 2 - 7)
arg1[24] = dec('Y', -10 - 8 + ord('\x08'))
arg1[25] = dec('w', 5 + ord('\x07'))
arg1[26] = dec('m', -6 + ord('\x07'))
arg1[27] = 'y'
arg1[28] = '}'
for (i, c) in enumerate(arg1):
print(i, c)
print()
key = ''.join(arg1)
print(key)
with open('key.txt', 'w') as f:
f.write(key) |
class SequentialProcessor(object):
def process(self, vertice, executor):
results = []
for vertex in vertice:
result = executor.execute(executor.param(vertex))
results.append((vertex, result))
return results
| class Sequentialprocessor(object):
def process(self, vertice, executor):
results = []
for vertex in vertice:
result = executor.execute(executor.param(vertex))
results.append((vertex, result))
return results |
#!/bin/env python
"""A file which contains only what is strictly necessary for completion of the is_even function"""
# Y combinator, used for recursion
Y = lambda f: (lambda x: x(x))(lambda y: f(lambda a: y(y)(a)))
# Church arithmetic
succ = lambda n: lambda f: lambda x: f(n(f)(x))
pred = lambda n: lambda f: lambda x: n(lambda g: lambda h: h(g(f)))(lambda _: x)(lambda u: u)
minus = lambda m: lambda n: n(pred)(m)
zero = lambda f: lambda x: x
one = succ(zero)
# abs because we don't care about sign, only about magnitude
to_church_num = Y(lambda f: lambda n: zero if n == 0 else succ(f(abs(n) - 1)))
from_church_num = lambda n: n(lambda x: x + 1)(0)
# Church booleans
# Making both true and false eval version for consistency
true = lambda t: lambda f: t()
false = lambda t: lambda f: f()
if_ = lambda p: lambda a: lambda b: p(a)(b)
# Church comparisons
is_zero = lambda n: n(lambda _: false)(true)
leq = lambda m: lambda n: is_zero(minus(m)(n))
to_church_bool = lambda p: true if p else false
from_church_bool = lambda p: p(lambda: True)(lambda: False)
# the working part of the function
is_even_body = Y(lambda f: lambda n: if_(leq(n)(one))(lambda: is_zero(n))(lambda: f(pred(pred(n)))))
# the full is_even function
is_even = lambda n: from_church_bool(is_even_body(to_church_num(n)))
| """A file which contains only what is strictly necessary for completion of the is_even function"""
y = lambda f: (lambda x: x(x))(lambda y: f(lambda a: y(y)(a)))
succ = lambda n: lambda f: lambda x: f(n(f)(x))
pred = lambda n: lambda f: lambda x: n(lambda g: lambda h: h(g(f)))(lambda _: x)(lambda u: u)
minus = lambda m: lambda n: n(pred)(m)
zero = lambda f: lambda x: x
one = succ(zero)
to_church_num = y(lambda f: lambda n: zero if n == 0 else succ(f(abs(n) - 1)))
from_church_num = lambda n: n(lambda x: x + 1)(0)
true = lambda t: lambda f: t()
false = lambda t: lambda f: f()
if_ = lambda p: lambda a: lambda b: p(a)(b)
is_zero = lambda n: n(lambda _: false)(true)
leq = lambda m: lambda n: is_zero(minus(m)(n))
to_church_bool = lambda p: true if p else false
from_church_bool = lambda p: p(lambda : True)(lambda : False)
is_even_body = y(lambda f: lambda n: if_(leq(n)(one))(lambda : is_zero(n))(lambda : f(pred(pred(n)))))
is_even = lambda n: from_church_bool(is_even_body(to_church_num(n))) |
n = input().split()
K=int(n[0])
N=int(n[1])
M=int(n[2])
need= K*N
if need>M:
print(need-M)
else:
print('0')
| n = input().split()
k = int(n[0])
n = int(n[1])
m = int(n[2])
need = K * N
if need > M:
print(need - M)
else:
print('0') |
def aoc(data):
jolts = 0
ones = 0
threes = 1
for psu in sorted([int(i) for i in data.split()]):
if psu == jolts + 1:
ones += 1
if psu == jolts + 3:
threes += 1
jolts = psu
return ones * threes
| def aoc(data):
jolts = 0
ones = 0
threes = 1
for psu in sorted([int(i) for i in data.split()]):
if psu == jolts + 1:
ones += 1
if psu == jolts + 3:
threes += 1
jolts = psu
return ones * threes |
async def m001_initial(db):
await db.execute(
f"""
CREATE TABLE IF NOT EXISTS tipjar.TipJars (
id {db.serial_primary_key},
name TEXT NOT NULL,
wallet TEXT NOT NULL,
onchain TEXT,
webhook TEXT
);
"""
)
await db.execute(
f"""
CREATE TABLE IF NOT EXISTS tipjar.Tips (
id TEXT PRIMARY KEY,
wallet TEXT NOT NULL,
name TEXT NOT NULL,
message TEXT NOT NULL,
sats INT NOT NULL,
tipjar INT NOT NULL,
FOREIGN KEY(tipjar) REFERENCES {db.references_schema}TipJars(id)
);
"""
)
| async def m001_initial(db):
await db.execute(f'\n CREATE TABLE IF NOT EXISTS tipjar.TipJars (\n id {db.serial_primary_key},\n name TEXT NOT NULL,\n wallet TEXT NOT NULL,\n onchain TEXT,\n webhook TEXT\n );\n ')
await db.execute(f'\n CREATE TABLE IF NOT EXISTS tipjar.Tips (\n id TEXT PRIMARY KEY,\n wallet TEXT NOT NULL,\n name TEXT NOT NULL,\n message TEXT NOT NULL,\n sats INT NOT NULL,\n tipjar INT NOT NULL,\n FOREIGN KEY(tipjar) REFERENCES {db.references_schema}TipJars(id)\n );\n ') |
# -*- coding: utf8 -*-
# Copyright 2017-2019 NLCI (http://www.nlci.in/fonts/)
# Apache License v2.0
class Charset:
common_name = 'NLCI: Tamil script'
native_name = 'Tamil script'
abbreviation = 'Taml'
key = 0x0B95
glyphs = [
0x0B82, # TAMIL SIGN ANUSVARA
0x0B83, # TAMIL SIGN VISARGA
0x0B85, # TAMIL LETTER A
0x0B86, # TAMIL LETTER AA
0x0B87, # TAMIL LETTER I
0x0B88, # TAMIL LETTER II
0x0B89, # TAMIL LETTER U
0x0B8A, # TAMIL LETTER UU
0x0B8E, # TAMIL LETTER E
0x0B8F, # TAMIL LETTER EE
0x0B90, # TAMIL LETTER AI
0x0B92, # TAMIL LETTER O
0x0B93, # TAMIL LETTER OO
0x0B94, # TAMIL LETTER AU
0x0B95, # TAMIL LETTER KA
0x0B99, # TAMIL LETTER NGA
0x0B9A, # TAMIL LETTER CA
0x0B9C, # TAMIL LETTER JA
0x0B9E, # TAMIL LETTER NYA
0x0B9F, # TAMIL LETTER TTA
0x0BA3, # TAMIL LETTER NNA
0x0BA4, # TAMIL LETTER TA
0x0BA8, # TAMIL LETTER NA
0x0BA9, # TAMIL LETTER NNNA
0x0BAA, # TAMIL LETTER PA
0x0BAE, # TAMIL LETTER MA
0x0BAF, # TAMIL LETTER YA
0x0BB0, # TAMIL LETTER RA
0x0BB1, # TAMIL LETTER RRA
0x0BB2, # TAMIL LETTER LA
0x0BB3, # TAMIL LETTER LLA
0x0BB4, # TAMIL LETTER LLLA
0x0BB5, # TAMIL LETTER VA
0x0BB6, # TAMIL LETTER SHA
0x0BB7, # TAMIL LETTER SSA
0x0BB8, # TAMIL LETTER SA
0x0BB9, # TAMIL LETTER HA
0x0BBE, # TAMIL VOWEL SIGN AA
0x0BBF, # TAMIL VOWEL SIGN I
0x0BC0, # TAMIL VOWEL SIGN II
0x0BC1, # TAMIL VOWEL SIGN U
0x0BC2, # TAMIL VOWEL SIGN UU
0x0BC6, # TAMIL VOWEL SIGN E
0x0BC7, # TAMIL VOWEL SIGN EE
0x0BC8, # TAMIL VOWEL SIGN AI
0x0BCA, # TAMIL VOWEL SIGN O
0x0BCB, # TAMIL VOWEL SIGN OO
0x0BCC, # TAMIL VOWEL SIGN AU
0x0BCD, # TAMIL SIGN VIRAMA
0x0BD0, # TAMIL OM
0x0BD7, # TAMIL AU LENGTH MARK
0x0BE6, # TAMIL DIGIT ZERO
0x0BE7, # TAMIL DIGIT ONE
0x0BE8, # TAMIL DIGIT TWO
0x0BE9, # TAMIL DIGIT THREE
0x0BEA, # TAMIL DIGIT FOUR
0x0BEB, # TAMIL DIGIT FIVE
0x0BEC, # TAMIL DIGIT SIX
0x0BED, # TAMIL DIGIT SEVEN
0x0BEE, # TAMIL DIGIT EIGHT
0x0BEF, # TAMIL DIGIT NINE
0x0BF0, # TAMIL NUMBER TEN
0x0BF1, # TAMIL NUMBER ONE HUNDRED
0x0BF2, # TAMIL NUMBER ONE THOUSAND
0x0BF3, # TAMIL DAY SIGN
0x0BF4, # TAMIL MONTH SIGN
0x0BF5, # TAMIL YEAR SIGN
0x0BF6, # TAMIL DEBIT SIGN
0x0BF7, # TAMIL CREDIT SIGN
0x0BF8, # TAMIL AS ABOVE SIGN
0x0BF9, # TAMIL RUPEE SIGN
0x0BFA, # TAMIL NUMBER SIGN
# 0x1133A, # Test
# 0x1133B, # COMBINING BINDU BELOW
# 0x1133C, # GRANTHA SIGN NUKTA
]
| class Charset:
common_name = 'NLCI: Tamil script'
native_name = 'Tamil script'
abbreviation = 'Taml'
key = 2965
glyphs = [2946, 2947, 2949, 2950, 2951, 2952, 2953, 2954, 2958, 2959, 2960, 2962, 2963, 2964, 2965, 2969, 2970, 2972, 2974, 2975, 2979, 2980, 2984, 2985, 2986, 2990, 2991, 2992, 2993, 2994, 2995, 2996, 2997, 2998, 2999, 3000, 3001, 3006, 3007, 3008, 3009, 3010, 3014, 3015, 3016, 3018, 3019, 3020, 3021, 3024, 3031, 3046, 3047, 3048, 3049, 3050, 3051, 3052, 3053, 3054, 3055, 3056, 3057, 3058, 3059, 3060, 3061, 3062, 3063, 3064, 3065, 3066] |
def run_length_encoding(string: str) -> str:
counter = 0
current_character = None
output = []
for character in string:
if current_character == character:
counter += 1
else:
if current_character:
output.append(current_character + str(counter if counter > 1 else ''))
current_character = character
counter = 1
if current_character:
output.append(current_character + str(counter if counter > 1 else ''))
return ''.join(output)
| def run_length_encoding(string: str) -> str:
counter = 0
current_character = None
output = []
for character in string:
if current_character == character:
counter += 1
else:
if current_character:
output.append(current_character + str(counter if counter > 1 else ''))
current_character = character
counter = 1
if current_character:
output.append(current_character + str(counter if counter > 1 else ''))
return ''.join(output) |
###***********************************###
'''
Grade Notifier
File: refresh_result.py
Author: Ehud Adler
Core Maintainers: Ehud Adler, Akiva Sherman,
Yehuda Moskovits
Copyright: Copyright 2019, Ehud Adler
License: MIT
'''
###***********************************###
class RefreshResult():
def __init__(self, classes, gpa):
self.classes = classes
self.gpa = gpa | """
Grade Notifier
File: refresh_result.py
Author: Ehud Adler
Core Maintainers: Ehud Adler, Akiva Sherman,
Yehuda Moskovits
Copyright: Copyright 2019, Ehud Adler
License: MIT
"""
class Refreshresult:
def __init__(self, classes, gpa):
self.classes = classes
self.gpa = gpa |
'''
key -> value store
any types -> any type
'''
english = {
'apple': 'fruit blah blah',
'apetite': 'desire for something, usually food',
'pluto': 'a gray planet'
}
print(english['apple'])
#print(english['banana']) fails with KeyError
print(english.get('banana')) #handles KeyError and return None
print(english.get('banana', 'unknown word')) #default if not found
english['banana'] = 'yellow fleshy fruit' #add value
print(english.get('banana'))
english['apetizer'] = 'something to create an apetite, usually of food'
print(english.get('apetizer'))
english['pluto'] = 'dwarf gray planet'
print(english.get('pluto'))
| """
key -> value store
any types -> any type
"""
english = {'apple': 'fruit blah blah', 'apetite': 'desire for something, usually food', 'pluto': 'a gray planet'}
print(english['apple'])
print(english.get('banana'))
print(english.get('banana', 'unknown word'))
english['banana'] = 'yellow fleshy fruit'
print(english.get('banana'))
english['apetizer'] = 'something to create an apetite, usually of food'
print(english.get('apetizer'))
english['pluto'] = 'dwarf gray planet'
print(english.get('pluto')) |
def __is_integer(some_string):
try:
int(some_string)
return True
except:
return False
def compute(expression: str = None) -> int:
stack = []
for element in expression.split():
if __is_integer(element):
stack.append(int(element))
continue
second = stack.pop()
first = stack.pop()
if element == "+":
stack.append(first + second)
elif element == "-":
stack.append(first - second)
elif element == "*":
stack.append(first * second)
elif element == "/":
stack.append(first / second)
if len(stack) == 0:
return 0
else:
return int(stack.pop())
| def __is_integer(some_string):
try:
int(some_string)
return True
except:
return False
def compute(expression: str=None) -> int:
stack = []
for element in expression.split():
if __is_integer(element):
stack.append(int(element))
continue
second = stack.pop()
first = stack.pop()
if element == '+':
stack.append(first + second)
elif element == '-':
stack.append(first - second)
elif element == '*':
stack.append(first * second)
elif element == '/':
stack.append(first / second)
if len(stack) == 0:
return 0
else:
return int(stack.pop()) |
# encoding=utf-8
class Player(object):
'''A basic player with a name and a Bot.
bot may be a subclass of LightCycleBaseBot or a string with its Python
source code.
'''
def __init__(self, name, bot, **kwargs):
for attr, value in kwargs.items():
if not hasattr(self, attr):
setattr(self, attr, value)
self.username = name
self.bot = bot # LightCycleBaseBot subclass or source code string
| class Player(object):
"""A basic player with a name and a Bot.
bot may be a subclass of LightCycleBaseBot or a string with its Python
source code.
"""
def __init__(self, name, bot, **kwargs):
for (attr, value) in kwargs.items():
if not hasattr(self, attr):
setattr(self, attr, value)
self.username = name
self.bot = bot |
RATE_1MBIT = 0
RATE_250KBIT = 2
RATE_2MBIT = 1
def config():
pass
def off():
pass
def on():
pass
def receive():
pass
def receive_bytes():
pass
def receive_bytes_into():
pass
def receive_full():
pass
def reset():
pass
def send():
pass
def send_bytes():
pass
| rate_1_mbit = 0
rate_250_kbit = 2
rate_2_mbit = 1
def config():
pass
def off():
pass
def on():
pass
def receive():
pass
def receive_bytes():
pass
def receive_bytes_into():
pass
def receive_full():
pass
def reset():
pass
def send():
pass
def send_bytes():
pass |
price = 49
txt = "The price is {} dollars"
print(txt.format(price))
txt = "The price is {:.2f} dollars"
print(txt.format(price))
quantity = 3
itemno = 567
price = 49
myorder = "I want {} pieces of item number {} for {:.2f} dollars."
print(myorder.format(quantity, itemno, price))
quantity = 3
itemno = 567
price = 49
myorder = "I want {0} pieces of item number {1} for {2:.2f} dollars."
print(myorder.format(quantity, itemno, price)) | price = 49
txt = 'The price is {} dollars'
print(txt.format(price))
txt = 'The price is {:.2f} dollars'
print(txt.format(price))
quantity = 3
itemno = 567
price = 49
myorder = 'I want {} pieces of item number {} for {:.2f} dollars.'
print(myorder.format(quantity, itemno, price))
quantity = 3
itemno = 567
price = 49
myorder = 'I want {0} pieces of item number {1} for {2:.2f} dollars.'
print(myorder.format(quantity, itemno, price)) |
# 8 kyu
def reverse_words(s):
return " ".join(reversed(s.split()))
| def reverse_words(s):
return ' '.join(reversed(s.split())) |
def tower_builder(n_floors):
tower = []
d = '*'
for i in range(1, 2 * n_floors + 1 , 2):
tower.append((d * i).center(2 * i - 1))
return tower
print(tower_builder(3))
| def tower_builder(n_floors):
tower = []
d = '*'
for i in range(1, 2 * n_floors + 1, 2):
tower.append((d * i).center(2 * i - 1))
return tower
print(tower_builder(3)) |
#
# PySNMP MIB module Netrake-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/Netrake-MIB
# Produced by pysmi-0.3.4 at Mon Apr 29 20:16:34 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")
ConstraintsUnion, SingleValueConstraint, ValueSizeConstraint, ValueRangeConstraint, ConstraintsIntersection = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsUnion", "SingleValueConstraint", "ValueSizeConstraint", "ValueRangeConstraint", "ConstraintsIntersection")
NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance")
NotificationType, Gauge32, MibIdentifier, TimeTicks, Unsigned32, Integer32, Bits, MibScalar, MibTable, MibTableRow, MibTableColumn, ModuleIdentity, Counter64, iso, ObjectIdentity, Counter32, IpAddress, enterprises = mibBuilder.importSymbols("SNMPv2-SMI", "NotificationType", "Gauge32", "MibIdentifier", "TimeTicks", "Unsigned32", "Integer32", "Bits", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "ModuleIdentity", "Counter64", "iso", "ObjectIdentity", "Counter32", "IpAddress", "enterprises")
TextualConvention, DisplayString, RowStatus, DateAndTime = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString", "RowStatus", "DateAndTime")
netrake = ModuleIdentity((1, 3, 6, 1, 4, 1, 10950))
netrake.setRevisions(('2001-09-20 10:05', '2006-12-13 10:05', '2007-01-05 10:05',))
if mibBuilder.loadTexts: netrake.setLastUpdated('200612131005Z')
if mibBuilder.loadTexts: netrake.setOrganization('Netrake 3000 Technology Drive Suite 100 Plano, Texas 75074 phone: 214 291 1000 fax: 214 291 1010')
org = MibIdentifier((1, 3))
dod = MibIdentifier((1, 3, 6))
internet = MibIdentifier((1, 3, 6, 1))
private = MibIdentifier((1, 3, 6, 1, 4))
enterprises = MibIdentifier((1, 3, 6, 1, 4, 1))
products = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1))
nCite = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1))
chassis = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1))
nCiteSystem = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 2))
alarm = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3))
switchNotifications = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 4))
nCiteRedundant = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5))
nCiteStats = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6))
diagnostics = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7))
policyProvisioning = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8))
nCiteStaticRoutes = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9))
nCiteArpConfig = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 10))
ipPortConfig = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11))
nCiteOutSyncFlag = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("no", 0), ("yes", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: nCiteOutSyncFlag.setStatus('deprecated')
trapAckEnable = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disable", 0), ("enable", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: trapAckEnable.setStatus('current')
linkUpTrapAck = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("notAck", 0), ("ack", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: linkUpTrapAck.setStatus('current')
linkDownTrapAck = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 15), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("notAck", 0), ("ack", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: linkDownTrapAck.setStatus('current')
nCiteNTA = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 16))
nCiteRogue = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17))
licenseInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 18))
nCiteRIPConfig = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 19))
nCiteAuthConfig = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 20))
linkUpTrapAckSource = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 21), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: linkUpTrapAckSource.setStatus('current')
linkDownTrapAckSource = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 22), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: linkDownTrapAckSource.setStatus('current')
chasGen = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 1))
chasPwr = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 2))
chasFan = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 3))
chasBrd = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 4))
resourceUsageTable = MibTable((1, 3, 6, 1, 4, 1, 10950, 1, 1, 2, 1), )
if mibBuilder.loadTexts: resourceUsageTable.setStatus('current')
resourceUsageEntry = MibTableRow((1, 3, 6, 1, 4, 1, 10950, 1, 1, 2, 1, 1), ).setIndexNames((0, "Netrake-MIB", "processorIndex"))
if mibBuilder.loadTexts: resourceUsageEntry.setStatus('current')
processorIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 2, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("managementProc", 1), ("controlProcA", 2), ("controlProcB", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: processorIndex.setStatus('current')
memTotal = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 2, 1, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-2147483648, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: memTotal.setStatus('current')
memUsed = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 2, 1, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: memUsed.setStatus('current')
cpuUsage = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 2, 1, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpuUsage.setStatus('current')
systemSoftwareVersion = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 2, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: systemSoftwareVersion.setStatus('current')
systemRestoreFlag = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 2, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("normal", 0), ("outOfSync", 1), ("refreshStarted", 2))).clone('normal')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: systemRestoreFlag.setStatus('deprecated')
systemOperState = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 2, 4), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: systemOperState.setStatus('current')
systemAdminState = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 2, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: systemAdminState.setStatus('current')
systemOperStateChangeTrap = NotificationType((1, 3, 6, 1, 4, 1, 10950, 1, 1, 2, 6)).setObjects(("Netrake-MIB", "systemOperState"))
if mibBuilder.loadTexts: systemOperStateChangeTrap.setStatus('current')
systemOperStateChangeTrapAck = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 2, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("notAck", 0), ("ack", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: systemOperStateChangeTrapAck.setStatus('current')
systemOperStateChangeTrapAckSource = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 2, 8), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: systemOperStateChangeTrapAckSource.setStatus('current')
systemTrapAckTable = MibTable((1, 3, 6, 1, 4, 1, 10950, 1, 1, 2, 9), )
if mibBuilder.loadTexts: systemTrapAckTable.setStatus('current')
systemTrapAckEntry = MibTableRow((1, 3, 6, 1, 4, 1, 10950, 1, 1, 2, 9, 1), ).setIndexNames((0, "Netrake-MIB", "systemSnmpMgrIpAddress"))
if mibBuilder.loadTexts: systemTrapAckEntry.setStatus('current')
systemSnmpMgrIpAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 2, 9, 1, 1), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: systemSnmpMgrIpAddress.setStatus('current')
systemTrapNoAck = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 2, 9, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("ok", 0), ("ackNotReceived", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: systemTrapNoAck.setStatus('current')
activeAlarmTable = MibTable((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 1), )
if mibBuilder.loadTexts: activeAlarmTable.setStatus('current')
activeAlarmEntry = MibTableRow((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 1, 1), ).setIndexNames((0, "Netrake-MIB", "activeAlarmIndex"))
if mibBuilder.loadTexts: activeAlarmEntry.setStatus('current')
activeAlarmIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-2147483648, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: activeAlarmIndex.setStatus('current')
activeAlarmId = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 1, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-2147483648, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: activeAlarmId.setStatus('current')
activeAlarmType = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 1, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-2147483648, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: activeAlarmType.setStatus('current')
activeAlarmServiceAffecting = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("notServiceAffecting", 1), ("serviceAffecting", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: activeAlarmServiceAffecting.setStatus('current')
activeAlarmCategory = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 1, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hardware", 1), ("software", 2), ("service", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: activeAlarmCategory.setStatus('current')
activeAlarmTimeStamp = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 1, 1, 6), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: activeAlarmTimeStamp.setStatus('current')
activeAlarmSlotNum = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 1, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 14))).setMaxAccess("readonly")
if mibBuilder.loadTexts: activeAlarmSlotNum.setStatus('current')
activeAlarmPortNum = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 1, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 48))).setMaxAccess("readonly")
if mibBuilder.loadTexts: activeAlarmPortNum.setStatus('current')
activeAlarmSysUpTime = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 1, 1, 9), TimeTicks()).setMaxAccess("readonly")
if mibBuilder.loadTexts: activeAlarmSysUpTime.setStatus('current')
activeAlarmDevType = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 1, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 0))).clone(namedValues=NamedValues(("managementProc", 1), ("controlProc", 2), ("netrakeControlProcessor", 3), ("gigE", 4), ("fastEther", 5), ("chassisFan", 6), ("chassisPowerSupply", 7), ("oc12", 8), ("unknown", 0))).clone('unknown')).setMaxAccess("readonly")
if mibBuilder.loadTexts: activeAlarmDevType.setStatus('current')
activeAlarmAdditionalInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 1, 1, 11), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: activeAlarmAdditionalInfo.setStatus('current')
activeAlarmOccurances = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 1, 1, 12), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-2147483648, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: activeAlarmOccurances.setStatus('current')
acitveAlarmReportingSource = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 1, 1, 13), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: acitveAlarmReportingSource.setStatus('deprecated')
activeAlarmSeverity = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 1, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 0, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("critical", 1), ("unknown", 0), ("major", 2), ("minor", 3), ("warning", 4), ("clear", 5), ("info", 6)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: activeAlarmSeverity.setStatus('current')
activeAlarmDisplayString = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 1, 1, 15), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: activeAlarmDisplayString.setStatus('current')
activeAlarmSubType = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 1, 1, 16), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: activeAlarmSubType.setStatus('current')
activeAlarmEventFlag = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 1, 1, 17), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("alarm", 1), ("event", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: activeAlarmEventFlag.setStatus('current')
histEvent = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 2))
postAlarm = NotificationType((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 3)).setObjects(("Netrake-MIB", "acitveAlarmReportingSource"), ("Netrake-MIB", "activeAlarmAdditionalInfo"), ("Netrake-MIB", "activeAlarmCategory"), ("Netrake-MIB", "activeAlarmDevType"), ("Netrake-MIB", "activeAlarmDisplayString"), ("Netrake-MIB", "activeAlarmId"), ("Netrake-MIB", "activeAlarmOccurances"), ("Netrake-MIB", "activeAlarmPortNum"), ("Netrake-MIB", "activeAlarmServiceAffecting"), ("Netrake-MIB", "activeAlarmSeverity"), ("Netrake-MIB", "activeAlarmSlotNum"), ("Netrake-MIB", "activeAlarmSysUpTime"), ("Netrake-MIB", "activeAlarmTimeStamp"), ("Netrake-MIB", "activeAlarmType"), ("Netrake-MIB", "activeAlarmSubType"), ("Netrake-MIB", "activeAlarmEventFlag"))
if mibBuilder.loadTexts: postAlarm.setStatus('current')
postEvent = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 4))
activeAlarmAcknowledge = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 0))).clone(namedValues=NamedValues(("acknowledge", 1), ("cleared", 0)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: activeAlarmAcknowledge.setStatus('current')
activeAlarmID = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-2147483648, 2147483647))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: activeAlarmID.setStatus('current')
eventAcknowledge = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 7))
eventID = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-2147483648, 2147483647))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: eventID.setStatus('deprecated')
activeAlarmAcknowledgeSource = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 9), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: activeAlarmAcknowledgeSource.setStatus('current')
coldStartTrapEnable = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 4, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: coldStartTrapEnable.setStatus('current')
coldStartTrap = NotificationType((1, 3, 6, 1, 4, 1, 10950, 1, 1, 4, 2)).setObjects(("Netrake-MIB", "systemRestoreFlag"), ("Netrake-MIB", "systemSoftwareVersion"))
if mibBuilder.loadTexts: coldStartTrap.setStatus('current')
coldStartTrapAck = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 4, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("notAck", 0), ("ack", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: coldStartTrapAck.setStatus('current')
coldStartTrapAckSource = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 4, 4), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: coldStartTrapAckSource.setStatus('current')
redundantPort1IpAddr = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 1), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: redundantPort1IpAddr.setStatus('current')
redundantPort2IpAddr = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 2), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: redundantPort2IpAddr.setStatus('current')
redundantAdminState = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("standAlone", 1), ("redundant", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: redundantAdminState.setStatus('current')
redundantMateName = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: redundantMateName.setStatus('current')
redundantConfigChangeTrapAck = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("notAck", 0), ("ack", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: redundantConfigChangeTrapAck.setStatus('current')
redundantConfigChangeTrap = NotificationType((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 7)).setObjects(("Netrake-MIB", "redundantPairName"), ("Netrake-MIB", "redundantPort1IpAddr"), ("Netrake-MIB", "redundantPort2IpAddr"), ("Netrake-MIB", "redundantAdminState"), ("Netrake-MIB", "redundantPort1NetMask"), ("Netrake-MIB", "redundantPort2NetMask"))
if mibBuilder.loadTexts: redundantConfigChangeTrap.setStatus('current')
redundantPort1NetMask = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 8), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: redundantPort1NetMask.setStatus('current')
redundantPort2NetMask = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 9), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: redundantPort2NetMask.setStatus('current')
redundantFailbackThresh = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 50000))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: redundantFailbackThresh.setStatus('current')
redundantRedirectorFlag = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: redundantRedirectorFlag.setStatus('current')
redundantFailbackThreshChangeTrap = NotificationType((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 12)).setObjects(("Netrake-MIB", "redundantFailbackThresh"))
if mibBuilder.loadTexts: redundantFailbackThreshChangeTrap.setStatus('current')
redundantFailbackThreshChangeTrapAck = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("default", 0), ("ack", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: redundantFailbackThreshChangeTrapAck.setStatus('current')
redundantRedirectorFlagChangeTrap = NotificationType((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 14)).setObjects(("Netrake-MIB", "redundantRedirectorFlag"))
if mibBuilder.loadTexts: redundantRedirectorFlagChangeTrap.setStatus('current')
redundantRedirectorFlagChangeTrapAck = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 15), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("default", 0), ("ack", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: redundantRedirectorFlagChangeTrapAck.setStatus('current')
redundantAutoFailbackFlag = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: redundantAutoFailbackFlag.setStatus('current')
redundantAutoFailbackChangeTrap = NotificationType((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 17)).setObjects(("Netrake-MIB", "redundantAutoFailbackFlag"))
if mibBuilder.loadTexts: redundantAutoFailbackChangeTrap.setStatus('current')
redundantAutoFailbackFlagChangeTrapAck = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("default", 0), ("ack", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: redundantAutoFailbackFlagChangeTrapAck.setStatus('current')
redundantConfigChangeTrapAckSource = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 19), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: redundantConfigChangeTrapAckSource.setStatus('current')
redundantFailbackThreshChangeTrapAckSource = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 20), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: redundantFailbackThreshChangeTrapAckSource.setStatus('current')
redundantRedirectorFlagChangeTrapAckSource = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 21), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: redundantRedirectorFlagChangeTrapAckSource.setStatus('current')
redundantAutoFailbackFlagChangeTrapAckSource = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 22), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: redundantAutoFailbackFlagChangeTrapAckSource.setStatus('current')
globalCounters = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 1))
gigEStats = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2))
serviceStats = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 3))
redundancyStats = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 4))
policyStats = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 5))
sipStats = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6))
vlanStats = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 7))
custSipStats = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8))
nCiteStatsConfigReset = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("default", 0), ("reset", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: nCiteStatsConfigReset.setStatus('current')
nCiteSessionDetailRecord = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 10))
registrationStats = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 11))
custRegStats = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 12))
ntsStats = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 13))
rogueStats = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 14))
nCiteStatsReset = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 15), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11))).clone(namedValues=NamedValues(("default", 0), ("sipStats", 1), ("registrationStats", 2), ("rogueStats", 3), ("ntsStats", 4), ("voIpStats", 5), ("sipH323Stats", 6), ("h323Stats", 7), ("h323RegStats", 8), ("mediaStats", 9), ("sipCommonStats", 10), ("sipEvtDlgStats", 11)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: nCiteStatsReset.setStatus('current')
custNtsStats = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 16))
sipH323Stats = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17))
h323Stats = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18))
voIpStats = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19))
custSipH323Stats = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20))
custH323Stats = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21))
custVoIpStats = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22))
mediaStats = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 23))
h323RegStats = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 24))
custH323RegStats = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 25))
sipCommonStats = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 26))
sipEvtDlgStats = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 27))
runDiagGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 2))
diagResultsTable = MibTable((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 3), )
if mibBuilder.loadTexts: diagResultsTable.setStatus('deprecated')
diagResultsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 3, 1), ).setIndexNames((0, "Netrake-MIB", "diagRsltIndex"))
if mibBuilder.loadTexts: diagResultsEntry.setStatus('deprecated')
diagRsltIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 3, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: diagRsltIndex.setStatus('deprecated')
diagRsltStartTimeStamp = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 3, 1, 2), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: diagRsltStartTimeStamp.setStatus('deprecated')
diagRsltCompleteTimeStamp = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 3, 1, 3), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: diagRsltCompleteTimeStamp.setStatus('deprecated')
diagRsltDesc = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 3, 1, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: diagRsltDesc.setStatus('deprecated')
diagRsltType = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 3, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("nCiteFullIntLoopback", 1), ("nCiteFullExtLoopback", 2), ("nCiteInterfaceIntLoopback", 3), ("nCiteInterfaceExtLoopback", 4), ("cardIntLoopback", 5), ("cardExtLoopback", 6), ("portIntLoopback", 7), ("portExtLoopback", 8)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: diagRsltType.setStatus('deprecated')
diagRsltDeviceSlotNum = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 3, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 14))).setMaxAccess("readonly")
if mibBuilder.loadTexts: diagRsltDeviceSlotNum.setStatus('deprecated')
diagRsltDevicePortNum = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 3, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 48))).setMaxAccess("readonly")
if mibBuilder.loadTexts: diagRsltDevicePortNum.setStatus('deprecated')
diagStartedTrap = NotificationType((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 4)).setObjects(("Netrake-MIB", "diagType"))
if mibBuilder.loadTexts: diagStartedTrap.setStatus('deprecated')
diagCompleteTrap = NotificationType((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 5)).setObjects(("Netrake-MIB", "diagRsltIndex"), ("Netrake-MIB", "diagRsltCompleteTimeStamp"), ("Netrake-MIB", "diagRsltDesc"), ("Netrake-MIB", "diagRsltDevicePortNum"), ("Netrake-MIB", "diagRsltDeviceSlotNum"), ("Netrake-MIB", "diagRsltType"))
if mibBuilder.loadTexts: diagCompleteTrap.setStatus('deprecated')
diagRsltID = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 6), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: diagRsltID.setStatus('deprecated')
diagRsltAcknowledge = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("default", 0), ("acknowledge", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: diagRsltAcknowledge.setStatus('deprecated')
diagStartedTrapAck = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("notAck", 0), ("ack", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: diagStartedTrapAck.setStatus('deprecated')
diagCompleteTrapAck = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("notAck", 0), ("ack", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: diagCompleteTrapAck.setStatus('deprecated')
diagStartedTrapAckSource = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 10), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: diagStartedTrapAckSource.setStatus('deprecated')
diagCompleteTrapAckSource = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 11), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: diagCompleteTrapAckSource.setStatus('deprecated')
activeImgName = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: activeImgName.setStatus('current')
activeImgPidSideAFilename = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: activeImgPidSideAFilename.setStatus('deprecated')
activeImgPidSideBFilename = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: activeImgPidSideBFilename.setStatus('deprecated')
activeImgDwnldTimeStamp = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 4), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: activeImgDwnldTimeStamp.setStatus('current')
activeImgBuildStartTimeStamp = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 5), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: activeImgBuildStartTimeStamp.setStatus('deprecated')
activeImgBuildCompleteTimeStamp = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 6), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: activeImgBuildCompleteTimeStamp.setStatus('deprecated')
activeImgActivatedTimeStamp = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 7), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: activeImgActivatedTimeStamp.setStatus('current')
commitImgName = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 8), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: commitImgName.setStatus('current')
commitImgDwnldTimeStamp = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 9), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: commitImgDwnldTimeStamp.setStatus('deprecated')
commitImgBuildStartTimeStamp = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 10), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: commitImgBuildStartTimeStamp.setStatus('deprecated')
commitImgBuildCompleteTimeStamp = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 11), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: commitImgBuildCompleteTimeStamp.setStatus('deprecated')
commitImgActivatedTimeStamp = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 12), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: commitImgActivatedTimeStamp.setStatus('current')
commitImgTimeStamp = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 13), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: commitImgTimeStamp.setStatus('current')
newActiveImgTrap = NotificationType((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 14)).setObjects(("Netrake-MIB", "activeImgActivatedTimeStamp"), ("Netrake-MIB", "activeImgName"), ("Netrake-MIB", "activeImgPidSideAFilename"), ("Netrake-MIB", "activeImgPidSideBFilename"))
if mibBuilder.loadTexts: newActiveImgTrap.setStatus('current')
newCommittedImgTrap = NotificationType((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 15)).setObjects(("Netrake-MIB", "commitImgTimeStamp"), ("Netrake-MIB", "commitImgName"))
if mibBuilder.loadTexts: newCommittedImgTrap.setStatus('current')
nextImgName = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 16), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: nextImgName.setStatus('deprecated')
nextImgState = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 17), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("cleared", 0), ("buildInProgress", 1), ("buildComplete", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: nextImgState.setStatus('deprecated')
nextImgDwnldTimeStamp = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 18), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: nextImgDwnldTimeStamp.setStatus('deprecated')
nextImgBuildStartTimeStamp = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 19), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: nextImgBuildStartTimeStamp.setStatus('deprecated')
nextImgBuildCompleteTimeStamp = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 20), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: nextImgBuildCompleteTimeStamp.setStatus('deprecated')
buildStartedTrap = NotificationType((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 21)).setObjects(("Netrake-MIB", "nextImg"), ("Netrake-MIB", "nextImgState"))
if mibBuilder.loadTexts: buildStartedTrap.setStatus('deprecated')
buildCompleteTrap = NotificationType((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 22)).setObjects(("Netrake-MIB", "nextImgName"), ("Netrake-MIB", "nextImgState"), ("Netrake-MIB", "nextImgBuildCompleteTimeStamp"))
if mibBuilder.loadTexts: buildCompleteTrap.setStatus('deprecated')
newNextTrap = NotificationType((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 23)).setObjects(("Netrake-MIB", "nextImgName"), ("Netrake-MIB", "nextImgState"))
if mibBuilder.loadTexts: newNextTrap.setStatus('deprecated')
newActiveImgTrapAck = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 24), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("notAck", 0), ("ack", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: newActiveImgTrapAck.setStatus('current')
newCommittedImgTrapAck = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 25), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("notAck", 0), ("ack", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: newCommittedImgTrapAck.setStatus('current')
buildStartedTrapAck = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 26), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("notAck", 0), ("ack", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: buildStartedTrapAck.setStatus('deprecated')
buildCompleteTrapAck = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 27), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("notAck", 0), ("ack", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: buildCompleteTrapAck.setStatus('deprecated')
newNextTrapAck = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 28), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("notAck", 0), ("ack", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: newNextTrapAck.setStatus('deprecated')
newActiveImgTrapAckSource = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 29), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: newActiveImgTrapAckSource.setStatus('current')
newCommittedImgTrapAckSource = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 30), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: newCommittedImgTrapAckSource.setStatus('current')
buildStartedTrapAckSource = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 31), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: buildStartedTrapAckSource.setStatus('deprecated')
buildCompleteTrapAckSource = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 32), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: buildCompleteTrapAckSource.setStatus('deprecated')
newNextTrapAckSource = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 33), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: newNextTrapAckSource.setStatus('deprecated')
staticRoutesTable = MibTable((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 1), )
if mibBuilder.loadTexts: staticRoutesTable.setStatus('current')
staticRoutesEntry = MibTableRow((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 1, 1), ).setIndexNames((0, "Netrake-MIB", "staticRouteDest"), (0, "Netrake-MIB", "staticRouteNextHop"), (0, "Netrake-MIB", "staticRouteNetMask"))
if mibBuilder.loadTexts: staticRoutesEntry.setStatus('current')
staticRouteDest = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 1, 1, 1), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: staticRouteDest.setStatus('current')
staticRouteNextHop = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 1, 1, 2), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: staticRouteNextHop.setStatus('current')
staticRouteNetMask = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 1, 1, 3), IpAddress().clone(hexValue="00000000")).setMaxAccess("readwrite")
if mibBuilder.loadTexts: staticRouteNetMask.setStatus('current')
staticRouteIngressVlanTag = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 1, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4096))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: staticRouteIngressVlanTag.setStatus('deprecated')
staticRouteMetric1 = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 1, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-1, 255)).clone(-1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: staticRouteMetric1.setStatus('current')
staticRouteAdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 1, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('enable')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: staticRouteAdminState.setStatus('current')
staticRouteIngressProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 1, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("general", 0), ("vlan", 1))).clone('general')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: staticRouteIngressProtocol.setStatus('deprecated')
staticRouteOperState = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 1, 1, 8), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: staticRouteOperState.setStatus('current')
staticRouteType = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 1, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("userDefined", 1), ("discovered", 2), ("defaultRoute", 3), ("mgmtRoute", 4), ("dcHostRoute", 5), ("dcNetRoute", 6)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: staticRouteType.setStatus('current')
staticRouteRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 1, 1, 10), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: staticRouteRowStatus.setStatus('current')
staticRouteVrdTag = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 1, 1, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("readonly")
if mibBuilder.loadTexts: staticRouteVrdTag.setStatus('current')
staticRouteEgressVlan = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 1, 1, 12), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("readonly")
if mibBuilder.loadTexts: staticRouteEgressVlan.setStatus('current')
staticRouteChange = NotificationType((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 2)).setObjects(("Netrake-MIB", "staticRouteAdminState"), ("Netrake-MIB", "staticRouteDest"), ("Netrake-MIB", "staticRouteIngressVlanTag"), ("Netrake-MIB", "staticRouteIngressProtocol"), ("Netrake-MIB", "staticRouteMetric1"), ("Netrake-MIB", "staticRouteNetMask"), ("Netrake-MIB", "staticRouteNextHop"), ("Netrake-MIB", "staticRouteOperState"), ("Netrake-MIB", "staticRouteRowStatus"), ("Netrake-MIB", "staticRouteType"))
if mibBuilder.loadTexts: staticRouteChange.setStatus('current')
staticRoutesRefreshNeeded = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("default", 0), ("refresh", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: staticRoutesRefreshNeeded.setStatus('current')
staticRoutesRefreshTrap = NotificationType((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 4)).setObjects(("Netrake-MIB", "staticRoutesRefreshNeeded"))
if mibBuilder.loadTexts: staticRoutesRefreshTrap.setStatus('current')
staticRouteChangeTrapAck = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("notAck", 0), ("ack", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: staticRouteChangeTrapAck.setStatus('current')
staticRouteRefreshTrapAck = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("notAck", 0), ("ack", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: staticRouteRefreshTrapAck.setStatus('current')
staticRouteChangeTrapAckSource = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 7), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: staticRouteChangeTrapAckSource.setStatus('current')
staticRouteRefreshTrapAckSource = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 8), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: staticRouteRefreshTrapAckSource.setStatus('current')
arpVerifTimerRetryCount = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 10, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 3600)).clone(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: arpVerifTimerRetryCount.setStatus('current')
arpNextHopIP = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 10, 2), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: arpNextHopIP.setStatus('current')
arpMacAddr = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 10, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: arpMacAddr.setStatus('current')
arpRefreshNeeded = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 10, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-2147483648, 2147483647))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: arpRefreshNeeded.setStatus('current')
arpRefreshTrap = NotificationType((1, 3, 6, 1, 4, 1, 10950, 1, 1, 10, 5)).setObjects(("Netrake-MIB", "arpRefreshNeeded"))
if mibBuilder.loadTexts: arpRefreshTrap.setStatus('current')
arpRefreshTrapAck = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 10, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("notAck", 0), ("ack", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: arpRefreshTrapAck.setStatus('current')
arpUpdateMacTrap = NotificationType((1, 3, 6, 1, 4, 1, 10950, 1, 1, 10, 7)).setObjects(("Netrake-MIB", "arpMacAddr"), ("Netrake-MIB", "arpNextHopIP"), ("Netrake-MIB", "arpTrapOper"))
if mibBuilder.loadTexts: arpUpdateMacTrap.setStatus('current')
arpUpdateMacTrapAck = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 10, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("noAck", 0), ("ack", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: arpUpdateMacTrapAck.setStatus('current')
arpTrapOper = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 10, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("addUpdate", 0), ("delete", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: arpTrapOper.setStatus('current')
arpOperTimerFreq = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 10, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 60))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: arpOperTimerFreq.setStatus('current')
arpOperTimerRetryCount = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 10, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 600))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: arpOperTimerRetryCount.setStatus('current')
arpVerifTimerChangeTrap = NotificationType((1, 3, 6, 1, 4, 1, 10950, 1, 1, 10, 12)).setObjects(("Netrake-MIB", "arpVerifTimerRetryCount"))
if mibBuilder.loadTexts: arpVerifTimerChangeTrap.setStatus('current')
arpVerifTimerChangeTrapAck = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 10, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("default", 0), ("ack", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: arpVerifTimerChangeTrapAck.setStatus('current')
arpOperTimerChangeTrap = NotificationType((1, 3, 6, 1, 4, 1, 10950, 1, 1, 10, 14)).setObjects(("Netrake-MIB", "arpOperTimerFreq"), ("Netrake-MIB", "arpOperTimerRetryCount"))
if mibBuilder.loadTexts: arpOperTimerChangeTrap.setStatus('current')
arpOperTimerChangeTrapAck = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 10, 15), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("default", 0), ("ack", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: arpOperTimerChangeTrapAck.setStatus('current')
arpRefreshTrapAckSource = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 10, 16), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: arpRefreshTrapAckSource.setStatus('current')
arpUpdateMacTrapAckSource = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 10, 17), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: arpUpdateMacTrapAckSource.setStatus('current')
arpVerifTimerChangeTrapAckSource = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 10, 18), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: arpVerifTimerChangeTrapAckSource.setStatus('current')
arpOperTimerChangeTrapAckSource = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 10, 19), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: arpOperTimerChangeTrapAckSource.setStatus('current')
ipPortConfigTable = MibTable((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 1), )
if mibBuilder.loadTexts: ipPortConfigTable.setStatus('current')
ipPortConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 1, 1), ).setIndexNames((0, "Netrake-MIB", "ipPortConfigSlotNum"), (0, "Netrake-MIB", "ipPortConfigPortNum"), (0, "Netrake-MIB", "ipPortConfigIpAddr"))
if mibBuilder.loadTexts: ipPortConfigEntry.setStatus('current')
ipPortConfigSlotNum = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 14))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ipPortConfigSlotNum.setStatus('current')
ipPortConfigPortNum = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 1, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 48))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ipPortConfigPortNum.setStatus('current')
ipPortConfigIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 1, 1, 3), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ipPortConfigIpAddr.setStatus('current')
ipPortVlanTag = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 1, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4097))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ipPortVlanTag.setStatus('current')
ipPortConfigNetMask = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 1, 1, 5), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ipPortConfigNetMask.setStatus('current')
ipPortConfigAdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 1, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ipPortConfigAdminState.setStatus('current')
ipPortConfigOperState = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 1, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ipPortConfigOperState.setStatus('current')
ipPortRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 1, 1, 8), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: ipPortRowStatus.setStatus('current')
ipPortVrdTag = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 1, 1, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ipPortVrdTag.setStatus('current')
ipPortConfigChangeTrap = NotificationType((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 2)).setObjects(("Netrake-MIB", "ipPortConfigIpAddr"), ("Netrake-MIB", "ipPortConfigNetMask"), ("Netrake-MIB", "ipPortConfigOperState"), ("Netrake-MIB", "ipPortConfigPortNum"), ("Netrake-MIB", "ipPortConfigSlotNum"), ("Netrake-MIB", "ipPortVlanTag"), ("Netrake-MIB", "ipPortVrdTag"), ("Netrake-MIB", "ipPortConfigAdminState"), ("Netrake-MIB", "ipPortRowStatus"))
if mibBuilder.loadTexts: ipPortConfigChangeTrap.setStatus('current')
ipPortConfigChangeTrapAck = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("notAck", 0), ("ack", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ipPortConfigChangeTrapAck.setStatus('current')
ipPortPlaceHolder = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ipPortPlaceHolder.setStatus('current')
ipPortRefreshOpStates = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ipPortRefreshOpStates.setStatus('current')
ipPortRefreshTrap = NotificationType((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 6)).setObjects(("Netrake-MIB", "ipPortRefreshOpStates"))
if mibBuilder.loadTexts: ipPortRefreshTrap.setStatus('current')
ipPortRefreshTrapAck = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("noAck", 0), ("ack", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ipPortRefreshTrapAck.setStatus('current')
ipPortAutoNegTable = MibTable((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 8), )
if mibBuilder.loadTexts: ipPortAutoNegTable.setStatus('current')
ipPortAutoNegEntry = MibTableRow((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 8, 1), ).setIndexNames((0, "Netrake-MIB", "ipPortAutoNegSlotNum"), (0, "Netrake-MIB", "ipPortAutoNegPortNum"))
if mibBuilder.loadTexts: ipPortAutoNegEntry.setStatus('current')
ipPortAutoNegSlotNum = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 8, 1, 1), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ipPortAutoNegSlotNum.setStatus('current')
ipPortAutoNegPortNum = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 8, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ipPortAutoNegPortNum.setStatus('current')
ipPortAutoNegFlag = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 8, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disable", 0), ("enable", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ipPortAutoNegFlag.setStatus('current')
ipPortAutoNegChangeTrap = NotificationType((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 9)).setObjects(("Netrake-MIB", "ipPortAutoNegFlag"), ("Netrake-MIB", "ipPortAutoNegPortNum"), ("Netrake-MIB", "ipPortAutoNegSlotNum"))
if mibBuilder.loadTexts: ipPortAutoNegChangeTrap.setStatus('current')
ipPortAutoNegChangeTrapAck = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("default", 0), ("ack", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ipPortAutoNegChangeTrapAck.setStatus('current')
ipPortConfigChangeTrapAckSource = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 11), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ipPortConfigChangeTrapAckSource.setStatus('current')
ipPortRefreshTrapAckSource = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 12), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ipPortRefreshTrapAckSource.setStatus('current')
ipPortAutoNegChangeTrapAckSource = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 13), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ipPortAutoNegChangeTrapAckSource.setStatus('current')
nCiteNTATable = MibTable((1, 3, 6, 1, 4, 1, 10950, 1, 1, 16, 1), )
if mibBuilder.loadTexts: nCiteNTATable.setStatus('current')
nCiteNTAEntry = MibTableRow((1, 3, 6, 1, 4, 1, 10950, 1, 1, 16, 1, 1), ).setIndexNames((0, "Netrake-MIB", "nCiteNTACustomerId"))
if mibBuilder.loadTexts: nCiteNTAEntry.setStatus('current')
nCiteNTACustomerId = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 16, 1, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: nCiteNTACustomerId.setStatus('current')
nCiteNTAStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 16, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("noNTSClient", 0), ("configured", 1), ("connected", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: nCiteNTAStatus.setStatus('current')
nCiteNTAReset = NotificationType((1, 3, 6, 1, 4, 1, 10950, 1, 1, 16, 2))
if mibBuilder.loadTexts: nCiteNTAReset.setStatus('current')
edrQuarantineListTable = MibTable((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 1), )
if mibBuilder.loadTexts: edrQuarantineListTable.setStatus('current')
edrQuarantineListEntry = MibTableRow((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 1, 1), ).setIndexNames((0, "Netrake-MIB", "erdQLUniqueId"))
if mibBuilder.loadTexts: edrQuarantineListEntry.setStatus('current')
erdQLUniqueId = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 1, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: erdQLUniqueId.setStatus('current')
edrQLCallId = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 1, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: edrQLCallId.setStatus('current')
edrQLTimestamp = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 1, 1, 3), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: edrQLTimestamp.setStatus('current')
edrQLFrom = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 1, 1, 4), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: edrQLFrom.setStatus('current')
edrQLTo = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 1, 1, 5), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: edrQLTo.setStatus('current')
edrQLRequestURI = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 1, 1, 6), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: edrQLRequestURI.setStatus('current')
edrQLSrcMediaIpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 1, 1, 7), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: edrQLSrcMediaIpPort.setStatus('current')
edrQLDestMediaAnchorIpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 1, 1, 8), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: edrQLDestMediaAnchorIpPort.setStatus('current')
edrQLDestMediaIpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 1, 1, 9), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: edrQLDestMediaIpPort.setStatus('current')
edrQLRogueStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 1, 1, 10), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: edrQLRogueStatus.setStatus('current')
edrQLPerformGarbageCollection = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 1, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("default", 0), ("start", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: edrQLPerformGarbageCollection.setStatus('current')
erdQL2SrcMediaIpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 1, 1, 12), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: erdQL2SrcMediaIpPort.setStatus('current')
erdQL2DestMediaAnchorIpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 1, 1, 13), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: erdQL2DestMediaAnchorIpPort.setStatus('current')
erdQL2DestMediaIpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 1, 1, 14), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: erdQL2DestMediaIpPort.setStatus('current')
edrGarbageCollectionState = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: edrGarbageCollectionState.setStatus('current')
edrLastGarbageCollection = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 3), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: edrLastGarbageCollection.setStatus('current')
edrNextTrafficCheck = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 4), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: edrNextTrafficCheck.setStatus('current')
edrPerformGarbageCollection = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("default", 0), ("start", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: edrPerformGarbageCollection.setStatus('current')
edrGarbageCollectionStatus = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("success", 0), ("entryNotFound", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: edrGarbageCollectionStatus.setStatus('current')
edrGarbageCollectionComplete = NotificationType((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 7)).setObjects(("Netrake-MIB", "edrGarbageCollectionStatus"), ("Netrake-MIB", "edrGarbageCollectionState"), ("Netrake-MIB", "edrLastGarbageCollection"), ("Netrake-MIB", "edrNextTrafficCheck"))
if mibBuilder.loadTexts: edrGarbageCollectionComplete.setStatus('current')
edrGarbageCollectionCompleteTrapAck = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("notAck", 0), ("ack", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: edrGarbageCollectionCompleteTrapAck.setStatus('current')
lrdTable = MibTable((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9), )
if mibBuilder.loadTexts: lrdTable.setStatus('current')
lrdEntry = MibTableRow((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9, 1), ).setIndexNames((0, "Netrake-MIB", "lrdUniqueId"))
if mibBuilder.loadTexts: lrdEntry.setStatus('current')
lrdUniqueId = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-2147483648, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: lrdUniqueId.setStatus('current')
lrdCallId = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lrdCallId.setStatus('current')
lrdRequestURI = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9, 1, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lrdRequestURI.setStatus('current')
lrdFrom = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9, 1, 4), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lrdFrom.setStatus('current')
lrdTo = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9, 1, 5), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lrdTo.setStatus('current')
lrdCallerState = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9, 1, 6), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lrdCallerState.setStatus('current')
lrdCallerMediaAnchorIPPort = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9, 1, 7), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lrdCallerMediaAnchorIPPort.setStatus('current')
lrdCallerDestIPPort = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9, 1, 8), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lrdCallerDestIPPort.setStatus('current')
lrdCallerSourceIPPort1 = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9, 1, 9), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lrdCallerSourceIPPort1.setStatus('current')
lrdCallerSourceIPPort2 = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9, 1, 10), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lrdCallerSourceIPPort2.setStatus('current')
lrdCallerReason = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9, 1, 11), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lrdCallerReason.setStatus('current')
lrdCallerTimeDetect = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9, 1, 12), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lrdCallerTimeDetect.setStatus('current')
lrdCalleeState = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9, 1, 13), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lrdCalleeState.setStatus('current')
lrdCalleeMediaAnchorIPPort = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9, 1, 14), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lrdCalleeMediaAnchorIPPort.setStatus('current')
lrdCalleeDestIPPort = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9, 1, 15), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lrdCalleeDestIPPort.setStatus('current')
lrdCalleeSourceIPPort1 = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9, 1, 16), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lrdCalleeSourceIPPort1.setStatus('current')
lrdCalleeSourceIPPort2 = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9, 1, 17), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lrdCalleeSourceIPPort2.setStatus('current')
lrdCalleeReason = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9, 1, 18), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lrdCalleeReason.setStatus('current')
lrdCalleeTimeDetect = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9, 1, 19), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lrdCalleeTimeDetect.setStatus('current')
edrGarbageCollectionCompleteTrapAckSource = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 10), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: edrGarbageCollectionCompleteTrapAckSource.setStatus('current')
licenseTable = MibTable((1, 3, 6, 1, 4, 1, 10950, 1, 1, 18, 1), )
if mibBuilder.loadTexts: licenseTable.setStatus('current')
licenseEntry = MibTableRow((1, 3, 6, 1, 4, 1, 10950, 1, 1, 18, 1, 1), ).setIndexNames((0, "Netrake-MIB", "licenseIndex"))
if mibBuilder.loadTexts: licenseEntry.setStatus('current')
licenseIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 18, 1, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: licenseIndex.setStatus('current')
licenseFeatureName = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 18, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("globalCac", 0), ("redundancy", 1), ("nts", 2), ("rogueDetect", 3), ("totalCust", 4), ("totalNtsCust", 5), ("totalVlanCust", 6), ("globalReg", 7)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: licenseFeatureName.setStatus('deprecated')
licenseValue = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 18, 1, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: licenseValue.setStatus('current')
licenseInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 18, 1, 1, 4), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: licenseInstallDate.setStatus('current')
licenseExpirationDate = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 18, 1, 1, 5), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: licenseExpirationDate.setStatus('current')
licenseFeatureDisplayName = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 18, 1, 1, 6), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: licenseFeatureDisplayName.setStatus('current')
licenseFileName = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 18, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: licenseFileName.setStatus('current')
licenseFileChangeTrap = NotificationType((1, 3, 6, 1, 4, 1, 10950, 1, 1, 18, 3)).setObjects(("Netrake-MIB", "licenseFileName"))
if mibBuilder.loadTexts: licenseFileChangeTrap.setStatus('current')
licenseFileChangeTrapAck = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 18, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("notAck", 0), ("ack", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: licenseFileChangeTrapAck.setStatus('current')
licenseFileChangeTrapAckSource = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 18, 5), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: licenseFileChangeTrapAckSource.setStatus('current')
nCiteRipState = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 19, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("off", 0), ("on", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: nCiteRipState.setStatus('current')
nCiteRipPortConfigTable = MibTable((1, 3, 6, 1, 4, 1, 10950, 1, 1, 19, 2), )
if mibBuilder.loadTexts: nCiteRipPortConfigTable.setStatus('current')
nCiteRipPortConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 10950, 1, 1, 19, 2, 1), ).setIndexNames((0, "Netrake-MIB", "nCiteRipPortSlotNum"), (0, "Netrake-MIB", "nCiteRipPortNum"))
if mibBuilder.loadTexts: nCiteRipPortConfigEntry.setStatus('current')
nCiteRipPortSlotNum = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 19, 2, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: nCiteRipPortSlotNum.setStatus('current')
nCiteRipPortNum = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 19, 2, 1, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: nCiteRipPortNum.setStatus('current')
nCiteRipPortPrimary = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 19, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("default", 0), ("primary", 1), ("secondary", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: nCiteRipPortPrimary.setStatus('current')
nCiteRipInterfacesTable = MibTable((1, 3, 6, 1, 4, 1, 10950, 1, 1, 19, 3), )
if mibBuilder.loadTexts: nCiteRipInterfacesTable.setStatus('current')
nCiteRipInterfacesEntry = MibTableRow((1, 3, 6, 1, 4, 1, 10950, 1, 1, 19, 3, 1), ).setIndexNames((0, "Netrake-MIB", "nCiteRipInterafacesSlotNum"), (0, "Netrake-MIB", "nCiteRipInterfacesPortNum"), (0, "Netrake-MIB", "nCiteRipInterfacesIPAddr"))
if mibBuilder.loadTexts: nCiteRipInterfacesEntry.setStatus('current')
nCiteRipInterafacesSlotNum = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 19, 3, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: nCiteRipInterafacesSlotNum.setStatus('current')
nCiteRipInterfacesPortNum = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 19, 3, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: nCiteRipInterfacesPortNum.setStatus('current')
nCiteRipInterfacesIPAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 19, 3, 1, 3), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: nCiteRipInterfacesIPAddr.setStatus('current')
authConfigLocalOverride = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 20, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: authConfigLocalOverride.setStatus('current')
authConfigRadiusRetryCount = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 20, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 5))).setMaxAccess("readonly")
if mibBuilder.loadTexts: authConfigRadiusRetryCount.setStatus('current')
authConfigRadiusRetryInterval = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 20, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 10))).setMaxAccess("readonly")
if mibBuilder.loadTexts: authConfigRadiusRetryInterval.setStatus('current')
authConfigRadiusServersTable = MibTable((1, 3, 6, 1, 4, 1, 10950, 1, 1, 20, 4), )
if mibBuilder.loadTexts: authConfigRadiusServersTable.setStatus('current')
authConfigRadiusServersEntry = MibTableRow((1, 3, 6, 1, 4, 1, 10950, 1, 1, 20, 4, 1), ).setIndexNames((0, "Netrake-MIB", "authConfigRadiusServerIp"))
if mibBuilder.loadTexts: authConfigRadiusServersEntry.setStatus('current')
authConfigRadiusServerIp = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 20, 4, 1, 1), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: authConfigRadiusServerIp.setStatus('current')
authConfigRadiusServerPort = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 20, 4, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: authConfigRadiusServerPort.setStatus('current')
authConfigRadiusServerPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 20, 4, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 5))).setMaxAccess("readonly")
if mibBuilder.loadTexts: authConfigRadiusServerPriority.setStatus('current')
chasSerNum = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 1, 1), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: chasSerNum.setStatus('current')
chasLedStatus = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-2147483648, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: chasLedStatus.setStatus('current')
chasPOSTMode = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("fastPOST", 0), ("fullPost", 1))).clone('fastPOST')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: chasPOSTMode.setStatus('current')
chasType = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("unknown", 0), ("bff", 1), ("sff", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: chasType.setStatus('current')
chasPwrSupplyTable = MibTable((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 2, 1), )
if mibBuilder.loadTexts: chasPwrSupplyTable.setStatus('current')
chasPwrSupplyEntry = MibTableRow((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 2, 1, 1), ).setIndexNames((0, "Netrake-MIB", "chasPwrSupplyIndex"))
if mibBuilder.loadTexts: chasPwrSupplyEntry.setStatus('current')
chasPwrSupplyIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 2, 1, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: chasPwrSupplyIndex.setStatus('current')
chasPwrSupplyOperStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 2, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("unknown", 1), ("normal", 2), ("fault", 3), ("notPresent", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: chasPwrSupplyOperStatus.setStatus('current')
chasPwrSupplyDesc = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 2, 1, 1, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: chasPwrSupplyDesc.setStatus('current')
chasPwrTrap = NotificationType((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 2, 2)).setObjects(("Netrake-MIB", "chasPwrSupplyIndex"), ("Netrake-MIB", "chasPwrSupplyOperStatus"))
if mibBuilder.loadTexts: chasPwrTrap.setStatus('current')
chasPwrTrapAck = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 2, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("notAck", 0), ("ack", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: chasPwrTrapAck.setStatus('current')
chasPwrTrapAckSource = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 2, 4), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: chasPwrTrapAckSource.setStatus('current')
chasFanTable = MibTable((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 3, 1), )
if mibBuilder.loadTexts: chasFanTable.setStatus('current')
chasFanEntry = MibTableRow((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 3, 1, 1), ).setIndexNames((0, "Netrake-MIB", "chasFanIndex"))
if mibBuilder.loadTexts: chasFanEntry.setStatus('current')
chasFanIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 3, 1, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: chasFanIndex.setStatus('current')
chasFanOperStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 3, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4))).clone(namedValues=NamedValues(("dev_ok", 0), ("dev_fail", 1), ("dev_present", 2), ("dev_not_present", 3), ("unknown", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: chasFanOperStatus.setStatus('current')
chasFanDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 3, 1, 1, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: chasFanDescription.setStatus('current')
chasFanTrap = NotificationType((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 3, 2)).setObjects(("Netrake-MIB", "chasFanIndex"), ("Netrake-MIB", "chasFanOperStatus"))
if mibBuilder.loadTexts: chasFanTrap.setStatus('current')
chasFanTrapAck = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 3, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("notAck", 0), ("ack", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: chasFanTrapAck.setStatus('current')
chasFanTrapAckSource = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 3, 4), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: chasFanTrapAckSource.setStatus('current')
chasBrdTable = MibTable((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 4, 1), )
if mibBuilder.loadTexts: chasBrdTable.setStatus('current')
chasBrdEntry = MibTableRow((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 4, 1, 1), ).setIndexNames((0, "Netrake-MIB", "chasBrdSlotNum"))
if mibBuilder.loadTexts: chasBrdEntry.setStatus('current')
chasBrdSlotNum = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 4, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 14))).setMaxAccess("readonly")
if mibBuilder.loadTexts: chasBrdSlotNum.setStatus('current')
chasBrdDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 4, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: chasBrdDescription.setStatus('current')
chasBrdType = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 4, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 0))).clone(namedValues=NamedValues(("managementProc", 1), ("controlProc", 2), ("netrakeControlProcessor", 3), ("gigE", 4), ("fastEther", 5), ("noBoardPresent", 0)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: chasBrdType.setStatus('current')
chasBrdOccSlots = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 4, 1, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-2147483648, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: chasBrdOccSlots.setStatus('current')
chasBrdMaxPorts = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 4, 1, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: chasBrdMaxPorts.setStatus('current')
chasBrdSlotLabel = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 4, 1, 1, 6), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: chasBrdSlotLabel.setStatus('current')
chasBrdStatusLeds = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 4, 1, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-2147483648, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: chasBrdStatusLeds.setStatus('current')
chasBrdState = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 4, 1, 1, 8), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: chasBrdState.setStatus('current')
chasBrdPwr = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 4, 1, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("default", 0), ("powerOn", 1), ("powerOff", 2))).clone('powerOn')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: chasBrdPwr.setStatus('current')
chasBrdIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 4, 1, 1, 10), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: chasBrdIfIndex.setStatus('current')
chasBrdSerialNum = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 4, 1, 1, 11), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: chasBrdSerialNum.setStatus('current')
chasBrdReset = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 4, 1, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("default", 0), ("resetCold", 1), ("resetWarm", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: chasBrdReset.setStatus('current')
chasBrdStateChangeTrap = NotificationType((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 4, 2)).setObjects(("Netrake-MIB", "chasBrdSlotNum"), ("Netrake-MIB", "chasBrdType"), ("Netrake-MIB", "chasBrdState"))
if mibBuilder.loadTexts: chasBrdStateChangeTrap.setStatus('current')
chasBrdStateChangeTrapAck = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 4, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("notAck", 0), ("ack", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: chasBrdStateChangeTrapAck.setStatus('current')
chasBrdStateChangeTrapAckSource = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 4, 4), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: chasBrdStateChangeTrapAckSource.setStatus('current')
totalPacketsXmitCPA = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 1, 1), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: totalPacketsXmitCPA.setStatus('current')
numPacketsDiscardCPA = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 1, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: numPacketsDiscardCPA.setStatus('current')
totalPacketsXmitCPB = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 1, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: totalPacketsXmitCPB.setStatus('current')
numPacketsDiscardCPB = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 1, 4), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: numPacketsDiscardCPB.setStatus('current')
totalPacketsXmit = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 1, 5), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: totalPacketsXmit.setStatus('current')
totalPacketsDiscard = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 1, 6), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: totalPacketsDiscard.setStatus('current')
gigEStatsTable = MibTable((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1), )
if mibBuilder.loadTexts: gigEStatsTable.setStatus('current')
gigEStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1), ).setIndexNames((0, "Netrake-MIB", "gigEStatsPortIndex"), (0, "Netrake-MIB", "gigEStatsSlotNum"))
if mibBuilder.loadTexts: gigEStatsEntry.setStatus('current')
gigEStatsPortIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 48))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gigEStatsPortIndex.setStatus('current')
gigEStatsSlotNum = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 14))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gigEStatsSlotNum.setStatus('current')
linkStatusChanges = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: linkStatusChanges.setStatus('current')
framesRcvdOkCount = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 4), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: framesRcvdOkCount.setStatus('current')
octetsRcvdOkCount = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 5), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: octetsRcvdOkCount.setStatus('current')
framesRcvdCount = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 6), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: framesRcvdCount.setStatus('current')
octetsRcvdCount = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 7), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: octetsRcvdCount.setStatus('current')
frameSeqErrCount = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 8), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: frameSeqErrCount.setStatus('current')
lostFramesMacErrCount = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 9), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lostFramesMacErrCount.setStatus('current')
rcvdFrames64Octets = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 10), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: rcvdFrames64Octets.setStatus('current')
octetsRcvd1519toMax = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 11), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: octetsRcvd1519toMax.setStatus('current')
xmitFrames64Octets = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 12), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: xmitFrames64Octets.setStatus('current')
octetsXmit1024to1518 = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 13), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: octetsXmit1024to1518.setStatus('current')
octetsXmitCount = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 14), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: octetsXmitCount.setStatus('current')
unicastFramesXmitOk = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 15), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: unicastFramesXmitOk.setStatus('current')
unicastFramesRcvdOk = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 16), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: unicastFramesRcvdOk.setStatus('current')
broadcastFramesXmitOk = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 17), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: broadcastFramesXmitOk.setStatus('current')
broadcastFramesRcvdOk = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 18), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: broadcastFramesRcvdOk.setStatus('current')
multicastFramesXmitOk = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 19), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: multicastFramesXmitOk.setStatus('current')
multicastFramesRcvdOk = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 20), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: multicastFramesRcvdOk.setStatus('current')
octetsRcvd65to127 = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 21), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: octetsRcvd65to127.setStatus('current')
octetsXmit65to127 = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 22), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: octetsXmit65to127.setStatus('current')
octetRcvd128to255 = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 23), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: octetRcvd128to255.setStatus('current')
octetsXmit128to255 = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 24), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: octetsXmit128to255.setStatus('current')
octetsRcvd256to511 = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 25), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: octetsRcvd256to511.setStatus('current')
octetsXmit256to511 = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 26), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: octetsXmit256to511.setStatus('current')
octetsRcvd512to1023 = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 27), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: octetsRcvd512to1023.setStatus('current')
octetsXmit512to1023 = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 28), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: octetsXmit512to1023.setStatus('current')
octetsRcvd1024to1518 = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 29), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: octetsRcvd1024to1518.setStatus('current')
octetsXmit1519toMax = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 30), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: octetsXmit1519toMax.setStatus('current')
underSizeFramesRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 31), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: underSizeFramesRcvd.setStatus('current')
jabbersRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 32), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: jabbersRcvd.setStatus('current')
serviceStatsTable = MibTable((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 3, 1), )
if mibBuilder.loadTexts: serviceStatsTable.setStatus('current')
serviceStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 3, 1, 1), ).setIndexNames((0, "Netrake-MIB", "serviceStatsPortIndex"), (0, "Netrake-MIB", "serviceStatsSlotId"))
if mibBuilder.loadTexts: serviceStatsEntry.setStatus('current')
serviceStatsPortIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 3, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-2147483648, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: serviceStatsPortIndex.setStatus('current')
serviceStatsSlotId = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 3, 1, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: serviceStatsSlotId.setStatus('current')
realTimeTotalPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 3, 1, 1, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: realTimeTotalPackets.setStatus('current')
realTimeDiscardPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 3, 1, 1, 4), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: realTimeDiscardPackets.setStatus('current')
nrtTotalPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 3, 1, 1, 5), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: nrtTotalPackets.setStatus('current')
nrtDiscardPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 3, 1, 1, 6), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: nrtDiscardPackets.setStatus('current')
bestEffortTotalPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 3, 1, 1, 7), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: bestEffortTotalPackets.setStatus('current')
bestEffortDiscardPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 3, 1, 1, 8), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: bestEffortDiscardPackets.setStatus('current')
redundPairedModeTimeTicks = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 4, 1), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: redundPairedModeTimeTicks.setStatus('current')
redundRecoveryModeTimeTicks = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 4, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: redundRecoveryModeTimeTicks.setStatus('current')
redundNumRedundLinkFailures = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 4, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: redundNumRedundLinkFailures.setStatus('current')
redundActiveMateCalls = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 4, 4), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: redundActiveMateCalls.setStatus('current')
redundActiveMateRegist = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 4, 5), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: redundActiveMateRegist.setStatus('current')
policyCountersTable = MibTable((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 5, 1), )
if mibBuilder.loadTexts: policyCountersTable.setStatus('current')
policyCountersEntry = MibTableRow((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 5, 1, 1), ).setIndexNames((0, "Netrake-MIB", "policyIndex"))
if mibBuilder.loadTexts: policyCountersEntry.setStatus('current')
policyIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 5, 1, 1, 1), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: policyIndex.setStatus('current')
policyTotalPacketsA = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 5, 1, 1, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: policyTotalPacketsA.setStatus('current')
policyTotalPacketsB = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 5, 1, 1, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: policyTotalPacketsB.setStatus('current')
policyTotalPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 5, 1, 1, 4), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: policyTotalPackets.setStatus('current')
policyStatsReset = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 5, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-2147483648, 2147483647))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: policyStatsReset.setStatus('current')
sipStatCallsInitiating = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 1), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipStatCallsInitiating.setStatus('current')
sipStatNonLocalActiveCalls = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipStatNonLocalActiveCalls.setStatus('deprecated')
sipStatLocalActiveCalls = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipStatLocalActiveCalls.setStatus('current')
sipStatTermCalls = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 4), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipStatTermCalls.setStatus('current')
sipStatPeakActiveCalls = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 5), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipStatPeakActiveCalls.setStatus('deprecated')
sipStatTotalActiveCalls = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 6), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipStatTotalActiveCalls.setStatus('current')
sipStatCallsCompletedSuccess = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 7), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipStatCallsCompletedSuccess.setStatus('current')
sipStatCallsFailed = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 8), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipStatCallsFailed.setStatus('current')
sipStatCallsAbandoned = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 9), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipStatCallsAbandoned.setStatus('current')
sipStatCallsDropped = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 10), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipStatCallsDropped.setStatus('deprecated')
sipStatCallsDegraded = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 11), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipStatCallsDegraded.setStatus('current')
sipStatAuthFailures = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 12), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipStatAuthFailures.setStatus('deprecated')
sipStatCallMediaTimeouts = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 13), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipStatCallMediaTimeouts.setStatus('current')
sipStatCallInitTimeouts = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 14), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipStatCallInitTimeouts.setStatus('current')
sipStatTermTimeouts = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 15), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipStatTermTimeouts.setStatus('current')
sipStatMsgErrs = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 16), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipStatMsgErrs.setStatus('deprecated')
sipStatCallsProcessed = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 17), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipStatCallsProcessed.setStatus('current')
sipStatPeakNonLocalCalls = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 18), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipStatPeakNonLocalCalls.setStatus('deprecated')
sipStatPeakLocalCalls = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 19), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipStatPeakLocalCalls.setStatus('current')
sipStatRedirectSuccess = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 20), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipStatRedirectSuccess.setStatus('deprecated')
sipStatRedirectFailures = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 21), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipStatRedirectFailures.setStatus('deprecated')
sipStatMessageRoutingFailures = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 22), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipStatMessageRoutingFailures.setStatus('deprecated')
sipStatAuthenticationChallenges = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 23), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipStatAuthenticationChallenges.setStatus('current')
sipStatRTPFWTraversalTimeouts = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 24), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipStatRTPFWTraversalTimeouts.setStatus('current')
sipStatMessagesReroutedToMate = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 25), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipStatMessagesReroutedToMate.setStatus('deprecated')
sipStatSameSideActiveCalls = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 26), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipStatSameSideActiveCalls.setStatus('current')
sipStatNormalActiveCalls = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 27), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipStatNormalActiveCalls.setStatus('current')
sipStatPeakSameSideActiveCalls = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 28), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipStatPeakSameSideActiveCalls.setStatus('current')
sipStatPeakNormalActiveCalls = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 29), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipStatPeakNormalActiveCalls.setStatus('current')
sipStatCurrentFaxSessions = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 30), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipStatCurrentFaxSessions.setStatus('deprecated')
sipStatPeakFaxSessions = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 31), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipStatPeakFaxSessions.setStatus('deprecated')
sipStatTotalFaxSessions = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 32), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipStatTotalFaxSessions.setStatus('deprecated')
sipStatPeakTotalActiveCalls = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 33), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipStatPeakTotalActiveCalls.setStatus('current')
vlanStatsTable = MibTable((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 7, 2), )
if mibBuilder.loadTexts: vlanStatsTable.setStatus('current')
vlanStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 7, 2, 1), ).setIndexNames((0, "Netrake-MIB", "vlanStatsSlotNum"), (0, "Netrake-MIB", "vlanStatsPortNum"), (0, "Netrake-MIB", "vlanStatsVlanLabel"))
if mibBuilder.loadTexts: vlanStatsEntry.setStatus('current')
vlanStatsSlotNum = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 7, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 14))).setMaxAccess("readonly")
if mibBuilder.loadTexts: vlanStatsSlotNum.setStatus('current')
vlanStatsPortNum = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 7, 2, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 48))).setMaxAccess("readonly")
if mibBuilder.loadTexts: vlanStatsPortNum.setStatus('current')
vlanStatsVlanLabel = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 7, 2, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: vlanStatsVlanLabel.setStatus('current')
vlanTotalPacketsXmit = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 7, 2, 1, 4), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: vlanTotalPacketsXmit.setStatus('current')
vlanTotalPacketsRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 7, 2, 1, 5), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: vlanTotalPacketsRcvd.setStatus('current')
vlanStatsReset = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 7, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("default", 0), ("reset", 1))).clone('default')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: vlanStatsReset.setStatus('current')
custSipStatsTable = MibTable((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1), )
if mibBuilder.loadTexts: custSipStatsTable.setStatus('current')
custSipStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1), ).setIndexNames((0, "Netrake-MIB", "custSipStatId"))
if mibBuilder.loadTexts: custSipStatsEntry.setStatus('current')
custSipStatId = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipStatId.setStatus('current')
custSipStatCallsInitiating = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipStatCallsInitiating.setStatus('current')
custSipStatNonLocalActiveCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipStatNonLocalActiveCalls.setStatus('deprecated')
custSipStatLocalActiveCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 4), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipStatLocalActiveCalls.setStatus('current')
custSipStatTermCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 5), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipStatTermCalls.setStatus('current')
custSipStatPeakActiveCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 6), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipStatPeakActiveCalls.setStatus('deprecated')
custSipStatTotalActiveCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 7), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipStatTotalActiveCalls.setStatus('current')
custSipStatCallsCompletedSuccess = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 8), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipStatCallsCompletedSuccess.setStatus('current')
custSipStatCallsFailed = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 9), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipStatCallsFailed.setStatus('current')
custSipStatCallsAbandoned = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 10), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipStatCallsAbandoned.setStatus('current')
custSipStatCallsDropped = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 11), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipStatCallsDropped.setStatus('deprecated')
custSipStatCallsDegraded = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 12), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipStatCallsDegraded.setStatus('current')
custSipStatCallMediaTimeouts = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 13), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipStatCallMediaTimeouts.setStatus('current')
custSipStatCallInitTimeouts = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 14), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipStatCallInitTimeouts.setStatus('current')
custSipStatTermTimeouts = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 15), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipStatTermTimeouts.setStatus('current')
custSipStatCallsProcessed = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 16), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipStatCallsProcessed.setStatus('current')
custSipPeakNonLocalCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 17), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipPeakNonLocalCalls.setStatus('deprecated')
custSipPeakLocalCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 18), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipPeakLocalCalls.setStatus('current')
custSipAuthenticationChallenges = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 19), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipAuthenticationChallenges.setStatus('current')
custSipRTPFWTraversalTimeouts = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 20), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipRTPFWTraversalTimeouts.setStatus('current')
custSipSameSideActiveCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 21), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipSameSideActiveCalls.setStatus('current')
custSipNormalActiveCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 22), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipNormalActiveCalls.setStatus('current')
custSipPeakNormalActiveCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 23), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipPeakNormalActiveCalls.setStatus('current')
custSipPeakTotalActive = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 24), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipPeakTotalActive.setStatus('current')
nCiteSDRCollectionCycle = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 10, 1), Integer32().clone(5)).setMaxAccess("readonly")
if mibBuilder.loadTexts: nCiteSDRCollectionCycle.setStatus('current')
nCIteSDRLastSent = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 10, 2), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: nCIteSDRLastSent.setStatus('current')
nCiteSDREnable = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 10, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: nCiteSDREnable.setStatus('current')
nCiteSDRSentTrap = NotificationType((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 10, 4)).setObjects(("Netrake-MIB", "nCIteSDRLastSent"))
if mibBuilder.loadTexts: nCiteSDRSentTrap.setStatus('current')
nCiteSDRSentTrapAck = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 10, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("notAck", 0), ("ack", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: nCiteSDRSentTrapAck.setStatus('current')
nCiteSDRSentTrapAckSource = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 10, 6), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: nCiteSDRSentTrapAckSource.setStatus('current')
regStatNumInitiating = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 11, 1), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: regStatNumInitiating.setStatus('current')
regStatNumActive = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 11, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: regStatNumActive.setStatus('current')
regStatPeak = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 11, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: regStatPeak.setStatus('current')
regStatUpdateSuccess = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 11, 4), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: regStatUpdateSuccess.setStatus('current')
regStatUpdateFailed = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 11, 5), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: regStatUpdateFailed.setStatus('current')
regStatExpired = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 11, 6), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: regStatExpired.setStatus('current')
regStatDropped = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 11, 7), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: regStatDropped.setStatus('deprecated')
regStatAuthFailures = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 11, 8), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: regStatAuthFailures.setStatus('current')
regStatInitSipTimeouts = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 11, 9), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: regStatInitSipTimeouts.setStatus('current')
regStatTermSipTimeouts = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 11, 10), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: regStatTermSipTimeouts.setStatus('current')
regStatTerminating = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 11, 11), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: regStatTerminating.setStatus('current')
regStatFailed = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 11, 12), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: regStatFailed.setStatus('current')
regStatAuthenticationChallenges = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 11, 13), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: regStatAuthenticationChallenges.setStatus('current')
regStatUnauthReg = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 11, 14), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: regStatUnauthReg.setStatus('current')
custRegStatsTable = MibTable((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 12, 1), )
if mibBuilder.loadTexts: custRegStatsTable.setStatus('current')
custRegStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 12, 1, 1), ).setIndexNames((0, "Netrake-MIB", "custRegStatId"))
if mibBuilder.loadTexts: custRegStatsEntry.setStatus('current')
custRegStatId = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 12, 1, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custRegStatId.setStatus('current')
custRegStatNumInitiated = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 12, 1, 1, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custRegStatNumInitiated.setStatus('current')
custRegStatNumActive = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 12, 1, 1, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custRegStatNumActive.setStatus('current')
custRegStatPeak = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 12, 1, 1, 4), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custRegStatPeak.setStatus('current')
custRegStatUpdateSuccess = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 12, 1, 1, 5), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custRegStatUpdateSuccess.setStatus('current')
custRegStatUpdateFailed = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 12, 1, 1, 6), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custRegStatUpdateFailed.setStatus('current')
custRegStatExpired = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 12, 1, 1, 7), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custRegStatExpired.setStatus('current')
custRegStatDropped = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 12, 1, 1, 8), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custRegStatDropped.setStatus('deprecated')
custRegStatInitSipTimeouts = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 12, 1, 1, 9), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custRegStatInitSipTimeouts.setStatus('current')
custRegStatTermSipTimeouts = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 12, 1, 1, 10), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custRegStatTermSipTimeouts.setStatus('current')
custRegStatTerminating = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 12, 1, 1, 11), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custRegStatTerminating.setStatus('current')
custRegStatFailed = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 12, 1, 1, 12), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custRegStatFailed.setStatus('current')
custRegAuthenticationChallenges = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 12, 1, 1, 13), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custRegAuthenticationChallenges.setStatus('current')
custRegStatUnauthorizedReg = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 12, 1, 1, 14), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custRegStatUnauthorizedReg.setStatus('current')
ntsStatNumCust = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 13, 1), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ntsStatNumCust.setStatus('current')
ntsStatAuthFailures = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 13, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ntsStatAuthFailures.setStatus('current')
ntsStatCustConnected = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 13, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ntsStatCustConnected.setStatus('current')
edrCurrentCallCount = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 14, 1), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: edrCurrentCallCount.setStatus('current')
edrPeakCallCount = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 14, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: edrPeakCallCount.setStatus('current')
edrTotalCallsRogue = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 14, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: edrTotalCallsRogue.setStatus('current')
edrLastDetection = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 14, 4), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: edrLastDetection.setStatus('current')
lrdCurrentCallCount = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 14, 5), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lrdCurrentCallCount.setStatus('current')
lrdPeakCallCount = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 14, 6), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lrdPeakCallCount.setStatus('current')
lrdTotalCallsRogue = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 14, 7), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lrdTotalCallsRogue.setStatus('current')
lrdLastDetection = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 14, 8), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lrdLastDetection.setStatus('current')
custNtsStatsTable = MibTable((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 16, 1), )
if mibBuilder.loadTexts: custNtsStatsTable.setStatus('current')
custNtsStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 16, 1, 1), ).setIndexNames((0, "Netrake-MIB", "custNtsStatId"))
if mibBuilder.loadTexts: custNtsStatsEntry.setStatus('current')
custNtsStatId = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 16, 1, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custNtsStatId.setStatus('current')
custNtsAuthorizationFailed = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 16, 1, 1, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custNtsAuthorizationFailed.setStatus('current')
sipH323CallsInitiating = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 1), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipH323CallsInitiating.setStatus('current')
sipH323LocalActiveCalls = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipH323LocalActiveCalls.setStatus('current')
sipH323TermCalls = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipH323TermCalls.setStatus('current')
sipH323PeakTotalActiveCalls = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 4), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipH323PeakTotalActiveCalls.setStatus('current')
sipH323TotalActiveCalls = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 5), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipH323TotalActiveCalls.setStatus('current')
sipH323CallsCompletedSuccess = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 6), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipH323CallsCompletedSuccess.setStatus('current')
sipH323CallsFailed = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 7), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipH323CallsFailed.setStatus('current')
sipH323CallsAbandoned = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 8), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipH323CallsAbandoned.setStatus('current')
sipH323CallsDropped = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 9), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipH323CallsDropped.setStatus('deprecated')
sipH323CallsDegraded = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 10), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipH323CallsDegraded.setStatus('current')
sipH323AuthFailures = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 11), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipH323AuthFailures.setStatus('current')
sipH323CallMediaTimeouts = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 12), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipH323CallMediaTimeouts.setStatus('current')
sipH323CallInitTimeouts = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 13), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipH323CallInitTimeouts.setStatus('current')
sipH323TermTimeouts = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 14), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipH323TermTimeouts.setStatus('current')
sipH323MsgErrs = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 15), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipH323MsgErrs.setStatus('current')
sipH323CallsProcessed = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 16), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipH323CallsProcessed.setStatus('current')
sipH323PeakLocalCalls = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 17), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipH323PeakLocalCalls.setStatus('current')
sipH323RedirectSuccess = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 18), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipH323RedirectSuccess.setStatus('deprecated')
sipH323RedirectFailures = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 19), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipH323RedirectFailures.setStatus('deprecated')
sipH323MessageRoutingFailures = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 20), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipH323MessageRoutingFailures.setStatus('current')
sipH323AuthenticationChallenges = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 21), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipH323AuthenticationChallenges.setStatus('current')
sipH323RTPFWTraversalTimeouts = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 22), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipH323RTPFWTraversalTimeouts.setStatus('current')
sipH323MessagesReroutedToMate = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 23), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipH323MessagesReroutedToMate.setStatus('deprecated')
sipH323SameSideActiveCalls = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 24), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipH323SameSideActiveCalls.setStatus('current')
sipH323NormalActiveCalls = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 25), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipH323NormalActiveCalls.setStatus('current')
sipH323PeakSameSideActiveCalls = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 26), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipH323PeakSameSideActiveCalls.setStatus('current')
sipH323PeakNormalActiveCalls = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 27), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipH323PeakNormalActiveCalls.setStatus('current')
sipH323CurrentFaxSessions = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 28), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipH323CurrentFaxSessions.setStatus('deprecated')
sipH323PeakFaxSessions = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 29), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipH323PeakFaxSessions.setStatus('deprecated')
sipH323TotalFaxSessions = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 30), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipH323TotalFaxSessions.setStatus('deprecated')
h323CallsInitiating = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 1), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h323CallsInitiating.setStatus('current')
h323LocalActiveCalls = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h323LocalActiveCalls.setStatus('current')
h323TermCalls = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h323TermCalls.setStatus('current')
h323PeakTotalActiveCalls = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 4), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h323PeakTotalActiveCalls.setStatus('current')
h323TotalActiveCalls = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 5), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h323TotalActiveCalls.setStatus('current')
h323CallsCompletedSuccess = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 6), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h323CallsCompletedSuccess.setStatus('current')
h323CallsFailed = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 7), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h323CallsFailed.setStatus('current')
h323CallsAbandoned = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 8), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h323CallsAbandoned.setStatus('current')
h323CallsDropped = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 9), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h323CallsDropped.setStatus('deprecated')
h323CallsDegraded = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 10), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h323CallsDegraded.setStatus('current')
h323AuthFailures = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 11), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h323AuthFailures.setStatus('current')
h323CallMediaTimeouts = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 12), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h323CallMediaTimeouts.setStatus('current')
h323CallInitTimeouts = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 13), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h323CallInitTimeouts.setStatus('current')
h323TermTimeouts = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 14), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h323TermTimeouts.setStatus('current')
h323MsgErrs = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 15), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h323MsgErrs.setStatus('current')
h323CallsProcessed = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 16), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h323CallsProcessed.setStatus('current')
h323PeakLocalCalls = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 17), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h323PeakLocalCalls.setStatus('current')
h323MessageRoutingFailures = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 18), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h323MessageRoutingFailures.setStatus('current')
h323AuthenticationChallenges = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 19), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h323AuthenticationChallenges.setStatus('current')
h323RTPFWTraversalTimeouts = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 20), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h323RTPFWTraversalTimeouts.setStatus('current')
h323SameSideActiveCalls = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 21), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h323SameSideActiveCalls.setStatus('current')
h323NormalActiveCalls = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 22), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h323NormalActiveCalls.setStatus('current')
h323PeakSameSideActiveCalls = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 23), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h323PeakSameSideActiveCalls.setStatus('current')
h323PeakNormalActiveCalls = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 24), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h323PeakNormalActiveCalls.setStatus('current')
h323CurrentFaxSessions = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 25), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h323CurrentFaxSessions.setStatus('deprecated')
h323PeakFaxSessions = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 26), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h323PeakFaxSessions.setStatus('deprecated')
h323TotalFaxSessions = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 27), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h323TotalFaxSessions.setStatus('deprecated')
voIpCallsInitiating = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 1), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voIpCallsInitiating.setStatus('current')
voIpLocalActiveCalls = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voIpLocalActiveCalls.setStatus('current')
voIpTermCalls = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voIpTermCalls.setStatus('current')
voIpPeakTotalActiveCalls = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 4), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voIpPeakTotalActiveCalls.setStatus('current')
voIpTotalActiveCalls = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 5), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voIpTotalActiveCalls.setStatus('current')
voIpCallsCompletedSuccess = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 6), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voIpCallsCompletedSuccess.setStatus('current')
voIpCallsFailed = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 7), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voIpCallsFailed.setStatus('current')
voIpCallsAbandoned = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 8), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voIpCallsAbandoned.setStatus('current')
voIpCallsDropped = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 9), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voIpCallsDropped.setStatus('deprecated')
voIpCallsDegraded = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 10), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voIpCallsDegraded.setStatus('current')
voIpAuthFailures = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 11), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voIpAuthFailures.setStatus('current')
voIpCallMediaTimeouts = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 12), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voIpCallMediaTimeouts.setStatus('current')
voIpCallInitTimeouts = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 13), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voIpCallInitTimeouts.setStatus('current')
voIpTermTimeouts = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 14), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voIpTermTimeouts.setStatus('current')
voIpMsgErrs = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 15), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voIpMsgErrs.setStatus('current')
voIpCallsProcessed = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 16), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voIpCallsProcessed.setStatus('current')
voIpPeakLocalCalls = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 17), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voIpPeakLocalCalls.setStatus('current')
voIpRedirectSuccess = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 18), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voIpRedirectSuccess.setStatus('deprecated')
voIpRedirectFailures = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 19), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voIpRedirectFailures.setStatus('deprecated')
voIpMessageRoutingFailures = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 20), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voIpMessageRoutingFailures.setStatus('current')
voIpAuthenticationChallenges = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 21), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voIpAuthenticationChallenges.setStatus('current')
voIpRTPFWTraversalTimeouts = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 22), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voIpRTPFWTraversalTimeouts.setStatus('current')
voIpMessagesReroutedToMate = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 23), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voIpMessagesReroutedToMate.setStatus('deprecated')
voIpSameSideActiveCalls = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 24), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voIpSameSideActiveCalls.setStatus('current')
voIpNormalActiveCalls = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 25), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voIpNormalActiveCalls.setStatus('current')
voIpPeakSameSideActiveCalls = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 26), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voIpPeakSameSideActiveCalls.setStatus('current')
voIpPeakNormalActiveCalls = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 27), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voIpPeakNormalActiveCalls.setStatus('current')
voIpCurrentFaxSessions = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 28), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voIpCurrentFaxSessions.setStatus('deprecated')
voIpPeakFaxSessions = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 29), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voIpPeakFaxSessions.setStatus('deprecated')
voIpTotalFaxSessions = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 30), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voIpTotalFaxSessions.setStatus('deprecated')
custSipH323StatsTable = MibTable((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1), )
if mibBuilder.loadTexts: custSipH323StatsTable.setStatus('current')
custSipH323StatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1), ).setIndexNames((0, "Netrake-MIB", "custSipH323Id"))
if mibBuilder.loadTexts: custSipH323StatsEntry.setStatus('current')
custSipH323Id = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipH323Id.setStatus('current')
custSipH323CallsInitiating = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipH323CallsInitiating.setStatus('current')
custSipH323LocalActiveCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipH323LocalActiveCalls.setStatus('current')
custSipH323TermCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 4), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipH323TermCalls.setStatus('current')
custSipH323PeakTotalActiveCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 5), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipH323PeakTotalActiveCalls.setStatus('current')
custSipH323TotalActiveCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 6), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipH323TotalActiveCalls.setStatus('current')
custSipH323CallsCompletedSuccess = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 7), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipH323CallsCompletedSuccess.setStatus('current')
custSipH323CallsFailed = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 8), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipH323CallsFailed.setStatus('current')
custSipH323CallsAbandoned = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 9), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipH323CallsAbandoned.setStatus('current')
custSipH323CallsDropped = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 10), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipH323CallsDropped.setStatus('deprecated')
custSipH323CallsDegraded = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 11), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipH323CallsDegraded.setStatus('current')
custSipH323CallMediaTimeouts = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 12), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipH323CallMediaTimeouts.setStatus('current')
custSipH323CallInitTimeouts = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 13), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipH323CallInitTimeouts.setStatus('current')
custSipH323TermTimeouts = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 14), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipH323TermTimeouts.setStatus('current')
custSipH323CallsProcessed = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 15), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipH323CallsProcessed.setStatus('current')
custSipH323PeakLocalCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 16), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipH323PeakLocalCalls.setStatus('current')
custSipH323AuthenticationChallenges = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 17), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipH323AuthenticationChallenges.setStatus('current')
custSipH323RTPFWTraversalTimeouts = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 18), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipH323RTPFWTraversalTimeouts.setStatus('current')
custSipH323SameSideActiveCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 19), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipH323SameSideActiveCalls.setStatus('current')
custSipH323NormalActiveCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 20), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipH323NormalActiveCalls.setStatus('current')
custSipH323PeakNormalActiveCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 21), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custSipH323PeakNormalActiveCalls.setStatus('current')
custH323StatsTable = MibTable((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1), )
if mibBuilder.loadTexts: custH323StatsTable.setStatus('current')
custH323StatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1), ).setIndexNames((0, "Netrake-MIB", "custH323Id"))
if mibBuilder.loadTexts: custH323StatsEntry.setStatus('current')
custH323Id = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custH323Id.setStatus('current')
custH323CallsInitiating = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custH323CallsInitiating.setStatus('current')
custH323LocalActiveCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custH323LocalActiveCalls.setStatus('current')
custH323TermCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 4), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custH323TermCalls.setStatus('current')
custH323PeakTotalActiveCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 5), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custH323PeakTotalActiveCalls.setStatus('current')
custH323TotalActiveCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 6), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custH323TotalActiveCalls.setStatus('current')
custH323CallsCompletedSuccess = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 7), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custH323CallsCompletedSuccess.setStatus('current')
custH323CallsFailed = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 8), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custH323CallsFailed.setStatus('current')
custH323CallsAbandoned = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 9), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custH323CallsAbandoned.setStatus('current')
custH323CallsDropped = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 10), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custH323CallsDropped.setStatus('deprecated')
custH323CallsDegraded = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 11), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custH323CallsDegraded.setStatus('current')
custH323CallMediaTimeouts = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 12), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custH323CallMediaTimeouts.setStatus('current')
custH323CallInitTimeouts = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 13), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custH323CallInitTimeouts.setStatus('current')
custH323TermTimeouts = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 14), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custH323TermTimeouts.setStatus('current')
custH323CallsProcessed = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 15), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custH323CallsProcessed.setStatus('current')
custH323PeakLocalCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 16), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custH323PeakLocalCalls.setStatus('current')
custH323AuthenticationChallenges = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 17), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custH323AuthenticationChallenges.setStatus('current')
custH323RTPFWTraversalTimeouts = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 18), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custH323RTPFWTraversalTimeouts.setStatus('current')
custH323SameSideActiveCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 19), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custH323SameSideActiveCalls.setStatus('current')
custH323NormalActiveCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 20), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custH323NormalActiveCalls.setStatus('current')
custH323PeakNormalActiveCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 21), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custH323PeakNormalActiveCalls.setStatus('current')
custVoIpStatsTable = MibTable((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1), )
if mibBuilder.loadTexts: custVoIpStatsTable.setStatus('current')
custVoIpStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1), ).setIndexNames((0, "Netrake-MIB", "custVoIpId"))
if mibBuilder.loadTexts: custVoIpStatsEntry.setStatus('current')
custVoIpId = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custVoIpId.setStatus('current')
custVoIpCallsInitiating = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custVoIpCallsInitiating.setStatus('current')
custVoIpLocalActiveCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custVoIpLocalActiveCalls.setStatus('current')
custVoIpTermCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 4), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custVoIpTermCalls.setStatus('current')
custVoIpPeakTotalActiveCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 5), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custVoIpPeakTotalActiveCalls.setStatus('current')
custVoIpTotalActiveCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 6), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custVoIpTotalActiveCalls.setStatus('current')
custVoIpCallsCompletedSuccess = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 7), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custVoIpCallsCompletedSuccess.setStatus('current')
custVoIpCallsFailed = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 8), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custVoIpCallsFailed.setStatus('current')
custVoIpCallsAbandoned = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 9), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custVoIpCallsAbandoned.setStatus('current')
custVoIpCallsDropped = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 10), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custVoIpCallsDropped.setStatus('deprecated')
custVoIpCallsDegraded = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 11), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custVoIpCallsDegraded.setStatus('current')
custVoIpCallMediaTimeouts = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 12), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custVoIpCallMediaTimeouts.setStatus('current')
custVoIpCallInitTimeouts = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 13), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custVoIpCallInitTimeouts.setStatus('current')
custVoIpTermTimeouts = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 14), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custVoIpTermTimeouts.setStatus('current')
custVoIpCallsProcessed = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 15), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custVoIpCallsProcessed.setStatus('current')
custVoIpPeakLocalCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 16), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custVoIpPeakLocalCalls.setStatus('current')
custVoIpAuthenticationChallenges = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 17), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custVoIpAuthenticationChallenges.setStatus('current')
custVoIpRTPFWTraversalTimeouts = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 18), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custVoIpRTPFWTraversalTimeouts.setStatus('current')
custVoIpSameSideActiveCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 19), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custVoIpSameSideActiveCalls.setStatus('current')
custVoIpNormalActiveCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 20), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custVoIpNormalActiveCalls.setStatus('current')
custVoIpPeakNormalActiveCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 21), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custVoIpPeakNormalActiveCalls.setStatus('current')
mediaStatCurrentAudioSessions = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 23, 1), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mediaStatCurrentAudioSessions.setStatus('current')
mediaStatPeakAudioSessions = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 23, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mediaStatPeakAudioSessions.setStatus('current')
mediaStatTotalAudioSessions = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 23, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mediaStatTotalAudioSessions.setStatus('current')
mediaStatCurrentVideoSessions = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 23, 4), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mediaStatCurrentVideoSessions.setStatus('current')
mediaStatPeakVideoSessions = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 23, 5), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mediaStatPeakVideoSessions.setStatus('current')
mediaStatTotalVideoSessions = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 23, 6), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mediaStatTotalVideoSessions.setStatus('current')
mediaStatCurrentFaxSessions = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 23, 7), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mediaStatCurrentFaxSessions.setStatus('current')
mediaStatPeakFaxSessions = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 23, 8), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mediaStatPeakFaxSessions.setStatus('current')
mediaStatTotalFaxSessions = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 23, 9), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mediaStatTotalFaxSessions.setStatus('current')
mediaStatTotalFailures = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 23, 10), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mediaStatTotalFailures.setStatus('current')
h323RegStatActiveReg = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 24, 1), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h323RegStatActiveReg.setStatus('current')
h323RegStatExpiredReg = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 24, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h323RegStatExpiredReg.setStatus('current')
h323RegStatUnauthorizedReg = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 24, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h323RegStatUnauthorizedReg.setStatus('current')
h323RegStatPeakActiveReg = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 24, 4), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h323RegStatPeakActiveReg.setStatus('current')
h323RegStatUpdateComplete = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 24, 5), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h323RegStatUpdateComplete.setStatus('current')
h323RegStatUpdateFailures = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 24, 6), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h323RegStatUpdateFailures.setStatus('current')
h323RegStatAuthFailures = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 24, 7), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h323RegStatAuthFailures.setStatus('current')
custH323RegStatsTable = MibTable((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 25, 1), )
if mibBuilder.loadTexts: custH323RegStatsTable.setStatus('current')
custH323RegStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 25, 1, 1), ).setIndexNames((0, "Netrake-MIB", "custH323RegStatId"))
if mibBuilder.loadTexts: custH323RegStatsEntry.setStatus('current')
custH323RegStatId = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 25, 1, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custH323RegStatId.setStatus('current')
custH323RegStatActiveReg = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 25, 1, 1, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custH323RegStatActiveReg.setStatus('current')
custH323RegStatExpiredReg = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 25, 1, 1, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custH323RegStatExpiredReg.setStatus('current')
custH323RegStatUnauthorizedReg = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 25, 1, 1, 4), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custH323RegStatUnauthorizedReg.setStatus('current')
custH323RegStatPeakActiveReg = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 25, 1, 1, 5), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custH323RegStatPeakActiveReg.setStatus('current')
custH323RegStatUpdateComplete = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 25, 1, 1, 6), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custH323RegStatUpdateComplete.setStatus('current')
custH323RegStatUpdateFailures = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 25, 1, 1, 7), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custH323RegStatUpdateFailures.setStatus('current')
custH323RegStatAuthFailures = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 25, 1, 1, 8), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: custH323RegStatAuthFailures.setStatus('current')
sipCommonStatsDiscontinuityTimer = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 26, 1), TimeTicks()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipCommonStatsDiscontinuityTimer.setStatus('current')
sipCommonStatsScalars = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 26, 2))
sipCommonStatsTotalMessageErrors = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 26, 2, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipCommonStatsTotalMessageErrors.setStatus('current')
sipCommonStatsTotalMessageRoutingFailures = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 26, 2, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipCommonStatsTotalMessageRoutingFailures.setStatus('current')
sipCommonStatsTotalMessageTransmitFailures = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 26, 2, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipCommonStatsTotalMessageTransmitFailures.setStatus('current')
sipCommonStatsTotalAuthenticationFailures = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 26, 2, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipCommonStatsTotalAuthenticationFailures.setStatus('current')
sipEvtDlgStatsDiscontinuityTimer = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 27, 1), TimeTicks()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipEvtDlgStatsDiscontinuityTimer.setStatus('current')
sipEvtDlgStatsScalars = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 27, 2))
sipEvtDlgStatsActiveDialogs = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 27, 2, 1), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipEvtDlgStatsActiveDialogs.setStatus('current')
sipEvtDlgStatsPeakActiveDialogs = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 27, 2, 2), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipEvtDlgStatsPeakActiveDialogs.setStatus('current')
sipEvtDlgStatsTerminatedDialogs = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 27, 2, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipEvtDlgStatsTerminatedDialogs.setStatus('current')
sipEvtDlgStatsExpiredDialogs = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 27, 2, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipEvtDlgStatsExpiredDialogs.setStatus('current')
sipEvtDlgStatsFailedDialogs = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 27, 2, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipEvtDlgStatsFailedDialogs.setStatus('current')
sipEvtDlgStatsUnauthorizedDialogs = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 27, 2, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipEvtDlgStatsUnauthorizedDialogs.setStatus('current')
sipEvtDlgStatsAuthenticationChallenges = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 27, 2, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipEvtDlgStatsAuthenticationChallenges.setStatus('current')
sipEvtDlgCustStatsTable = MibTable((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 27, 3), )
if mibBuilder.loadTexts: sipEvtDlgCustStatsTable.setStatus('current')
sipEvtDlgCustStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 27, 3, 1), ).setIndexNames((0, "Netrake-MIB", "sipEvtDlgCustStatsIndex"))
if mibBuilder.loadTexts: sipEvtDlgCustStatsEntry.setStatus('current')
sipEvtDlgCustStatsIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 27, 3, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipEvtDlgCustStatsIndex.setStatus('current')
sipEvtDlgCustStatsActiveDialogs = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 27, 3, 1, 2), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipEvtDlgCustStatsActiveDialogs.setStatus('current')
sipEvtDlgCustStatsPeakActiveDialogs = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 27, 3, 1, 3), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipEvtDlgCustStatsPeakActiveDialogs.setStatus('current')
sipEvtDlgCustStatsTerminatedDialogs = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 27, 3, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipEvtDlgCustStatsTerminatedDialogs.setStatus('current')
sipEvtDlgCustStatsExpiredDialogs = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 27, 3, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipEvtDlgCustStatsExpiredDialogs.setStatus('current')
sipEvtDlgCustStatsFailedDialogs = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 27, 3, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipEvtDlgCustStatsFailedDialogs.setStatus('current')
sipEvtDlgCustStatsUnauthorizedDialogs = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 27, 3, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipEvtDlgCustStatsUnauthorizedDialogs.setStatus('current')
sipEvtDlgCustStatsAuthenticationChallenges = MibTableColumn((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 27, 3, 1, 8), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sipEvtDlgCustStatsAuthenticationChallenges.setStatus('current')
diagType = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 2, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("nCiteFullIntLoopback", 1), ("nCiteFullExtLoopback", 2), ("nCiteInterfaceIntLoopback", 3), ("nCiteInterfaceExtLoopback", 4), ("cardIntLoopback", 5), ("cardExtLoopback", 6), ("portIntLoopback", 7), ("portExtLoopback", 8)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: diagType.setStatus('deprecated')
diagDeviceSlotNum = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 2, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 14))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: diagDeviceSlotNum.setStatus('deprecated')
diagDevPortNum = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 2, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 48))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: diagDevPortNum.setStatus('deprecated')
diagStartCmd = MibScalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 2, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("default", 0), ("runDiag", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: diagStartCmd.setStatus('deprecated')
nrObjectIDs = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 3))
nrSessionBorderController = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 3, 1))
nrSBCSE = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 3, 1, 1))
nrSBCwNcp = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 3, 1, 1, 1))
nrSBCwNte = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 3, 1, 1, 2))
nrSBCDE = MibIdentifier((1, 3, 6, 1, 4, 1, 10950, 3, 1, 2))
mibBuilder.exportSymbols("Netrake-MIB", activeAlarmIndex=activeAlarmIndex, staticRouteIngressVlanTag=staticRouteIngressVlanTag, nCiteRipInterfacesPortNum=nCiteRipInterfacesPortNum, postAlarm=postAlarm, h323AuthFailures=h323AuthFailures, custSipRTPFWTraversalTimeouts=custSipRTPFWTraversalTimeouts, nCiteNTACustomerId=nCiteNTACustomerId, sipH323CallMediaTimeouts=sipH323CallMediaTimeouts, sipStatAuthenticationChallenges=sipStatAuthenticationChallenges, redundantPort2NetMask=redundantPort2NetMask, custSipStatPeakActiveCalls=custSipStatPeakActiveCalls, sipStatNormalActiveCalls=sipStatNormalActiveCalls, nextImgDwnldTimeStamp=nextImgDwnldTimeStamp, redundantFailbackThreshChangeTrap=redundantFailbackThreshChangeTrap, chasPwrSupplyOperStatus=chasPwrSupplyOperStatus, sipH323NormalActiveCalls=sipH323NormalActiveCalls, newActiveImgTrapAckSource=newActiveImgTrapAckSource, sipH323MessagesReroutedToMate=sipH323MessagesReroutedToMate, diagResultsEntry=diagResultsEntry, custH323TotalActiveCalls=custH323TotalActiveCalls, nCiteStatsConfigReset=nCiteStatsConfigReset, custH323RegStatUpdateFailures=custH323RegStatUpdateFailures, regStatPeak=regStatPeak, lrdCallerReason=lrdCallerReason, edrQLRogueStatus=edrQLRogueStatus, h323PeakFaxSessions=h323PeakFaxSessions, custSipStatCallsInitiating=custSipStatCallsInitiating, ipPortRefreshTrap=ipPortRefreshTrap, sipStatCallsCompletedSuccess=sipStatCallsCompletedSuccess, h323RegStatUpdateComplete=h323RegStatUpdateComplete, authConfigLocalOverride=authConfigLocalOverride, chasBrdSlotNum=chasBrdSlotNum, custVoIpLocalActiveCalls=custVoIpLocalActiveCalls, licenseFileName=licenseFileName, serviceStatsSlotId=serviceStatsSlotId, nrSBCwNcp=nrSBCwNcp, octetsXmit256to511=octetsXmit256to511, arpVerifTimerChangeTrapAck=arpVerifTimerChangeTrapAck, sipStatPeakLocalCalls=sipStatPeakLocalCalls, redundantAutoFailbackFlagChangeTrapAckSource=redundantAutoFailbackFlagChangeTrapAckSource, nCiteOutSyncFlag=nCiteOutSyncFlag, custH323AuthenticationChallenges=custH323AuthenticationChallenges, nCiteRipPortSlotNum=nCiteRipPortSlotNum, chasSerNum=chasSerNum, custSipStatsEntry=custSipStatsEntry, custSipStatLocalActiveCalls=custSipStatLocalActiveCalls, custH323RegStatUnauthorizedReg=custH323RegStatUnauthorizedReg, arpTrapOper=arpTrapOper, gigEStats=gigEStats, ipPortAutoNegTable=ipPortAutoNegTable, licenseInstallDate=licenseInstallDate, commitImgName=commitImgName, custSipStatCallInitTimeouts=custSipStatCallInitTimeouts, redundantRedirectorFlag=redundantRedirectorFlag, chasBrdEntry=chasBrdEntry, octetsRcvd512to1023=octetsRcvd512to1023, activeAlarmSlotNum=activeAlarmSlotNum, sipH323CallsAbandoned=sipH323CallsAbandoned, internet=internet, regStatAuthFailures=regStatAuthFailures, newCommittedImgTrapAck=newCommittedImgTrapAck, regStatNumActive=regStatNumActive, custSipStatCallsProcessed=custSipStatCallsProcessed, histEvent=histEvent, licenseFeatureName=licenseFeatureName, custH323PeakLocalCalls=custH323PeakLocalCalls, custVoIpPeakTotalActiveCalls=custVoIpPeakTotalActiveCalls, erdQL2DestMediaAnchorIpPort=erdQL2DestMediaAnchorIpPort, h323TotalActiveCalls=h323TotalActiveCalls, custVoIpNormalActiveCalls=custVoIpNormalActiveCalls, edrQLPerformGarbageCollection=edrQLPerformGarbageCollection, diagCompleteTrapAck=diagCompleteTrapAck, mediaStatCurrentVideoSessions=mediaStatCurrentVideoSessions, sipH323TermCalls=sipH323TermCalls, activeImgDwnldTimeStamp=activeImgDwnldTimeStamp, chasFanDescription=chasFanDescription, diagRsltDevicePortNum=diagRsltDevicePortNum, ipPortConfigEntry=ipPortConfigEntry, sipStatPeakTotalActiveCalls=sipStatPeakTotalActiveCalls, sipH323TermTimeouts=sipH323TermTimeouts, globalCounters=globalCounters, voIpCallsDropped=voIpCallsDropped, h323RegStatUpdateFailures=h323RegStatUpdateFailures, policyCountersEntry=policyCountersEntry, commitImgBuildStartTimeStamp=commitImgBuildStartTimeStamp, newNextTrapAck=newNextTrapAck, chasBrdStateChangeTrapAckSource=chasBrdStateChangeTrapAckSource, sipH323RTPFWTraversalTimeouts=sipH323RTPFWTraversalTimeouts, custSipPeakTotalActive=custSipPeakTotalActive, sipEvtDlgStatsPeakActiveDialogs=sipEvtDlgStatsPeakActiveDialogs, lrdCurrentCallCount=lrdCurrentCallCount, chassis=chassis, h323PeakTotalActiveCalls=h323PeakTotalActiveCalls, voIpPeakNormalActiveCalls=voIpPeakNormalActiveCalls, redundantConfigChangeTrapAck=redundantConfigChangeTrapAck, chasFanOperStatus=chasFanOperStatus, sipStatCallInitTimeouts=sipStatCallInitTimeouts, mediaStatPeakAudioSessions=mediaStatPeakAudioSessions, systemTrapNoAck=systemTrapNoAck, regStatNumInitiating=regStatNumInitiating, custH323StatsTable=custH323StatsTable, arpRefreshTrapAckSource=arpRefreshTrapAckSource, authConfigRadiusServerPriority=authConfigRadiusServerPriority, octetsXmit512to1023=octetsXmit512to1023, lrdPeakCallCount=lrdPeakCallCount, staticRouteNetMask=staticRouteNetMask, rcvdFrames64Octets=rcvdFrames64Octets, edrQLFrom=edrQLFrom, staticRouteEgressVlan=staticRouteEgressVlan, sipH323AuthFailures=sipH323AuthFailures, h323CallsInitiating=h323CallsInitiating, mediaStatCurrentAudioSessions=mediaStatCurrentAudioSessions, sipEvtDlgCustStatsExpiredDialogs=sipEvtDlgCustStatsExpiredDialogs, policyStatsReset=policyStatsReset, diagDevPortNum=diagDevPortNum, activeAlarmTable=activeAlarmTable, ipPortRefreshTrapAckSource=ipPortRefreshTrapAckSource, chasPwr=chasPwr, diagRsltDesc=diagRsltDesc, mediaStatPeakFaxSessions=mediaStatPeakFaxSessions, custSipStatTermTimeouts=custSipStatTermTimeouts, redundantPort2IpAddr=redundantPort2IpAddr, sipStatTermTimeouts=sipStatTermTimeouts, h323CallInitTimeouts=h323CallInitTimeouts, custRegAuthenticationChallenges=custRegAuthenticationChallenges, redundantRedirectorFlagChangeTrapAck=redundantRedirectorFlagChangeTrapAck, mediaStatTotalFaxSessions=mediaStatTotalFaxSessions, chasBrdSerialNum=chasBrdSerialNum, diagStartedTrapAckSource=diagStartedTrapAckSource, h323TermTimeouts=h323TermTimeouts, policyIndex=policyIndex, custVoIpCallsCompletedSuccess=custVoIpCallsCompletedSuccess, resourceUsageEntry=resourceUsageEntry, activeAlarmAdditionalInfo=activeAlarmAdditionalInfo, ipPortPlaceHolder=ipPortPlaceHolder, numPacketsDiscardCPA=numPacketsDiscardCPA, ipPortAutoNegEntry=ipPortAutoNegEntry, nCiteSystem=nCiteSystem, voIpPeakSameSideActiveCalls=voIpPeakSameSideActiveCalls, nCiteRipPortConfigTable=nCiteRipPortConfigTable, chasFanTrapAckSource=chasFanTrapAckSource, custSipH323CallsDegraded=custSipH323CallsDegraded, custVoIpPeakLocalCalls=custVoIpPeakLocalCalls, chasBrdSlotLabel=chasBrdSlotLabel, linkUpTrapAck=linkUpTrapAck, newActiveImgTrap=newActiveImgTrap, nCiteArpConfig=nCiteArpConfig, custVoIpTermCalls=custVoIpTermCalls, staticRoutesEntry=staticRoutesEntry, nCiteNTAReset=nCiteNTAReset, custH323CallsDegraded=custH323CallsDegraded, newNextTrap=newNextTrap, voIpRedirectSuccess=voIpRedirectSuccess, edrPerformGarbageCollection=edrPerformGarbageCollection, custSipH323CallMediaTimeouts=custSipH323CallMediaTimeouts, arpOperTimerChangeTrapAck=arpOperTimerChangeTrapAck, sipH323CallsDropped=sipH323CallsDropped, products=products, chasFanTable=chasFanTable, custSipStatId=custSipStatId, commitImgDwnldTimeStamp=commitImgDwnldTimeStamp, voIpNormalActiveCalls=voIpNormalActiveCalls, h323NormalActiveCalls=h323NormalActiveCalls, sipH323Stats=sipH323Stats, voIpStats=voIpStats, sipStatPeakFaxSessions=sipStatPeakFaxSessions, chasBrdMaxPorts=chasBrdMaxPorts, multicastFramesRcvdOk=multicastFramesRcvdOk, arpRefreshNeeded=arpRefreshNeeded, diagCompleteTrapAckSource=diagCompleteTrapAckSource, voIpPeakLocalCalls=voIpPeakLocalCalls, diagStartedTrap=diagStartedTrap, authConfigRadiusServerIp=authConfigRadiusServerIp, redundantPort1IpAddr=redundantPort1IpAddr, activeAlarmPortNum=activeAlarmPortNum, redundNumRedundLinkFailures=redundNumRedundLinkFailures, linkDownTrapAckSource=linkDownTrapAckSource, custSipH323TermCalls=custSipH323TermCalls, sipEvtDlgCustStatsIndex=sipEvtDlgCustStatsIndex, licenseExpirationDate=licenseExpirationDate, nCiteSDRSentTrapAck=nCiteSDRSentTrapAck, custSipH323StatsEntry=custSipH323StatsEntry, sipStats=sipStats, redundantAutoFailbackFlag=redundantAutoFailbackFlag, sipEvtDlgStatsScalars=sipEvtDlgStatsScalars, totalPacketsXmit=totalPacketsXmit, sipH323TotalActiveCalls=sipH323TotalActiveCalls, systemRestoreFlag=systemRestoreFlag, h323LocalActiveCalls=h323LocalActiveCalls, chasBrdType=chasBrdType, h323RegStatActiveReg=h323RegStatActiveReg, custNtsStatsTable=custNtsStatsTable, custVoIpCallsDegraded=custVoIpCallsDegraded, custRegStatDropped=custRegStatDropped, nCiteNTATable=nCiteNTATable, edrQLTimestamp=edrQLTimestamp, policyStats=policyStats, custH323CallsProcessed=custH323CallsProcessed, h323RTPFWTraversalTimeouts=h323RTPFWTraversalTimeouts, custH323RTPFWTraversalTimeouts=custH323RTPFWTraversalTimeouts, sipStatPeakSameSideActiveCalls=sipStatPeakSameSideActiveCalls, activeAlarmSubType=activeAlarmSubType, nCiteSessionDetailRecord=nCiteSessionDetailRecord, staticRouteRowStatus=staticRouteRowStatus, staticRoutesRefreshNeeded=staticRoutesRefreshNeeded, lrdTo=lrdTo, voIpCallsProcessed=voIpCallsProcessed, chasPwrSupplyTable=chasPwrSupplyTable, vlanStatsSlotNum=vlanStatsSlotNum, staticRoutesRefreshTrap=staticRoutesRefreshTrap, nextImgBuildStartTimeStamp=nextImgBuildStartTimeStamp, voIpAuthenticationChallenges=voIpAuthenticationChallenges, activeAlarmAcknowledgeSource=activeAlarmAcknowledgeSource, sipStatRedirectSuccess=sipStatRedirectSuccess, staticRouteChangeTrapAck=staticRouteChangeTrapAck, ipPortRowStatus=ipPortRowStatus, ntsStatNumCust=ntsStatNumCust, nextImgName=nextImgName, chasBrdDescription=chasBrdDescription, bestEffortDiscardPackets=bestEffortDiscardPackets, newActiveImgTrapAck=newActiveImgTrapAck, sipStatCallsFailed=sipStatCallsFailed, buildStartedTrapAckSource=buildStartedTrapAckSource, ipPortAutoNegChangeTrapAck=ipPortAutoNegChangeTrapAck, postEvent=postEvent, ipPortConfigChangeTrapAckSource=ipPortConfigChangeTrapAckSource, mediaStatPeakVideoSessions=mediaStatPeakVideoSessions, custSipH323PeakTotalActiveCalls=custSipH323PeakTotalActiveCalls, custVoIpSameSideActiveCalls=custVoIpSameSideActiveCalls, ipPortConfigChangeTrapAck=ipPortConfigChangeTrapAck, redundantFailbackThreshChangeTrapAckSource=redundantFailbackThreshChangeTrapAckSource, edrCurrentCallCount=edrCurrentCallCount, nrObjectIDs=nrObjectIDs, custH323RegStats=custH323RegStats, sipEvtDlgCustStatsUnauthorizedDialogs=sipEvtDlgCustStatsUnauthorizedDialogs, custSipH323SameSideActiveCalls=custSipH323SameSideActiveCalls, multicastFramesXmitOk=multicastFramesXmitOk, lrdCalleeSourceIPPort2=lrdCalleeSourceIPPort2, diagRsltAcknowledge=diagRsltAcknowledge, netrake=netrake, arpVerifTimerChangeTrapAckSource=arpVerifTimerChangeTrapAckSource, licenseInfo=licenseInfo, totalPacketsXmitCPA=totalPacketsXmitCPA, sipH323PeakNormalActiveCalls=sipH323PeakNormalActiveCalls, ipPortAutoNegChangeTrap=ipPortAutoNegChangeTrap, vlanStatsPortNum=vlanStatsPortNum, PYSNMP_MODULE_ID=netrake, activeAlarmId=activeAlarmId, dod=dod, ipPortConfigPortNum=ipPortConfigPortNum, sipStatTermCalls=sipStatTermCalls, chasBrdStateChangeTrapAck=chasBrdStateChangeTrapAck, diagResultsTable=diagResultsTable, licenseEntry=licenseEntry)
mibBuilder.exportSymbols("Netrake-MIB", custH323CallMediaTimeouts=custH323CallMediaTimeouts, octetsRcvd1519toMax=octetsRcvd1519toMax, chasPwrSupplyIndex=chasPwrSupplyIndex, chasFanTrapAck=chasFanTrapAck, custVoIpStatsEntry=custVoIpStatsEntry, sipEvtDlgStatsFailedDialogs=sipEvtDlgStatsFailedDialogs, diagStartCmd=diagStartCmd, linkDownTrapAck=linkDownTrapAck, chasPOSTMode=chasPOSTMode, nrtTotalPackets=nrtTotalPackets, nextImgState=nextImgState, custH323RegStatPeakActiveReg=custH323RegStatPeakActiveReg, nrSessionBorderController=nrSessionBorderController, custSipPeakLocalCalls=custSipPeakLocalCalls, diagRsltID=diagRsltID, totalPacketsDiscard=totalPacketsDiscard, buildCompleteTrapAckSource=buildCompleteTrapAckSource, broadcastFramesXmitOk=broadcastFramesXmitOk, lrdCalleeDestIPPort=lrdCalleeDestIPPort, diagRsltStartTimeStamp=diagRsltStartTimeStamp, edrQLCallId=edrQLCallId, custVoIpTermTimeouts=custVoIpTermTimeouts, nCite=nCite, nrSBCDE=nrSBCDE, edrGarbageCollectionState=edrGarbageCollectionState, regStatUpdateFailed=regStatUpdateFailed, activeAlarmAcknowledge=activeAlarmAcknowledge, sipStatTotalFaxSessions=sipStatTotalFaxSessions, custVoIpAuthenticationChallenges=custVoIpAuthenticationChallenges, erdQL2DestMediaIpPort=erdQL2DestMediaIpPort, custVoIpCallsFailed=custVoIpCallsFailed, ipPortVrdTag=ipPortVrdTag, custRegStatInitSipTimeouts=custRegStatInitSipTimeouts, enterprises=enterprises, vlanStatsReset=vlanStatsReset, policyProvisioning=policyProvisioning, arpMacAddr=arpMacAddr, edrLastDetection=edrLastDetection, totalPacketsXmitCPB=totalPacketsXmitCPB, nrSBCwNte=nrSBCwNte, vlanTotalPacketsRcvd=vlanTotalPacketsRcvd, redundPairedModeTimeTicks=redundPairedModeTimeTicks, sipCommonStatsTotalMessageRoutingFailures=sipCommonStatsTotalMessageRoutingFailures, sipStatMessageRoutingFailures=sipStatMessageRoutingFailures, private=private, sipStatAuthFailures=sipStatAuthFailures, licenseFeatureDisplayName=licenseFeatureDisplayName, regStatTerminating=regStatTerminating, custH323NormalActiveCalls=custH323NormalActiveCalls, lrdCallerState=lrdCallerState, chasLedStatus=chasLedStatus, sipH323LocalActiveCalls=sipH323LocalActiveCalls, h323MsgErrs=h323MsgErrs, sipStatPeakNonLocalCalls=sipStatPeakNonLocalCalls, voIpMessagesReroutedToMate=voIpMessagesReroutedToMate, activeAlarmEntry=activeAlarmEntry, systemOperState=systemOperState, memUsed=memUsed, activeAlarmSysUpTime=activeAlarmSysUpTime, voIpCallsDegraded=voIpCallsDegraded, sipStatPeakActiveCalls=sipStatPeakActiveCalls, h323CurrentFaxSessions=h323CurrentFaxSessions, edrQLDestMediaAnchorIpPort=edrQLDestMediaAnchorIpPort, activeAlarmDisplayString=activeAlarmDisplayString, coldStartTrap=coldStartTrap, sipCommonStatsTotalMessageTransmitFailures=sipCommonStatsTotalMessageTransmitFailures, systemAdminState=systemAdminState, arpOperTimerRetryCount=arpOperTimerRetryCount, buildCompleteTrap=buildCompleteTrap, sipH323MsgErrs=sipH323MsgErrs, sipEvtDlgStatsAuthenticationChallenges=sipEvtDlgStatsAuthenticationChallenges, ipPortConfigAdminState=ipPortConfigAdminState, gigEStatsPortIndex=gigEStatsPortIndex, h323AuthenticationChallenges=h323AuthenticationChallenges, licenseFileChangeTrapAck=licenseFileChangeTrapAck, gigEStatsSlotNum=gigEStatsSlotNum, nCiteSDRSentTrap=nCiteSDRSentTrap, sipStatSameSideActiveCalls=sipStatSameSideActiveCalls, custSipH323StatsTable=custSipH323StatsTable, sipEvtDlgCustStatsTerminatedDialogs=sipEvtDlgCustStatsTerminatedDialogs, regStatAuthenticationChallenges=regStatAuthenticationChallenges, serviceStatsEntry=serviceStatsEntry, erdQLUniqueId=erdQLUniqueId, sipH323PeakLocalCalls=sipH323PeakLocalCalls, voIpTotalActiveCalls=voIpTotalActiveCalls, lrdCalleeReason=lrdCalleeReason, h323Stats=h323Stats, sipH323CallsCompletedSuccess=sipH323CallsCompletedSuccess, custH323CallsAbandoned=custH323CallsAbandoned, custVoIpCallsInitiating=custVoIpCallsInitiating, staticRouteChangeTrapAckSource=staticRouteChangeTrapAckSource, custH323CallsCompletedSuccess=custH323CallsCompletedSuccess, redundancyStats=redundancyStats, newCommittedImgTrap=newCommittedImgTrap, serviceStatsTable=serviceStatsTable, vlanStatsVlanLabel=vlanStatsVlanLabel, voIpTermTimeouts=voIpTermTimeouts, chasPwrTrapAck=chasPwrTrapAck, h323RegStatExpiredReg=h323RegStatExpiredReg, diagCompleteTrap=diagCompleteTrap, nrSBCSE=nrSBCSE, ipPortConfigNetMask=ipPortConfigNetMask, chasType=chasType, chasBrdStatusLeds=chasBrdStatusLeds, custNtsAuthorizationFailed=custNtsAuthorizationFailed, h323CallsProcessed=h323CallsProcessed, staticRouteRefreshTrapAck=staticRouteRefreshTrapAck, custSipH323CallsInitiating=custSipH323CallsInitiating, custSipH323PeakNormalActiveCalls=custSipH323PeakNormalActiveCalls, octetsXmitCount=octetsXmitCount, custSipH323RTPFWTraversalTimeouts=custSipH323RTPFWTraversalTimeouts, staticRouteType=staticRouteType, custH323SameSideActiveCalls=custH323SameSideActiveCalls, authConfigRadiusRetryInterval=authConfigRadiusRetryInterval, nCiteAuthConfig=nCiteAuthConfig, redundantConfigChangeTrapAckSource=redundantConfigChangeTrapAckSource, nCIteSDRLastSent=nCIteSDRLastSent, custSipNormalActiveCalls=custSipNormalActiveCalls, custH323StatsEntry=custH323StatsEntry, custSipStatCallsAbandoned=custSipStatCallsAbandoned, arpUpdateMacTrapAck=arpUpdateMacTrapAck, custH323TermTimeouts=custH323TermTimeouts, custVoIpCallMediaTimeouts=custVoIpCallMediaTimeouts, lrdCallerSourceIPPort2=lrdCallerSourceIPPort2, edrGarbageCollectionComplete=edrGarbageCollectionComplete, custRegStatNumInitiated=custRegStatNumInitiated, redundantAdminState=redundantAdminState, policyTotalPackets=policyTotalPackets, edrQLTo=edrQLTo, h323CallsCompletedSuccess=h323CallsCompletedSuccess, edrNextTrafficCheck=edrNextTrafficCheck, edrGarbageCollectionCompleteTrapAckSource=edrGarbageCollectionCompleteTrapAckSource, ipPortRefreshTrapAck=ipPortRefreshTrapAck, voIpPeakFaxSessions=voIpPeakFaxSessions, sipStatMsgErrs=sipStatMsgErrs, ipPortConfig=ipPortConfig, nCiteNTA=nCiteNTA, sipH323CallsFailed=sipH323CallsFailed, custSipH323AuthenticationChallenges=custSipH323AuthenticationChallenges, custH323RegStatId=custH323RegStatId, systemTrapAckEntry=systemTrapAckEntry, trapAckEnable=trapAckEnable, custRegStatTerminating=custRegStatTerminating, custRegStatPeak=custRegStatPeak, buildStartedTrapAck=buildStartedTrapAck, voIpRTPFWTraversalTimeouts=voIpRTPFWTraversalTimeouts, voIpCallsFailed=voIpCallsFailed, sipH323CallsProcessed=sipH323CallsProcessed, switchNotifications=switchNotifications, h323CallsFailed=h323CallsFailed, lrdCalleeSourceIPPort1=lrdCalleeSourceIPPort1, custH323CallsFailed=custH323CallsFailed, licenseIndex=licenseIndex, custRegStatUnauthorizedReg=custRegStatUnauthorizedReg, custH323PeakNormalActiveCalls=custH323PeakNormalActiveCalls, xmitFrames64Octets=xmitFrames64Octets, sipEvtDlgCustStatsAuthenticationChallenges=sipEvtDlgCustStatsAuthenticationChallenges, nCiteRedundant=nCiteRedundant, activeImgBuildStartTimeStamp=activeImgBuildStartTimeStamp, sipH323CallInitTimeouts=sipH323CallInitTimeouts, sipStatCallsProcessed=sipStatCallsProcessed, custH323TermCalls=custH323TermCalls, custVoIpRTPFWTraversalTimeouts=custVoIpRTPFWTraversalTimeouts, ipPortAutoNegPortNum=ipPortAutoNegPortNum, nCiteNTAStatus=nCiteNTAStatus, h323MessageRoutingFailures=h323MessageRoutingFailures, custSipH323LocalActiveCalls=custSipH323LocalActiveCalls, chasBrdPwr=chasBrdPwr, nCiteStaticRoutes=nCiteStaticRoutes, lrdEntry=lrdEntry, broadcastFramesRcvdOk=broadcastFramesRcvdOk, nCiteRipInterfacesEntry=nCiteRipInterfacesEntry, cpuUsage=cpuUsage, custSipH323Stats=custSipH323Stats, chasBrdState=chasBrdState, unicastFramesXmitOk=unicastFramesXmitOk, underSizeFramesRcvd=underSizeFramesRcvd, custSipStats=custSipStats, sipStatMessagesReroutedToMate=sipStatMessagesReroutedToMate, custRegStatsTable=custRegStatsTable, jabbersRcvd=jabbersRcvd, custVoIpPeakNormalActiveCalls=custVoIpPeakNormalActiveCalls, sipEvtDlgStatsDiscontinuityTimer=sipEvtDlgStatsDiscontinuityTimer, systemOperStateChangeTrap=systemOperStateChangeTrap, authConfigRadiusServerPort=authConfigRadiusServerPort, commitImgActivatedTimeStamp=commitImgActivatedTimeStamp, ipPortAutoNegSlotNum=ipPortAutoNegSlotNum, sipEvtDlgStatsExpiredDialogs=sipEvtDlgStatsExpiredDialogs, activeAlarmCategory=activeAlarmCategory, framesRcvdCount=framesRcvdCount, custVoIpTotalActiveCalls=custVoIpTotalActiveCalls, newNextTrapAckSource=newNextTrapAckSource, octetsXmit128to255=octetsXmit128to255, memTotal=memTotal, custVoIpCallsDropped=custVoIpCallsDropped, gigEStatsTable=gigEStatsTable, custRegStatId=custRegStatId, activeAlarmDevType=activeAlarmDevType, chasFanTrap=chasFanTrap, sipStatNonLocalActiveCalls=sipStatNonLocalActiveCalls, serviceStats=serviceStats, sipStatPeakNormalActiveCalls=sipStatPeakNormalActiveCalls, framesRcvdOkCount=framesRcvdOkCount, staticRouteNextHop=staticRouteNextHop, voIpRedirectFailures=voIpRedirectFailures, mediaStatTotalFailures=mediaStatTotalFailures, h323RegStatAuthFailures=h323RegStatAuthFailures, sipStatCallsAbandoned=sipStatCallsAbandoned, activeAlarmSeverity=activeAlarmSeverity, voIpPeakTotalActiveCalls=voIpPeakTotalActiveCalls, voIpCallsCompletedSuccess=voIpCallsCompletedSuccess, numPacketsDiscardCPB=numPacketsDiscardCPB, octetsXmit1024to1518=octetsXmit1024to1518, ntsStatCustConnected=ntsStatCustConnected, lrdTable=lrdTable, custSipStatCallsDropped=custSipStatCallsDropped, sipH323RedirectSuccess=sipH323RedirectSuccess, regStatInitSipTimeouts=regStatInitSipTimeouts, licenseTable=licenseTable, activeAlarmType=activeAlarmType, custNtsStatsEntry=custNtsStatsEntry, chasPwrSupplyDesc=chasPwrSupplyDesc, sipEvtDlgStatsTerminatedDialogs=sipEvtDlgStatsTerminatedDialogs, authConfigRadiusRetryCount=authConfigRadiusRetryCount, newCommittedImgTrapAckSource=newCommittedImgTrapAckSource, ipPortConfigTable=ipPortConfigTable, custRegStats=custRegStats, voIpAuthFailures=voIpAuthFailures, redundantRedirectorFlagChangeTrap=redundantRedirectorFlagChangeTrap, ipPortAutoNegFlag=ipPortAutoNegFlag, lrdCallerSourceIPPort1=lrdCallerSourceIPPort1, lrdFrom=lrdFrom, vlanStatsTable=vlanStatsTable, arpUpdateMacTrapAckSource=arpUpdateMacTrapAckSource, sipH323CurrentFaxSessions=sipH323CurrentFaxSessions, custSipH323PeakLocalCalls=custSipH323PeakLocalCalls, runDiagGroup=runDiagGroup, octetsXmit65to127=octetsXmit65to127, custH323RegStatsTable=custH323RegStatsTable, nCiteRipInterfacesIPAddr=nCiteRipInterfacesIPAddr, voIpTermCalls=voIpTermCalls, arpOperTimerChangeTrap=arpOperTimerChangeTrap, ipPortVlanTag=ipPortVlanTag, edrQuarantineListTable=edrQuarantineListTable, arpNextHopIP=arpNextHopIP, redundantFailbackThreshChangeTrapAck=redundantFailbackThreshChangeTrapAck, custSipSameSideActiveCalls=custSipSameSideActiveCalls, octetsXmit1519toMax=octetsXmit1519toMax, custSipH323CallsAbandoned=custSipH323CallsAbandoned, staticRouteVrdTag=staticRouteVrdTag, diagRsltIndex=diagRsltIndex, h323RegStatUnauthorizedReg=h323RegStatUnauthorizedReg, nCiteRipPortNum=nCiteRipPortNum, serviceStatsPortIndex=serviceStatsPortIndex)
mibBuilder.exportSymbols("Netrake-MIB", custSipH323CallsCompletedSuccess=custSipH323CallsCompletedSuccess, redundantAutoFailbackFlagChangeTrapAck=redundantAutoFailbackFlagChangeTrapAck, buildStartedTrap=buildStartedTrap, vlanTotalPacketsXmit=vlanTotalPacketsXmit, custSipH323TotalActiveCalls=custSipH323TotalActiveCalls, custVoIpCallInitTimeouts=custVoIpCallInitTimeouts, activeAlarmOccurances=activeAlarmOccurances, processorIndex=processorIndex, arpRefreshTrapAck=arpRefreshTrapAck, voIpTotalFaxSessions=voIpTotalFaxSessions, custVoIpStatsTable=custVoIpStatsTable, voIpMsgErrs=voIpMsgErrs, regStatUpdateSuccess=regStatUpdateSuccess, nCiteSDREnable=nCiteSDREnable, erdQL2SrcMediaIpPort=erdQL2SrcMediaIpPort, staticRouteDest=staticRouteDest, regStatUnauthReg=regStatUnauthReg, activeImgPidSideBFilename=activeImgPidSideBFilename, h323TotalFaxSessions=h323TotalFaxSessions, custH323Id=custH323Id, systemSoftwareVersion=systemSoftwareVersion, regStatDropped=regStatDropped, arpVerifTimerRetryCount=arpVerifTimerRetryCount, sipStatTotalActiveCalls=sipStatTotalActiveCalls, custRegStatsEntry=custRegStatsEntry, sipH323TotalFaxSessions=sipH323TotalFaxSessions, custH323RegStatsEntry=custH323RegStatsEntry, edrQLRequestURI=edrQLRequestURI, sipStatRedirectFailures=sipStatRedirectFailures, diagRsltDeviceSlotNum=diagRsltDeviceSlotNum, org=org, h323RegStatPeakActiveReg=h323RegStatPeakActiveReg, h323CallsDegraded=h323CallsDegraded, custH323Stats=custH323Stats, policyTotalPacketsB=policyTotalPacketsB, custSipH323CallsDropped=custSipH323CallsDropped, sipEvtDlgStatsUnauthorizedDialogs=sipEvtDlgStatsUnauthorizedDialogs, octetsRcvd1024to1518=octetsRcvd1024to1518, custVoIpStats=custVoIpStats, redundantConfigChangeTrap=redundantConfigChangeTrap, nCiteRogue=nCiteRogue, lrdCalleeState=lrdCalleeState, sipEvtDlgStats=sipEvtDlgStats, ipPortConfigChangeTrap=ipPortConfigChangeTrap, edrLastGarbageCollection=edrLastGarbageCollection, custVoIpCallsAbandoned=custVoIpCallsAbandoned, diagRsltType=diagRsltType, chasBrdOccSlots=chasBrdOccSlots, lrdTotalCallsRogue=lrdTotalCallsRogue, sipEvtDlgStatsActiveDialogs=sipEvtDlgStatsActiveDialogs, diagType=diagType, acitveAlarmReportingSource=acitveAlarmReportingSource, buildCompleteTrapAck=buildCompleteTrapAck, sipH323CallsInitiating=sipH323CallsInitiating, eventID=eventID, commitImgTimeStamp=commitImgTimeStamp, custSipStatCallMediaTimeouts=custSipStatCallMediaTimeouts, voIpCallInitTimeouts=voIpCallInitTimeouts, custSipAuthenticationChallenges=custSipAuthenticationChallenges, mediaStats=mediaStats, custNtsStats=custNtsStats, nCiteRipPortPrimary=nCiteRipPortPrimary, ipPortConfigIpAddr=ipPortConfigIpAddr, custSipH323CallInitTimeouts=custSipH323CallInitTimeouts, edrGarbageCollectionCompleteTrapAck=edrGarbageCollectionCompleteTrapAck, diagStartedTrapAck=diagStartedTrapAck, custH323LocalActiveCalls=custH323LocalActiveCalls, sipEvtDlgCustStatsFailedDialogs=sipEvtDlgCustStatsFailedDialogs, voIpCallsInitiating=voIpCallsInitiating, authConfigRadiusServersTable=authConfigRadiusServersTable, h323CallMediaTimeouts=h323CallMediaTimeouts, activeImgBuildCompleteTimeStamp=activeImgBuildCompleteTimeStamp, custH323CallInitTimeouts=custH323CallInitTimeouts, chasBrdReset=chasBrdReset, lostFramesMacErrCount=lostFramesMacErrCount, sipStatLocalActiveCalls=sipStatLocalActiveCalls, custSipStatNonLocalActiveCalls=custSipStatNonLocalActiveCalls, staticRouteMetric1=staticRouteMetric1, activeAlarmServiceAffecting=activeAlarmServiceAffecting, edrQuarantineListEntry=edrQuarantineListEntry, bestEffortTotalPackets=bestEffortTotalPackets, redundRecoveryModeTimeTicks=redundRecoveryModeTimeTicks, commitImgBuildCompleteTimeStamp=commitImgBuildCompleteTimeStamp, lrdCalleeMediaAnchorIPPort=lrdCalleeMediaAnchorIPPort, custSipStatTotalActiveCalls=custSipStatTotalActiveCalls, sipH323PeakFaxSessions=sipH323PeakFaxSessions, voIpLocalActiveCalls=voIpLocalActiveCalls, voIpCallMediaTimeouts=voIpCallMediaTimeouts, diagDeviceSlotNum=diagDeviceSlotNum, staticRouteOperState=staticRouteOperState, activeAlarmEventFlag=activeAlarmEventFlag, licenseValue=licenseValue, octetsRcvdCount=octetsRcvdCount, policyCountersTable=policyCountersTable, policyTotalPacketsA=policyTotalPacketsA, coldStartTrapAckSource=coldStartTrapAckSource, nrtDiscardPackets=nrtDiscardPackets, nextImgBuildCompleteTimeStamp=nextImgBuildCompleteTimeStamp, ipPortConfigSlotNum=ipPortConfigSlotNum, sipEvtDlgCustStatsEntry=sipEvtDlgCustStatsEntry, octetsRcvd256to511=octetsRcvd256to511, activeImgName=activeImgName, systemTrapAckTable=systemTrapAckTable, sipStatRTPFWTraversalTimeouts=sipStatRTPFWTraversalTimeouts, regStatTermSipTimeouts=regStatTermSipTimeouts, custH323CallsDropped=custH323CallsDropped, mediaStatTotalVideoSessions=mediaStatTotalVideoSessions, lrdCallerDestIPPort=lrdCallerDestIPPort, regStatExpired=regStatExpired, regStatFailed=regStatFailed, h323SameSideActiveCalls=h323SameSideActiveCalls, redundantPort1NetMask=redundantPort1NetMask, sipCommonStats=sipCommonStats, chasFanEntry=chasFanEntry, sipStatCurrentFaxSessions=sipStatCurrentFaxSessions, h323PeakLocalCalls=h323PeakLocalCalls, redundantAutoFailbackChangeTrap=redundantAutoFailbackChangeTrap, edrQLSrcMediaIpPort=edrQLSrcMediaIpPort, chasBrdIfIndex=chasBrdIfIndex, custSipPeakNormalActiveCalls=custSipPeakNormalActiveCalls, lrdUniqueId=lrdUniqueId, chasPwrSupplyEntry=chasPwrSupplyEntry, custSipH323TermTimeouts=custSipH323TermTimeouts, custRegStatUpdateFailed=custRegStatUpdateFailed, sipEvtDlgCustStatsActiveDialogs=sipEvtDlgCustStatsActiveDialogs, activeImgPidSideAFilename=activeImgPidSideAFilename, custH323RegStatAuthFailures=custH323RegStatAuthFailures, h323PeakSameSideActiveCalls=h323PeakSameSideActiveCalls, chasPwrTrap=chasPwrTrap, custH323RegStatExpiredReg=custH323RegStatExpiredReg, sipCommonStatsScalars=sipCommonStatsScalars, sipEvtDlgCustStatsPeakActiveDialogs=sipEvtDlgCustStatsPeakActiveDialogs, chasBrd=chasBrd, redundantFailbackThresh=redundantFailbackThresh, sipH323PeakSameSideActiveCalls=sipH323PeakSameSideActiveCalls, nCiteNTAEntry=nCiteNTAEntry, arpOperTimerChangeTrapAckSource=arpOperTimerChangeTrapAckSource, nCiteStats=nCiteStats, edrTotalCallsRogue=edrTotalCallsRogue, custSipH323CallsProcessed=custSipH323CallsProcessed, sipStatCallsInitiating=sipStatCallsInitiating, custH323RegStatActiveReg=custH323RegStatActiveReg, edrQLDestMediaIpPort=edrQLDestMediaIpPort, licenseFileChangeTrapAckSource=licenseFileChangeTrapAckSource, chasGen=chasGen, lrdCalleeTimeDetect=lrdCalleeTimeDetect, nCiteRipInterfacesTable=nCiteRipInterfacesTable, nCiteSDRCollectionCycle=nCiteSDRCollectionCycle, lrdLastDetection=lrdLastDetection, custH323CallsInitiating=custH323CallsInitiating, custSipStatCallsFailed=custSipStatCallsFailed, custRegStatUpdateSuccess=custRegStatUpdateSuccess, sipCommonStatsTotalAuthenticationFailures=sipCommonStatsTotalAuthenticationFailures, activeAlarmTimeStamp=activeAlarmTimeStamp, redundantMateName=redundantMateName, staticRouteIngressProtocol=staticRouteIngressProtocol, custSipStatTermCalls=custSipStatTermCalls, edrPeakCallCount=edrPeakCallCount, sipEvtDlgCustStatsTable=sipEvtDlgCustStatsTable, ntsStats=ntsStats, ipPortConfigOperState=ipPortConfigOperState, custRegStatNumActive=custRegStatNumActive, sipH323MessageRoutingFailures=sipH323MessageRoutingFailures, activeImgActivatedTimeStamp=activeImgActivatedTimeStamp, redundActiveMateRegist=redundActiveMateRegist, custSipStatCallsDegraded=custSipStatCallsDegraded, nCiteRipInterafacesSlotNum=nCiteRipInterafacesSlotNum, voIpCurrentFaxSessions=voIpCurrentFaxSessions, coldStartTrapEnable=coldStartTrapEnable, diagnostics=diagnostics, systemOperStateChangeTrapAck=systemOperStateChangeTrapAck, activeAlarmID=activeAlarmID, diagRsltCompleteTimeStamp=diagRsltCompleteTimeStamp, staticRouteAdminState=staticRouteAdminState, coldStartTrapAck=coldStartTrapAck, gigEStatsEntry=gigEStatsEntry, realTimeTotalPackets=realTimeTotalPackets, frameSeqErrCount=frameSeqErrCount, vlanStatsEntry=vlanStatsEntry, ntsStatAuthFailures=ntsStatAuthFailures, arpRefreshTrap=arpRefreshTrap, sipCommonStatsTotalMessageErrors=sipCommonStatsTotalMessageErrors, edrGarbageCollectionStatus=edrGarbageCollectionStatus, resourceUsageTable=resourceUsageTable, systemOperStateChangeTrapAckSource=systemOperStateChangeTrapAckSource, custVoIpId=custVoIpId, lrdCallerTimeDetect=lrdCallerTimeDetect, sipStatCallsDropped=sipStatCallsDropped, custRegStatFailed=custRegStatFailed, nCiteRIPConfig=nCiteRIPConfig, redundActiveMateCalls=redundActiveMateCalls, lrdCallerMediaAnchorIPPort=lrdCallerMediaAnchorIPPort, alarm=alarm, lrdRequestURI=lrdRequestURI, custVoIpCallsProcessed=custVoIpCallsProcessed, staticRouteRefreshTrapAckSource=staticRouteRefreshTrapAckSource, nCiteRipState=nCiteRipState, sipStatCallMediaTimeouts=sipStatCallMediaTimeouts, licenseFileChangeTrap=licenseFileChangeTrap, linkUpTrapAckSource=linkUpTrapAckSource, nCiteSDRSentTrapAckSource=nCiteSDRSentTrapAckSource, nCiteStatsReset=nCiteStatsReset, arpOperTimerFreq=arpOperTimerFreq, vlanStats=vlanStats, realTimeDiscardPackets=realTimeDiscardPackets, custSipH323Id=custSipH323Id, sipH323CallsDegraded=sipH323CallsDegraded, mediaStatTotalAudioSessions=mediaStatTotalAudioSessions, custH323PeakTotalActiveCalls=custH323PeakTotalActiveCalls, lrdCallId=lrdCallId, systemSnmpMgrIpAddress=systemSnmpMgrIpAddress, sipH323AuthenticationChallenges=sipH323AuthenticationChallenges, custSipH323CallsFailed=custSipH323CallsFailed, staticRoutesTable=staticRoutesTable, authConfigRadiusServersEntry=authConfigRadiusServersEntry, registrationStats=registrationStats, arpUpdateMacTrap=arpUpdateMacTrap, chasFan=chasFan, sipStatCallsDegraded=sipStatCallsDegraded, eventAcknowledge=eventAcknowledge, unicastFramesRcvdOk=unicastFramesRcvdOk, mediaStatCurrentFaxSessions=mediaStatCurrentFaxSessions, chasFanIndex=chasFanIndex, ipPortAutoNegChangeTrapAckSource=ipPortAutoNegChangeTrapAckSource, redundantRedirectorFlagChangeTrapAckSource=redundantRedirectorFlagChangeTrapAckSource, octetRcvd128to255=octetRcvd128to255, sipH323SameSideActiveCalls=sipH323SameSideActiveCalls, linkStatusChanges=linkStatusChanges, custSipPeakNonLocalCalls=custSipPeakNonLocalCalls, sipH323RedirectFailures=sipH323RedirectFailures, chasPwrTrapAckSource=chasPwrTrapAckSource, custSipStatsTable=custSipStatsTable, h323TermCalls=h323TermCalls, h323PeakNormalActiveCalls=h323PeakNormalActiveCalls, h323RegStats=h323RegStats, ipPortRefreshOpStates=ipPortRefreshOpStates, voIpCallsAbandoned=voIpCallsAbandoned, rogueStats=rogueStats, nCiteRipPortConfigEntry=nCiteRipPortConfigEntry, voIpMessageRoutingFailures=voIpMessageRoutingFailures, arpVerifTimerChangeTrap=arpVerifTimerChangeTrap, sipH323PeakTotalActiveCalls=sipH323PeakTotalActiveCalls, custNtsStatId=custNtsStatId, h323CallsDropped=h323CallsDropped, custSipStatCallsCompletedSuccess=custSipStatCallsCompletedSuccess, sipCommonStatsDiscontinuityTimer=sipCommonStatsDiscontinuityTimer, chasBrdStateChangeTrap=chasBrdStateChangeTrap, octetsRcvdOkCount=octetsRcvdOkCount, custH323RegStatUpdateComplete=custH323RegStatUpdateComplete, custRegStatTermSipTimeouts=custRegStatTermSipTimeouts, staticRouteChange=staticRouteChange, octetsRcvd65to127=octetsRcvd65to127, h323CallsAbandoned=h323CallsAbandoned, voIpSameSideActiveCalls=voIpSameSideActiveCalls)
mibBuilder.exportSymbols("Netrake-MIB", custSipH323NormalActiveCalls=custSipH323NormalActiveCalls, custRegStatExpired=custRegStatExpired, chasBrdTable=chasBrdTable)
| (octet_string, object_identifier, integer) = mibBuilder.importSymbols('ASN1', 'OctetString', 'ObjectIdentifier', 'Integer')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(constraints_union, single_value_constraint, value_size_constraint, value_range_constraint, constraints_intersection) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsUnion', 'SingleValueConstraint', 'ValueSizeConstraint', 'ValueRangeConstraint', 'ConstraintsIntersection')
(notification_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance')
(notification_type, gauge32, mib_identifier, time_ticks, unsigned32, integer32, bits, mib_scalar, mib_table, mib_table_row, mib_table_column, module_identity, counter64, iso, object_identity, counter32, ip_address, enterprises) = mibBuilder.importSymbols('SNMPv2-SMI', 'NotificationType', 'Gauge32', 'MibIdentifier', 'TimeTicks', 'Unsigned32', 'Integer32', 'Bits', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'ModuleIdentity', 'Counter64', 'iso', 'ObjectIdentity', 'Counter32', 'IpAddress', 'enterprises')
(textual_convention, display_string, row_status, date_and_time) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DisplayString', 'RowStatus', 'DateAndTime')
netrake = module_identity((1, 3, 6, 1, 4, 1, 10950))
netrake.setRevisions(('2001-09-20 10:05', '2006-12-13 10:05', '2007-01-05 10:05'))
if mibBuilder.loadTexts:
netrake.setLastUpdated('200612131005Z')
if mibBuilder.loadTexts:
netrake.setOrganization('Netrake 3000 Technology Drive Suite 100 Plano, Texas 75074 phone: 214 291 1000 fax: 214 291 1010')
org = mib_identifier((1, 3))
dod = mib_identifier((1, 3, 6))
internet = mib_identifier((1, 3, 6, 1))
private = mib_identifier((1, 3, 6, 1, 4))
enterprises = mib_identifier((1, 3, 6, 1, 4, 1))
products = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1))
n_cite = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1))
chassis = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1))
n_cite_system = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 2))
alarm = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3))
switch_notifications = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 4))
n_cite_redundant = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5))
n_cite_stats = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6))
diagnostics = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7))
policy_provisioning = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8))
n_cite_static_routes = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9))
n_cite_arp_config = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 10))
ip_port_config = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11))
n_cite_out_sync_flag = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('no', 0), ('yes', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
nCiteOutSyncFlag.setStatus('deprecated')
trap_ack_enable = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disable', 0), ('enable', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
trapAckEnable.setStatus('current')
link_up_trap_ack = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 14), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('notAck', 0), ('ack', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
linkUpTrapAck.setStatus('current')
link_down_trap_ack = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 15), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('notAck', 0), ('ack', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
linkDownTrapAck.setStatus('current')
n_cite_nta = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 16))
n_cite_rogue = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17))
license_info = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 18))
n_cite_rip_config = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 19))
n_cite_auth_config = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 20))
link_up_trap_ack_source = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 21), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
linkUpTrapAckSource.setStatus('current')
link_down_trap_ack_source = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 22), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
linkDownTrapAckSource.setStatus('current')
chas_gen = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 1))
chas_pwr = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 2))
chas_fan = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 3))
chas_brd = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 4))
resource_usage_table = mib_table((1, 3, 6, 1, 4, 1, 10950, 1, 1, 2, 1))
if mibBuilder.loadTexts:
resourceUsageTable.setStatus('current')
resource_usage_entry = mib_table_row((1, 3, 6, 1, 4, 1, 10950, 1, 1, 2, 1, 1)).setIndexNames((0, 'Netrake-MIB', 'processorIndex'))
if mibBuilder.loadTexts:
resourceUsageEntry.setStatus('current')
processor_index = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 2, 1, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('managementProc', 1), ('controlProcA', 2), ('controlProcB', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
processorIndex.setStatus('current')
mem_total = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 2, 1, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(-2147483648, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
memTotal.setStatus('current')
mem_used = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 2, 1, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
memUsed.setStatus('current')
cpu_usage = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 2, 1, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpuUsage.setStatus('current')
system_software_version = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 2, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
systemSoftwareVersion.setStatus('current')
system_restore_flag = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 2, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('normal', 0), ('outOfSync', 1), ('refreshStarted', 2))).clone('normal')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
systemRestoreFlag.setStatus('deprecated')
system_oper_state = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 2, 4), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
systemOperState.setStatus('current')
system_admin_state = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 2, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
systemAdminState.setStatus('current')
system_oper_state_change_trap = notification_type((1, 3, 6, 1, 4, 1, 10950, 1, 1, 2, 6)).setObjects(('Netrake-MIB', 'systemOperState'))
if mibBuilder.loadTexts:
systemOperStateChangeTrap.setStatus('current')
system_oper_state_change_trap_ack = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 2, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('notAck', 0), ('ack', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
systemOperStateChangeTrapAck.setStatus('current')
system_oper_state_change_trap_ack_source = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 2, 8), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
systemOperStateChangeTrapAckSource.setStatus('current')
system_trap_ack_table = mib_table((1, 3, 6, 1, 4, 1, 10950, 1, 1, 2, 9))
if mibBuilder.loadTexts:
systemTrapAckTable.setStatus('current')
system_trap_ack_entry = mib_table_row((1, 3, 6, 1, 4, 1, 10950, 1, 1, 2, 9, 1)).setIndexNames((0, 'Netrake-MIB', 'systemSnmpMgrIpAddress'))
if mibBuilder.loadTexts:
systemTrapAckEntry.setStatus('current')
system_snmp_mgr_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 2, 9, 1, 1), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
systemSnmpMgrIpAddress.setStatus('current')
system_trap_no_ack = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 2, 9, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('ok', 0), ('ackNotReceived', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
systemTrapNoAck.setStatus('current')
active_alarm_table = mib_table((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 1))
if mibBuilder.loadTexts:
activeAlarmTable.setStatus('current')
active_alarm_entry = mib_table_row((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 1, 1)).setIndexNames((0, 'Netrake-MIB', 'activeAlarmIndex'))
if mibBuilder.loadTexts:
activeAlarmEntry.setStatus('current')
active_alarm_index = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(-2147483648, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
activeAlarmIndex.setStatus('current')
active_alarm_id = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 1, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(-2147483648, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
activeAlarmId.setStatus('current')
active_alarm_type = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 1, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(-2147483648, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
activeAlarmType.setStatus('current')
active_alarm_service_affecting = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 1, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('notServiceAffecting', 1), ('serviceAffecting', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
activeAlarmServiceAffecting.setStatus('current')
active_alarm_category = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 1, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hardware', 1), ('software', 2), ('service', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
activeAlarmCategory.setStatus('current')
active_alarm_time_stamp = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 1, 1, 6), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
activeAlarmTimeStamp.setStatus('current')
active_alarm_slot_num = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 1, 1, 7), integer32().subtype(subtypeSpec=value_range_constraint(1, 14))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
activeAlarmSlotNum.setStatus('current')
active_alarm_port_num = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 1, 1, 8), integer32().subtype(subtypeSpec=value_range_constraint(1, 48))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
activeAlarmPortNum.setStatus('current')
active_alarm_sys_up_time = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 1, 1, 9), time_ticks()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
activeAlarmSysUpTime.setStatus('current')
active_alarm_dev_type = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 1, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 0))).clone(namedValues=named_values(('managementProc', 1), ('controlProc', 2), ('netrakeControlProcessor', 3), ('gigE', 4), ('fastEther', 5), ('chassisFan', 6), ('chassisPowerSupply', 7), ('oc12', 8), ('unknown', 0))).clone('unknown')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
activeAlarmDevType.setStatus('current')
active_alarm_additional_info = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 1, 1, 11), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
activeAlarmAdditionalInfo.setStatus('current')
active_alarm_occurances = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 1, 1, 12), integer32().subtype(subtypeSpec=value_range_constraint(-2147483648, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
activeAlarmOccurances.setStatus('current')
acitve_alarm_reporting_source = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 1, 1, 13), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
acitveAlarmReportingSource.setStatus('deprecated')
active_alarm_severity = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 1, 1, 14), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 0, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('critical', 1), ('unknown', 0), ('major', 2), ('minor', 3), ('warning', 4), ('clear', 5), ('info', 6)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
activeAlarmSeverity.setStatus('current')
active_alarm_display_string = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 1, 1, 15), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
activeAlarmDisplayString.setStatus('current')
active_alarm_sub_type = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 1, 1, 16), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
activeAlarmSubType.setStatus('current')
active_alarm_event_flag = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 1, 1, 17), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('alarm', 1), ('event', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
activeAlarmEventFlag.setStatus('current')
hist_event = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 2))
post_alarm = notification_type((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 3)).setObjects(('Netrake-MIB', 'acitveAlarmReportingSource'), ('Netrake-MIB', 'activeAlarmAdditionalInfo'), ('Netrake-MIB', 'activeAlarmCategory'), ('Netrake-MIB', 'activeAlarmDevType'), ('Netrake-MIB', 'activeAlarmDisplayString'), ('Netrake-MIB', 'activeAlarmId'), ('Netrake-MIB', 'activeAlarmOccurances'), ('Netrake-MIB', 'activeAlarmPortNum'), ('Netrake-MIB', 'activeAlarmServiceAffecting'), ('Netrake-MIB', 'activeAlarmSeverity'), ('Netrake-MIB', 'activeAlarmSlotNum'), ('Netrake-MIB', 'activeAlarmSysUpTime'), ('Netrake-MIB', 'activeAlarmTimeStamp'), ('Netrake-MIB', 'activeAlarmType'), ('Netrake-MIB', 'activeAlarmSubType'), ('Netrake-MIB', 'activeAlarmEventFlag'))
if mibBuilder.loadTexts:
postAlarm.setStatus('current')
post_event = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 4))
active_alarm_acknowledge = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 0))).clone(namedValues=named_values(('acknowledge', 1), ('cleared', 0)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
activeAlarmAcknowledge.setStatus('current')
active_alarm_id = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 6), integer32().subtype(subtypeSpec=value_range_constraint(-2147483648, 2147483647))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
activeAlarmID.setStatus('current')
event_acknowledge = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 7))
event_id = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 8), integer32().subtype(subtypeSpec=value_range_constraint(-2147483648, 2147483647))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
eventID.setStatus('deprecated')
active_alarm_acknowledge_source = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 3, 9), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
activeAlarmAcknowledgeSource.setStatus('current')
cold_start_trap_enable = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 4, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
coldStartTrapEnable.setStatus('current')
cold_start_trap = notification_type((1, 3, 6, 1, 4, 1, 10950, 1, 1, 4, 2)).setObjects(('Netrake-MIB', 'systemRestoreFlag'), ('Netrake-MIB', 'systemSoftwareVersion'))
if mibBuilder.loadTexts:
coldStartTrap.setStatus('current')
cold_start_trap_ack = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 4, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('notAck', 0), ('ack', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
coldStartTrapAck.setStatus('current')
cold_start_trap_ack_source = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 4, 4), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
coldStartTrapAckSource.setStatus('current')
redundant_port1_ip_addr = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 1), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
redundantPort1IpAddr.setStatus('current')
redundant_port2_ip_addr = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 2), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
redundantPort2IpAddr.setStatus('current')
redundant_admin_state = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('standAlone', 1), ('redundant', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
redundantAdminState.setStatus('current')
redundant_mate_name = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 4), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
redundantMateName.setStatus('current')
redundant_config_change_trap_ack = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('notAck', 0), ('ack', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
redundantConfigChangeTrapAck.setStatus('current')
redundant_config_change_trap = notification_type((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 7)).setObjects(('Netrake-MIB', 'redundantPairName'), ('Netrake-MIB', 'redundantPort1IpAddr'), ('Netrake-MIB', 'redundantPort2IpAddr'), ('Netrake-MIB', 'redundantAdminState'), ('Netrake-MIB', 'redundantPort1NetMask'), ('Netrake-MIB', 'redundantPort2NetMask'))
if mibBuilder.loadTexts:
redundantConfigChangeTrap.setStatus('current')
redundant_port1_net_mask = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 8), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
redundantPort1NetMask.setStatus('current')
redundant_port2_net_mask = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 9), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
redundantPort2NetMask.setStatus('current')
redundant_failback_thresh = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 50000))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
redundantFailbackThresh.setStatus('current')
redundant_redirector_flag = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
redundantRedirectorFlag.setStatus('current')
redundant_failback_thresh_change_trap = notification_type((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 12)).setObjects(('Netrake-MIB', 'redundantFailbackThresh'))
if mibBuilder.loadTexts:
redundantFailbackThreshChangeTrap.setStatus('current')
redundant_failback_thresh_change_trap_ack = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('default', 0), ('ack', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
redundantFailbackThreshChangeTrapAck.setStatus('current')
redundant_redirector_flag_change_trap = notification_type((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 14)).setObjects(('Netrake-MIB', 'redundantRedirectorFlag'))
if mibBuilder.loadTexts:
redundantRedirectorFlagChangeTrap.setStatus('current')
redundant_redirector_flag_change_trap_ack = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 15), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('default', 0), ('ack', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
redundantRedirectorFlagChangeTrapAck.setStatus('current')
redundant_auto_failback_flag = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 16), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
redundantAutoFailbackFlag.setStatus('current')
redundant_auto_failback_change_trap = notification_type((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 17)).setObjects(('Netrake-MIB', 'redundantAutoFailbackFlag'))
if mibBuilder.loadTexts:
redundantAutoFailbackChangeTrap.setStatus('current')
redundant_auto_failback_flag_change_trap_ack = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 18), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('default', 0), ('ack', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
redundantAutoFailbackFlagChangeTrapAck.setStatus('current')
redundant_config_change_trap_ack_source = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 19), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
redundantConfigChangeTrapAckSource.setStatus('current')
redundant_failback_thresh_change_trap_ack_source = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 20), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
redundantFailbackThreshChangeTrapAckSource.setStatus('current')
redundant_redirector_flag_change_trap_ack_source = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 21), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
redundantRedirectorFlagChangeTrapAckSource.setStatus('current')
redundant_auto_failback_flag_change_trap_ack_source = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 5, 22), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
redundantAutoFailbackFlagChangeTrapAckSource.setStatus('current')
global_counters = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 1))
gig_e_stats = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2))
service_stats = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 3))
redundancy_stats = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 4))
policy_stats = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 5))
sip_stats = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6))
vlan_stats = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 7))
cust_sip_stats = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8))
n_cite_stats_config_reset = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('default', 0), ('reset', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
nCiteStatsConfigReset.setStatus('current')
n_cite_session_detail_record = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 10))
registration_stats = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 11))
cust_reg_stats = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 12))
nts_stats = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 13))
rogue_stats = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 14))
n_cite_stats_reset = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 15), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11))).clone(namedValues=named_values(('default', 0), ('sipStats', 1), ('registrationStats', 2), ('rogueStats', 3), ('ntsStats', 4), ('voIpStats', 5), ('sipH323Stats', 6), ('h323Stats', 7), ('h323RegStats', 8), ('mediaStats', 9), ('sipCommonStats', 10), ('sipEvtDlgStats', 11)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
nCiteStatsReset.setStatus('current')
cust_nts_stats = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 16))
sip_h323_stats = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17))
h323_stats = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18))
vo_ip_stats = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19))
cust_sip_h323_stats = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20))
cust_h323_stats = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21))
cust_vo_ip_stats = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22))
media_stats = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 23))
h323_reg_stats = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 24))
cust_h323_reg_stats = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 25))
sip_common_stats = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 26))
sip_evt_dlg_stats = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 27))
run_diag_group = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 2))
diag_results_table = mib_table((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 3))
if mibBuilder.loadTexts:
diagResultsTable.setStatus('deprecated')
diag_results_entry = mib_table_row((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 3, 1)).setIndexNames((0, 'Netrake-MIB', 'diagRsltIndex'))
if mibBuilder.loadTexts:
diagResultsEntry.setStatus('deprecated')
diag_rslt_index = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 3, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
diagRsltIndex.setStatus('deprecated')
diag_rslt_start_time_stamp = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 3, 1, 2), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
diagRsltStartTimeStamp.setStatus('deprecated')
diag_rslt_complete_time_stamp = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 3, 1, 3), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
diagRsltCompleteTimeStamp.setStatus('deprecated')
diag_rslt_desc = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 3, 1, 4), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
diagRsltDesc.setStatus('deprecated')
diag_rslt_type = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 3, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('nCiteFullIntLoopback', 1), ('nCiteFullExtLoopback', 2), ('nCiteInterfaceIntLoopback', 3), ('nCiteInterfaceExtLoopback', 4), ('cardIntLoopback', 5), ('cardExtLoopback', 6), ('portIntLoopback', 7), ('portExtLoopback', 8)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
diagRsltType.setStatus('deprecated')
diag_rslt_device_slot_num = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 3, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(1, 14))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
diagRsltDeviceSlotNum.setStatus('deprecated')
diag_rslt_device_port_num = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 3, 1, 7), integer32().subtype(subtypeSpec=value_range_constraint(1, 48))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
diagRsltDevicePortNum.setStatus('deprecated')
diag_started_trap = notification_type((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 4)).setObjects(('Netrake-MIB', 'diagType'))
if mibBuilder.loadTexts:
diagStartedTrap.setStatus('deprecated')
diag_complete_trap = notification_type((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 5)).setObjects(('Netrake-MIB', 'diagRsltIndex'), ('Netrake-MIB', 'diagRsltCompleteTimeStamp'), ('Netrake-MIB', 'diagRsltDesc'), ('Netrake-MIB', 'diagRsltDevicePortNum'), ('Netrake-MIB', 'diagRsltDeviceSlotNum'), ('Netrake-MIB', 'diagRsltType'))
if mibBuilder.loadTexts:
diagCompleteTrap.setStatus('deprecated')
diag_rslt_id = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 6), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
diagRsltID.setStatus('deprecated')
diag_rslt_acknowledge = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('default', 0), ('acknowledge', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
diagRsltAcknowledge.setStatus('deprecated')
diag_started_trap_ack = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('notAck', 0), ('ack', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
diagStartedTrapAck.setStatus('deprecated')
diag_complete_trap_ack = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('notAck', 0), ('ack', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
diagCompleteTrapAck.setStatus('deprecated')
diag_started_trap_ack_source = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 10), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
diagStartedTrapAckSource.setStatus('deprecated')
diag_complete_trap_ack_source = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 11), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
diagCompleteTrapAckSource.setStatus('deprecated')
active_img_name = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 1), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
activeImgName.setStatus('current')
active_img_pid_side_a_filename = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
activeImgPidSideAFilename.setStatus('deprecated')
active_img_pid_side_b_filename = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 3), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
activeImgPidSideBFilename.setStatus('deprecated')
active_img_dwnld_time_stamp = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 4), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
activeImgDwnldTimeStamp.setStatus('current')
active_img_build_start_time_stamp = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 5), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
activeImgBuildStartTimeStamp.setStatus('deprecated')
active_img_build_complete_time_stamp = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 6), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
activeImgBuildCompleteTimeStamp.setStatus('deprecated')
active_img_activated_time_stamp = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 7), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
activeImgActivatedTimeStamp.setStatus('current')
commit_img_name = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 8), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
commitImgName.setStatus('current')
commit_img_dwnld_time_stamp = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 9), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
commitImgDwnldTimeStamp.setStatus('deprecated')
commit_img_build_start_time_stamp = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 10), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
commitImgBuildStartTimeStamp.setStatus('deprecated')
commit_img_build_complete_time_stamp = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 11), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
commitImgBuildCompleteTimeStamp.setStatus('deprecated')
commit_img_activated_time_stamp = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 12), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
commitImgActivatedTimeStamp.setStatus('current')
commit_img_time_stamp = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 13), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
commitImgTimeStamp.setStatus('current')
new_active_img_trap = notification_type((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 14)).setObjects(('Netrake-MIB', 'activeImgActivatedTimeStamp'), ('Netrake-MIB', 'activeImgName'), ('Netrake-MIB', 'activeImgPidSideAFilename'), ('Netrake-MIB', 'activeImgPidSideBFilename'))
if mibBuilder.loadTexts:
newActiveImgTrap.setStatus('current')
new_committed_img_trap = notification_type((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 15)).setObjects(('Netrake-MIB', 'commitImgTimeStamp'), ('Netrake-MIB', 'commitImgName'))
if mibBuilder.loadTexts:
newCommittedImgTrap.setStatus('current')
next_img_name = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 16), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
nextImgName.setStatus('deprecated')
next_img_state = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 17), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('cleared', 0), ('buildInProgress', 1), ('buildComplete', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
nextImgState.setStatus('deprecated')
next_img_dwnld_time_stamp = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 18), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
nextImgDwnldTimeStamp.setStatus('deprecated')
next_img_build_start_time_stamp = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 19), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
nextImgBuildStartTimeStamp.setStatus('deprecated')
next_img_build_complete_time_stamp = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 20), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
nextImgBuildCompleteTimeStamp.setStatus('deprecated')
build_started_trap = notification_type((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 21)).setObjects(('Netrake-MIB', 'nextImg'), ('Netrake-MIB', 'nextImgState'))
if mibBuilder.loadTexts:
buildStartedTrap.setStatus('deprecated')
build_complete_trap = notification_type((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 22)).setObjects(('Netrake-MIB', 'nextImgName'), ('Netrake-MIB', 'nextImgState'), ('Netrake-MIB', 'nextImgBuildCompleteTimeStamp'))
if mibBuilder.loadTexts:
buildCompleteTrap.setStatus('deprecated')
new_next_trap = notification_type((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 23)).setObjects(('Netrake-MIB', 'nextImgName'), ('Netrake-MIB', 'nextImgState'))
if mibBuilder.loadTexts:
newNextTrap.setStatus('deprecated')
new_active_img_trap_ack = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 24), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('notAck', 0), ('ack', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
newActiveImgTrapAck.setStatus('current')
new_committed_img_trap_ack = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 25), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('notAck', 0), ('ack', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
newCommittedImgTrapAck.setStatus('current')
build_started_trap_ack = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 26), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('notAck', 0), ('ack', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
buildStartedTrapAck.setStatus('deprecated')
build_complete_trap_ack = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 27), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('notAck', 0), ('ack', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
buildCompleteTrapAck.setStatus('deprecated')
new_next_trap_ack = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 28), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('notAck', 0), ('ack', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
newNextTrapAck.setStatus('deprecated')
new_active_img_trap_ack_source = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 29), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
newActiveImgTrapAckSource.setStatus('current')
new_committed_img_trap_ack_source = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 30), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
newCommittedImgTrapAckSource.setStatus('current')
build_started_trap_ack_source = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 31), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
buildStartedTrapAckSource.setStatus('deprecated')
build_complete_trap_ack_source = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 32), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
buildCompleteTrapAckSource.setStatus('deprecated')
new_next_trap_ack_source = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 8, 33), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
newNextTrapAckSource.setStatus('deprecated')
static_routes_table = mib_table((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 1))
if mibBuilder.loadTexts:
staticRoutesTable.setStatus('current')
static_routes_entry = mib_table_row((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 1, 1)).setIndexNames((0, 'Netrake-MIB', 'staticRouteDest'), (0, 'Netrake-MIB', 'staticRouteNextHop'), (0, 'Netrake-MIB', 'staticRouteNetMask'))
if mibBuilder.loadTexts:
staticRoutesEntry.setStatus('current')
static_route_dest = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 1, 1, 1), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
staticRouteDest.setStatus('current')
static_route_next_hop = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 1, 1, 2), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
staticRouteNextHop.setStatus('current')
static_route_net_mask = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 1, 1, 3), ip_address().clone(hexValue='00000000')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
staticRouteNetMask.setStatus('current')
static_route_ingress_vlan_tag = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 1, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 4096))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
staticRouteIngressVlanTag.setStatus('deprecated')
static_route_metric1 = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 1, 1, 5), integer32().subtype(subtypeSpec=value_range_constraint(-1, 255)).clone(-1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
staticRouteMetric1.setStatus('current')
static_route_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 1, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2))).clone('enable')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
staticRouteAdminState.setStatus('current')
static_route_ingress_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 1, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('general', 0), ('vlan', 1))).clone('general')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
staticRouteIngressProtocol.setStatus('deprecated')
static_route_oper_state = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 1, 1, 8), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
staticRouteOperState.setStatus('current')
static_route_type = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 1, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('userDefined', 1), ('discovered', 2), ('defaultRoute', 3), ('mgmtRoute', 4), ('dcHostRoute', 5), ('dcNetRoute', 6)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
staticRouteType.setStatus('current')
static_route_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 1, 1, 10), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
staticRouteRowStatus.setStatus('current')
static_route_vrd_tag = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 1, 1, 11), integer32().subtype(subtypeSpec=value_range_constraint(0, 4095))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
staticRouteVrdTag.setStatus('current')
static_route_egress_vlan = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 1, 1, 12), integer32().subtype(subtypeSpec=value_range_constraint(0, 4095))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
staticRouteEgressVlan.setStatus('current')
static_route_change = notification_type((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 2)).setObjects(('Netrake-MIB', 'staticRouteAdminState'), ('Netrake-MIB', 'staticRouteDest'), ('Netrake-MIB', 'staticRouteIngressVlanTag'), ('Netrake-MIB', 'staticRouteIngressProtocol'), ('Netrake-MIB', 'staticRouteMetric1'), ('Netrake-MIB', 'staticRouteNetMask'), ('Netrake-MIB', 'staticRouteNextHop'), ('Netrake-MIB', 'staticRouteOperState'), ('Netrake-MIB', 'staticRouteRowStatus'), ('Netrake-MIB', 'staticRouteType'))
if mibBuilder.loadTexts:
staticRouteChange.setStatus('current')
static_routes_refresh_needed = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('default', 0), ('refresh', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
staticRoutesRefreshNeeded.setStatus('current')
static_routes_refresh_trap = notification_type((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 4)).setObjects(('Netrake-MIB', 'staticRoutesRefreshNeeded'))
if mibBuilder.loadTexts:
staticRoutesRefreshTrap.setStatus('current')
static_route_change_trap_ack = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('notAck', 0), ('ack', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
staticRouteChangeTrapAck.setStatus('current')
static_route_refresh_trap_ack = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('notAck', 0), ('ack', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
staticRouteRefreshTrapAck.setStatus('current')
static_route_change_trap_ack_source = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 7), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
staticRouteChangeTrapAckSource.setStatus('current')
static_route_refresh_trap_ack_source = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 9, 8), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
staticRouteRefreshTrapAckSource.setStatus('current')
arp_verif_timer_retry_count = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 10, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 3600)).clone(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
arpVerifTimerRetryCount.setStatus('current')
arp_next_hop_ip = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 10, 2), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
arpNextHopIP.setStatus('current')
arp_mac_addr = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 10, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
arpMacAddr.setStatus('current')
arp_refresh_needed = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 10, 4), integer32().subtype(subtypeSpec=value_range_constraint(-2147483648, 2147483647))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
arpRefreshNeeded.setStatus('current')
arp_refresh_trap = notification_type((1, 3, 6, 1, 4, 1, 10950, 1, 1, 10, 5)).setObjects(('Netrake-MIB', 'arpRefreshNeeded'))
if mibBuilder.loadTexts:
arpRefreshTrap.setStatus('current')
arp_refresh_trap_ack = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 10, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('notAck', 0), ('ack', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
arpRefreshTrapAck.setStatus('current')
arp_update_mac_trap = notification_type((1, 3, 6, 1, 4, 1, 10950, 1, 1, 10, 7)).setObjects(('Netrake-MIB', 'arpMacAddr'), ('Netrake-MIB', 'arpNextHopIP'), ('Netrake-MIB', 'arpTrapOper'))
if mibBuilder.loadTexts:
arpUpdateMacTrap.setStatus('current')
arp_update_mac_trap_ack = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 10, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('noAck', 0), ('ack', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
arpUpdateMacTrapAck.setStatus('current')
arp_trap_oper = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 10, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('addUpdate', 0), ('delete', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
arpTrapOper.setStatus('current')
arp_oper_timer_freq = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 10, 10), integer32().subtype(subtypeSpec=value_range_constraint(1, 60))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
arpOperTimerFreq.setStatus('current')
arp_oper_timer_retry_count = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 10, 11), integer32().subtype(subtypeSpec=value_range_constraint(1, 600))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
arpOperTimerRetryCount.setStatus('current')
arp_verif_timer_change_trap = notification_type((1, 3, 6, 1, 4, 1, 10950, 1, 1, 10, 12)).setObjects(('Netrake-MIB', 'arpVerifTimerRetryCount'))
if mibBuilder.loadTexts:
arpVerifTimerChangeTrap.setStatus('current')
arp_verif_timer_change_trap_ack = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 10, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('default', 0), ('ack', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
arpVerifTimerChangeTrapAck.setStatus('current')
arp_oper_timer_change_trap = notification_type((1, 3, 6, 1, 4, 1, 10950, 1, 1, 10, 14)).setObjects(('Netrake-MIB', 'arpOperTimerFreq'), ('Netrake-MIB', 'arpOperTimerRetryCount'))
if mibBuilder.loadTexts:
arpOperTimerChangeTrap.setStatus('current')
arp_oper_timer_change_trap_ack = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 10, 15), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('default', 0), ('ack', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
arpOperTimerChangeTrapAck.setStatus('current')
arp_refresh_trap_ack_source = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 10, 16), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
arpRefreshTrapAckSource.setStatus('current')
arp_update_mac_trap_ack_source = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 10, 17), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
arpUpdateMacTrapAckSource.setStatus('current')
arp_verif_timer_change_trap_ack_source = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 10, 18), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
arpVerifTimerChangeTrapAckSource.setStatus('current')
arp_oper_timer_change_trap_ack_source = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 10, 19), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
arpOperTimerChangeTrapAckSource.setStatus('current')
ip_port_config_table = mib_table((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 1))
if mibBuilder.loadTexts:
ipPortConfigTable.setStatus('current')
ip_port_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 1, 1)).setIndexNames((0, 'Netrake-MIB', 'ipPortConfigSlotNum'), (0, 'Netrake-MIB', 'ipPortConfigPortNum'), (0, 'Netrake-MIB', 'ipPortConfigIpAddr'))
if mibBuilder.loadTexts:
ipPortConfigEntry.setStatus('current')
ip_port_config_slot_num = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 14))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
ipPortConfigSlotNum.setStatus('current')
ip_port_config_port_num = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 1, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 48))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
ipPortConfigPortNum.setStatus('current')
ip_port_config_ip_addr = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 1, 1, 3), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
ipPortConfigIpAddr.setStatus('current')
ip_port_vlan_tag = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 1, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 4097))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
ipPortVlanTag.setStatus('current')
ip_port_config_net_mask = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 1, 1, 5), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
ipPortConfigNetMask.setStatus('current')
ip_port_config_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 1, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
ipPortConfigAdminState.setStatus('current')
ip_port_config_oper_state = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 1, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ipPortConfigOperState.setStatus('current')
ip_port_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 1, 1, 8), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
ipPortRowStatus.setStatus('current')
ip_port_vrd_tag = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 1, 1, 9), integer32().subtype(subtypeSpec=value_range_constraint(0, 4095))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
ipPortVrdTag.setStatus('current')
ip_port_config_change_trap = notification_type((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 2)).setObjects(('Netrake-MIB', 'ipPortConfigIpAddr'), ('Netrake-MIB', 'ipPortConfigNetMask'), ('Netrake-MIB', 'ipPortConfigOperState'), ('Netrake-MIB', 'ipPortConfigPortNum'), ('Netrake-MIB', 'ipPortConfigSlotNum'), ('Netrake-MIB', 'ipPortVlanTag'), ('Netrake-MIB', 'ipPortVrdTag'), ('Netrake-MIB', 'ipPortConfigAdminState'), ('Netrake-MIB', 'ipPortRowStatus'))
if mibBuilder.loadTexts:
ipPortConfigChangeTrap.setStatus('current')
ip_port_config_change_trap_ack = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('notAck', 0), ('ack', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
ipPortConfigChangeTrapAck.setStatus('current')
ip_port_place_holder = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ipPortPlaceHolder.setStatus('current')
ip_port_refresh_op_states = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ipPortRefreshOpStates.setStatus('current')
ip_port_refresh_trap = notification_type((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 6)).setObjects(('Netrake-MIB', 'ipPortRefreshOpStates'))
if mibBuilder.loadTexts:
ipPortRefreshTrap.setStatus('current')
ip_port_refresh_trap_ack = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('noAck', 0), ('ack', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
ipPortRefreshTrapAck.setStatus('current')
ip_port_auto_neg_table = mib_table((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 8))
if mibBuilder.loadTexts:
ipPortAutoNegTable.setStatus('current')
ip_port_auto_neg_entry = mib_table_row((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 8, 1)).setIndexNames((0, 'Netrake-MIB', 'ipPortAutoNegSlotNum'), (0, 'Netrake-MIB', 'ipPortAutoNegPortNum'))
if mibBuilder.loadTexts:
ipPortAutoNegEntry.setStatus('current')
ip_port_auto_neg_slot_num = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 8, 1, 1), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
ipPortAutoNegSlotNum.setStatus('current')
ip_port_auto_neg_port_num = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 8, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ipPortAutoNegPortNum.setStatus('current')
ip_port_auto_neg_flag = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 8, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disable', 0), ('enable', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
ipPortAutoNegFlag.setStatus('current')
ip_port_auto_neg_change_trap = notification_type((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 9)).setObjects(('Netrake-MIB', 'ipPortAutoNegFlag'), ('Netrake-MIB', 'ipPortAutoNegPortNum'), ('Netrake-MIB', 'ipPortAutoNegSlotNum'))
if mibBuilder.loadTexts:
ipPortAutoNegChangeTrap.setStatus('current')
ip_port_auto_neg_change_trap_ack = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('default', 0), ('ack', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
ipPortAutoNegChangeTrapAck.setStatus('current')
ip_port_config_change_trap_ack_source = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 11), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
ipPortConfigChangeTrapAckSource.setStatus('current')
ip_port_refresh_trap_ack_source = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 12), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
ipPortRefreshTrapAckSource.setStatus('current')
ip_port_auto_neg_change_trap_ack_source = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 11, 13), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
ipPortAutoNegChangeTrapAckSource.setStatus('current')
n_cite_nta_table = mib_table((1, 3, 6, 1, 4, 1, 10950, 1, 1, 16, 1))
if mibBuilder.loadTexts:
nCiteNTATable.setStatus('current')
n_cite_nta_entry = mib_table_row((1, 3, 6, 1, 4, 1, 10950, 1, 1, 16, 1, 1)).setIndexNames((0, 'Netrake-MIB', 'nCiteNTACustomerId'))
if mibBuilder.loadTexts:
nCiteNTAEntry.setStatus('current')
n_cite_nta_customer_id = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 16, 1, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
nCiteNTACustomerId.setStatus('current')
n_cite_nta_status = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 16, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('noNTSClient', 0), ('configured', 1), ('connected', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
nCiteNTAStatus.setStatus('current')
n_cite_nta_reset = notification_type((1, 3, 6, 1, 4, 1, 10950, 1, 1, 16, 2))
if mibBuilder.loadTexts:
nCiteNTAReset.setStatus('current')
edr_quarantine_list_table = mib_table((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 1))
if mibBuilder.loadTexts:
edrQuarantineListTable.setStatus('current')
edr_quarantine_list_entry = mib_table_row((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 1, 1)).setIndexNames((0, 'Netrake-MIB', 'erdQLUniqueId'))
if mibBuilder.loadTexts:
edrQuarantineListEntry.setStatus('current')
erd_ql_unique_id = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 1, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
erdQLUniqueId.setStatus('current')
edr_ql_call_id = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 1, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
edrQLCallId.setStatus('current')
edr_ql_timestamp = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 1, 1, 3), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
edrQLTimestamp.setStatus('current')
edr_ql_from = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 1, 1, 4), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
edrQLFrom.setStatus('current')
edr_ql_to = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 1, 1, 5), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
edrQLTo.setStatus('current')
edr_ql_request_uri = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 1, 1, 6), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
edrQLRequestURI.setStatus('current')
edr_ql_src_media_ip_port = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 1, 1, 7), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
edrQLSrcMediaIpPort.setStatus('current')
edr_ql_dest_media_anchor_ip_port = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 1, 1, 8), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
edrQLDestMediaAnchorIpPort.setStatus('current')
edr_ql_dest_media_ip_port = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 1, 1, 9), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
edrQLDestMediaIpPort.setStatus('current')
edr_ql_rogue_status = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 1, 1, 10), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
edrQLRogueStatus.setStatus('current')
edr_ql_perform_garbage_collection = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 1, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('default', 0), ('start', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
edrQLPerformGarbageCollection.setStatus('current')
erd_ql2_src_media_ip_port = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 1, 1, 12), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
erdQL2SrcMediaIpPort.setStatus('current')
erd_ql2_dest_media_anchor_ip_port = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 1, 1, 13), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
erdQL2DestMediaAnchorIpPort.setStatus('current')
erd_ql2_dest_media_ip_port = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 1, 1, 14), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
erdQL2DestMediaIpPort.setStatus('current')
edr_garbage_collection_state = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
edrGarbageCollectionState.setStatus('current')
edr_last_garbage_collection = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 3), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
edrLastGarbageCollection.setStatus('current')
edr_next_traffic_check = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 4), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
edrNextTrafficCheck.setStatus('current')
edr_perform_garbage_collection = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('default', 0), ('start', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
edrPerformGarbageCollection.setStatus('current')
edr_garbage_collection_status = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('success', 0), ('entryNotFound', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
edrGarbageCollectionStatus.setStatus('current')
edr_garbage_collection_complete = notification_type((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 7)).setObjects(('Netrake-MIB', 'edrGarbageCollectionStatus'), ('Netrake-MIB', 'edrGarbageCollectionState'), ('Netrake-MIB', 'edrLastGarbageCollection'), ('Netrake-MIB', 'edrNextTrafficCheck'))
if mibBuilder.loadTexts:
edrGarbageCollectionComplete.setStatus('current')
edr_garbage_collection_complete_trap_ack = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('notAck', 0), ('ack', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
edrGarbageCollectionCompleteTrapAck.setStatus('current')
lrd_table = mib_table((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9))
if mibBuilder.loadTexts:
lrdTable.setStatus('current')
lrd_entry = mib_table_row((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9, 1)).setIndexNames((0, 'Netrake-MIB', 'lrdUniqueId'))
if mibBuilder.loadTexts:
lrdEntry.setStatus('current')
lrd_unique_id = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(-2147483648, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
lrdUniqueId.setStatus('current')
lrd_call_id = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
lrdCallId.setStatus('current')
lrd_request_uri = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9, 1, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
lrdRequestURI.setStatus('current')
lrd_from = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9, 1, 4), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
lrdFrom.setStatus('current')
lrd_to = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9, 1, 5), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
lrdTo.setStatus('current')
lrd_caller_state = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9, 1, 6), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
lrdCallerState.setStatus('current')
lrd_caller_media_anchor_ip_port = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9, 1, 7), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
lrdCallerMediaAnchorIPPort.setStatus('current')
lrd_caller_dest_ip_port = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9, 1, 8), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
lrdCallerDestIPPort.setStatus('current')
lrd_caller_source_ip_port1 = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9, 1, 9), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
lrdCallerSourceIPPort1.setStatus('current')
lrd_caller_source_ip_port2 = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9, 1, 10), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
lrdCallerSourceIPPort2.setStatus('current')
lrd_caller_reason = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9, 1, 11), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
lrdCallerReason.setStatus('current')
lrd_caller_time_detect = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9, 1, 12), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
lrdCallerTimeDetect.setStatus('current')
lrd_callee_state = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9, 1, 13), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
lrdCalleeState.setStatus('current')
lrd_callee_media_anchor_ip_port = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9, 1, 14), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
lrdCalleeMediaAnchorIPPort.setStatus('current')
lrd_callee_dest_ip_port = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9, 1, 15), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
lrdCalleeDestIPPort.setStatus('current')
lrd_callee_source_ip_port1 = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9, 1, 16), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
lrdCalleeSourceIPPort1.setStatus('current')
lrd_callee_source_ip_port2 = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9, 1, 17), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
lrdCalleeSourceIPPort2.setStatus('current')
lrd_callee_reason = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9, 1, 18), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
lrdCalleeReason.setStatus('current')
lrd_callee_time_detect = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 9, 1, 19), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
lrdCalleeTimeDetect.setStatus('current')
edr_garbage_collection_complete_trap_ack_source = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 17, 10), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
edrGarbageCollectionCompleteTrapAckSource.setStatus('current')
license_table = mib_table((1, 3, 6, 1, 4, 1, 10950, 1, 1, 18, 1))
if mibBuilder.loadTexts:
licenseTable.setStatus('current')
license_entry = mib_table_row((1, 3, 6, 1, 4, 1, 10950, 1, 1, 18, 1, 1)).setIndexNames((0, 'Netrake-MIB', 'licenseIndex'))
if mibBuilder.loadTexts:
licenseEntry.setStatus('current')
license_index = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 18, 1, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
licenseIndex.setStatus('current')
license_feature_name = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 18, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7))).clone(namedValues=named_values(('globalCac', 0), ('redundancy', 1), ('nts', 2), ('rogueDetect', 3), ('totalCust', 4), ('totalNtsCust', 5), ('totalVlanCust', 6), ('globalReg', 7)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
licenseFeatureName.setStatus('deprecated')
license_value = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 18, 1, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 1000))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
licenseValue.setStatus('current')
license_install_date = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 18, 1, 1, 4), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
licenseInstallDate.setStatus('current')
license_expiration_date = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 18, 1, 1, 5), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
licenseExpirationDate.setStatus('current')
license_feature_display_name = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 18, 1, 1, 6), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
licenseFeatureDisplayName.setStatus('current')
license_file_name = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 18, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
licenseFileName.setStatus('current')
license_file_change_trap = notification_type((1, 3, 6, 1, 4, 1, 10950, 1, 1, 18, 3)).setObjects(('Netrake-MIB', 'licenseFileName'))
if mibBuilder.loadTexts:
licenseFileChangeTrap.setStatus('current')
license_file_change_trap_ack = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 18, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('notAck', 0), ('ack', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
licenseFileChangeTrapAck.setStatus('current')
license_file_change_trap_ack_source = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 18, 5), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
licenseFileChangeTrapAckSource.setStatus('current')
n_cite_rip_state = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 19, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('off', 0), ('on', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
nCiteRipState.setStatus('current')
n_cite_rip_port_config_table = mib_table((1, 3, 6, 1, 4, 1, 10950, 1, 1, 19, 2))
if mibBuilder.loadTexts:
nCiteRipPortConfigTable.setStatus('current')
n_cite_rip_port_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 10950, 1, 1, 19, 2, 1)).setIndexNames((0, 'Netrake-MIB', 'nCiteRipPortSlotNum'), (0, 'Netrake-MIB', 'nCiteRipPortNum'))
if mibBuilder.loadTexts:
nCiteRipPortConfigEntry.setStatus('current')
n_cite_rip_port_slot_num = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 19, 2, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
nCiteRipPortSlotNum.setStatus('current')
n_cite_rip_port_num = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 19, 2, 1, 2), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
nCiteRipPortNum.setStatus('current')
n_cite_rip_port_primary = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 19, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('default', 0), ('primary', 1), ('secondary', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
nCiteRipPortPrimary.setStatus('current')
n_cite_rip_interfaces_table = mib_table((1, 3, 6, 1, 4, 1, 10950, 1, 1, 19, 3))
if mibBuilder.loadTexts:
nCiteRipInterfacesTable.setStatus('current')
n_cite_rip_interfaces_entry = mib_table_row((1, 3, 6, 1, 4, 1, 10950, 1, 1, 19, 3, 1)).setIndexNames((0, 'Netrake-MIB', 'nCiteRipInterafacesSlotNum'), (0, 'Netrake-MIB', 'nCiteRipInterfacesPortNum'), (0, 'Netrake-MIB', 'nCiteRipInterfacesIPAddr'))
if mibBuilder.loadTexts:
nCiteRipInterfacesEntry.setStatus('current')
n_cite_rip_interafaces_slot_num = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 19, 3, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
nCiteRipInterafacesSlotNum.setStatus('current')
n_cite_rip_interfaces_port_num = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 19, 3, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
nCiteRipInterfacesPortNum.setStatus('current')
n_cite_rip_interfaces_ip_addr = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 19, 3, 1, 3), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
nCiteRipInterfacesIPAddr.setStatus('current')
auth_config_local_override = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 20, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
authConfigLocalOverride.setStatus('current')
auth_config_radius_retry_count = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 20, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 5))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
authConfigRadiusRetryCount.setStatus('current')
auth_config_radius_retry_interval = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 20, 3), integer32().subtype(subtypeSpec=value_range_constraint(1, 10))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
authConfigRadiusRetryInterval.setStatus('current')
auth_config_radius_servers_table = mib_table((1, 3, 6, 1, 4, 1, 10950, 1, 1, 20, 4))
if mibBuilder.loadTexts:
authConfigRadiusServersTable.setStatus('current')
auth_config_radius_servers_entry = mib_table_row((1, 3, 6, 1, 4, 1, 10950, 1, 1, 20, 4, 1)).setIndexNames((0, 'Netrake-MIB', 'authConfigRadiusServerIp'))
if mibBuilder.loadTexts:
authConfigRadiusServersEntry.setStatus('current')
auth_config_radius_server_ip = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 20, 4, 1, 1), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
authConfigRadiusServerIp.setStatus('current')
auth_config_radius_server_port = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 20, 4, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
authConfigRadiusServerPort.setStatus('current')
auth_config_radius_server_priority = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 20, 4, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(1, 5))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
authConfigRadiusServerPriority.setStatus('current')
chas_ser_num = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 1, 1), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
chasSerNum.setStatus('current')
chas_led_status = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(-2147483648, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
chasLedStatus.setStatus('current')
chas_post_mode = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('fastPOST', 0), ('fullPost', 1))).clone('fastPOST')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
chasPOSTMode.setStatus('current')
chas_type = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('unknown', 0), ('bff', 1), ('sff', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
chasType.setStatus('current')
chas_pwr_supply_table = mib_table((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 2, 1))
if mibBuilder.loadTexts:
chasPwrSupplyTable.setStatus('current')
chas_pwr_supply_entry = mib_table_row((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 2, 1, 1)).setIndexNames((0, 'Netrake-MIB', 'chasPwrSupplyIndex'))
if mibBuilder.loadTexts:
chasPwrSupplyEntry.setStatus('current')
chas_pwr_supply_index = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 2, 1, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
chasPwrSupplyIndex.setStatus('current')
chas_pwr_supply_oper_status = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 2, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('unknown', 1), ('normal', 2), ('fault', 3), ('notPresent', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
chasPwrSupplyOperStatus.setStatus('current')
chas_pwr_supply_desc = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 2, 1, 1, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
chasPwrSupplyDesc.setStatus('current')
chas_pwr_trap = notification_type((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 2, 2)).setObjects(('Netrake-MIB', 'chasPwrSupplyIndex'), ('Netrake-MIB', 'chasPwrSupplyOperStatus'))
if mibBuilder.loadTexts:
chasPwrTrap.setStatus('current')
chas_pwr_trap_ack = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 2, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('notAck', 0), ('ack', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
chasPwrTrapAck.setStatus('current')
chas_pwr_trap_ack_source = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 2, 4), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
chasPwrTrapAckSource.setStatus('current')
chas_fan_table = mib_table((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 3, 1))
if mibBuilder.loadTexts:
chasFanTable.setStatus('current')
chas_fan_entry = mib_table_row((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 3, 1, 1)).setIndexNames((0, 'Netrake-MIB', 'chasFanIndex'))
if mibBuilder.loadTexts:
chasFanEntry.setStatus('current')
chas_fan_index = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 3, 1, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
chasFanIndex.setStatus('current')
chas_fan_oper_status = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 3, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4))).clone(namedValues=named_values(('dev_ok', 0), ('dev_fail', 1), ('dev_present', 2), ('dev_not_present', 3), ('unknown', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
chasFanOperStatus.setStatus('current')
chas_fan_description = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 3, 1, 1, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
chasFanDescription.setStatus('current')
chas_fan_trap = notification_type((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 3, 2)).setObjects(('Netrake-MIB', 'chasFanIndex'), ('Netrake-MIB', 'chasFanOperStatus'))
if mibBuilder.loadTexts:
chasFanTrap.setStatus('current')
chas_fan_trap_ack = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 3, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('notAck', 0), ('ack', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
chasFanTrapAck.setStatus('current')
chas_fan_trap_ack_source = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 3, 4), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
chasFanTrapAckSource.setStatus('current')
chas_brd_table = mib_table((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 4, 1))
if mibBuilder.loadTexts:
chasBrdTable.setStatus('current')
chas_brd_entry = mib_table_row((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 4, 1, 1)).setIndexNames((0, 'Netrake-MIB', 'chasBrdSlotNum'))
if mibBuilder.loadTexts:
chasBrdEntry.setStatus('current')
chas_brd_slot_num = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 4, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 14))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
chasBrdSlotNum.setStatus('current')
chas_brd_description = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 4, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
chasBrdDescription.setStatus('current')
chas_brd_type = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 4, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 0))).clone(namedValues=named_values(('managementProc', 1), ('controlProc', 2), ('netrakeControlProcessor', 3), ('gigE', 4), ('fastEther', 5), ('noBoardPresent', 0)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
chasBrdType.setStatus('current')
chas_brd_occ_slots = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 4, 1, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(-2147483648, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
chasBrdOccSlots.setStatus('current')
chas_brd_max_ports = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 4, 1, 1, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
chasBrdMaxPorts.setStatus('current')
chas_brd_slot_label = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 4, 1, 1, 6), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
chasBrdSlotLabel.setStatus('current')
chas_brd_status_leds = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 4, 1, 1, 7), integer32().subtype(subtypeSpec=value_range_constraint(-2147483648, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
chasBrdStatusLeds.setStatus('current')
chas_brd_state = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 4, 1, 1, 8), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
chasBrdState.setStatus('current')
chas_brd_pwr = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 4, 1, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('default', 0), ('powerOn', 1), ('powerOff', 2))).clone('powerOn')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
chasBrdPwr.setStatus('current')
chas_brd_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 4, 1, 1, 10), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
chasBrdIfIndex.setStatus('current')
chas_brd_serial_num = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 4, 1, 1, 11), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
chasBrdSerialNum.setStatus('current')
chas_brd_reset = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 4, 1, 1, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('default', 0), ('resetCold', 1), ('resetWarm', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
chasBrdReset.setStatus('current')
chas_brd_state_change_trap = notification_type((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 4, 2)).setObjects(('Netrake-MIB', 'chasBrdSlotNum'), ('Netrake-MIB', 'chasBrdType'), ('Netrake-MIB', 'chasBrdState'))
if mibBuilder.loadTexts:
chasBrdStateChangeTrap.setStatus('current')
chas_brd_state_change_trap_ack = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 4, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('notAck', 0), ('ack', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
chasBrdStateChangeTrapAck.setStatus('current')
chas_brd_state_change_trap_ack_source = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 1, 4, 4), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
chasBrdStateChangeTrapAckSource.setStatus('current')
total_packets_xmit_cpa = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 1, 1), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
totalPacketsXmitCPA.setStatus('current')
num_packets_discard_cpa = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 1, 2), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
numPacketsDiscardCPA.setStatus('current')
total_packets_xmit_cpb = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 1, 3), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
totalPacketsXmitCPB.setStatus('current')
num_packets_discard_cpb = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 1, 4), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
numPacketsDiscardCPB.setStatus('current')
total_packets_xmit = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 1, 5), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
totalPacketsXmit.setStatus('current')
total_packets_discard = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 1, 6), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
totalPacketsDiscard.setStatus('current')
gig_e_stats_table = mib_table((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1))
if mibBuilder.loadTexts:
gigEStatsTable.setStatus('current')
gig_e_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1)).setIndexNames((0, 'Netrake-MIB', 'gigEStatsPortIndex'), (0, 'Netrake-MIB', 'gigEStatsSlotNum'))
if mibBuilder.loadTexts:
gigEStatsEntry.setStatus('current')
gig_e_stats_port_index = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 48))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
gigEStatsPortIndex.setStatus('current')
gig_e_stats_slot_num = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 14))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
gigEStatsSlotNum.setStatus('current')
link_status_changes = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 3), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
linkStatusChanges.setStatus('current')
frames_rcvd_ok_count = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 4), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
framesRcvdOkCount.setStatus('current')
octets_rcvd_ok_count = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 5), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
octetsRcvdOkCount.setStatus('current')
frames_rcvd_count = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 6), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
framesRcvdCount.setStatus('current')
octets_rcvd_count = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 7), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
octetsRcvdCount.setStatus('current')
frame_seq_err_count = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 8), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
frameSeqErrCount.setStatus('current')
lost_frames_mac_err_count = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 9), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
lostFramesMacErrCount.setStatus('current')
rcvd_frames64_octets = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 10), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
rcvdFrames64Octets.setStatus('current')
octets_rcvd1519to_max = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 11), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
octetsRcvd1519toMax.setStatus('current')
xmit_frames64_octets = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 12), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
xmitFrames64Octets.setStatus('current')
octets_xmit1024to1518 = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 13), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
octetsXmit1024to1518.setStatus('current')
octets_xmit_count = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 14), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
octetsXmitCount.setStatus('current')
unicast_frames_xmit_ok = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 15), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
unicastFramesXmitOk.setStatus('current')
unicast_frames_rcvd_ok = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 16), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
unicastFramesRcvdOk.setStatus('current')
broadcast_frames_xmit_ok = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 17), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
broadcastFramesXmitOk.setStatus('current')
broadcast_frames_rcvd_ok = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 18), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
broadcastFramesRcvdOk.setStatus('current')
multicast_frames_xmit_ok = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 19), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
multicastFramesXmitOk.setStatus('current')
multicast_frames_rcvd_ok = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 20), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
multicastFramesRcvdOk.setStatus('current')
octets_rcvd65to127 = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 21), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
octetsRcvd65to127.setStatus('current')
octets_xmit65to127 = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 22), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
octetsXmit65to127.setStatus('current')
octet_rcvd128to255 = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 23), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
octetRcvd128to255.setStatus('current')
octets_xmit128to255 = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 24), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
octetsXmit128to255.setStatus('current')
octets_rcvd256to511 = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 25), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
octetsRcvd256to511.setStatus('current')
octets_xmit256to511 = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 26), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
octetsXmit256to511.setStatus('current')
octets_rcvd512to1023 = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 27), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
octetsRcvd512to1023.setStatus('current')
octets_xmit512to1023 = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 28), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
octetsXmit512to1023.setStatus('current')
octets_rcvd1024to1518 = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 29), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
octetsRcvd1024to1518.setStatus('current')
octets_xmit1519to_max = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 30), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
octetsXmit1519toMax.setStatus('current')
under_size_frames_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 31), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
underSizeFramesRcvd.setStatus('current')
jabbers_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 2, 1, 1, 32), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
jabbersRcvd.setStatus('current')
service_stats_table = mib_table((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 3, 1))
if mibBuilder.loadTexts:
serviceStatsTable.setStatus('current')
service_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 3, 1, 1)).setIndexNames((0, 'Netrake-MIB', 'serviceStatsPortIndex'), (0, 'Netrake-MIB', 'serviceStatsSlotId'))
if mibBuilder.loadTexts:
serviceStatsEntry.setStatus('current')
service_stats_port_index = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 3, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(-2147483648, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
serviceStatsPortIndex.setStatus('current')
service_stats_slot_id = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 3, 1, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
serviceStatsSlotId.setStatus('current')
real_time_total_packets = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 3, 1, 1, 3), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
realTimeTotalPackets.setStatus('current')
real_time_discard_packets = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 3, 1, 1, 4), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
realTimeDiscardPackets.setStatus('current')
nrt_total_packets = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 3, 1, 1, 5), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
nrtTotalPackets.setStatus('current')
nrt_discard_packets = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 3, 1, 1, 6), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
nrtDiscardPackets.setStatus('current')
best_effort_total_packets = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 3, 1, 1, 7), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
bestEffortTotalPackets.setStatus('current')
best_effort_discard_packets = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 3, 1, 1, 8), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
bestEffortDiscardPackets.setStatus('current')
redund_paired_mode_time_ticks = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 4, 1), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
redundPairedModeTimeTicks.setStatus('current')
redund_recovery_mode_time_ticks = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 4, 2), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
redundRecoveryModeTimeTicks.setStatus('current')
redund_num_redund_link_failures = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 4, 3), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
redundNumRedundLinkFailures.setStatus('current')
redund_active_mate_calls = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 4, 4), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
redundActiveMateCalls.setStatus('current')
redund_active_mate_regist = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 4, 5), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
redundActiveMateRegist.setStatus('current')
policy_counters_table = mib_table((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 5, 1))
if mibBuilder.loadTexts:
policyCountersTable.setStatus('current')
policy_counters_entry = mib_table_row((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 5, 1, 1)).setIndexNames((0, 'Netrake-MIB', 'policyIndex'))
if mibBuilder.loadTexts:
policyCountersEntry.setStatus('current')
policy_index = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 5, 1, 1, 1), octet_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
policyIndex.setStatus('current')
policy_total_packets_a = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 5, 1, 1, 2), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
policyTotalPacketsA.setStatus('current')
policy_total_packets_b = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 5, 1, 1, 3), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
policyTotalPacketsB.setStatus('current')
policy_total_packets = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 5, 1, 1, 4), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
policyTotalPackets.setStatus('current')
policy_stats_reset = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 5, 2), integer32().subtype(subtypeSpec=value_range_constraint(-2147483648, 2147483647))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
policyStatsReset.setStatus('current')
sip_stat_calls_initiating = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 1), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipStatCallsInitiating.setStatus('current')
sip_stat_non_local_active_calls = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 2), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipStatNonLocalActiveCalls.setStatus('deprecated')
sip_stat_local_active_calls = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 3), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipStatLocalActiveCalls.setStatus('current')
sip_stat_term_calls = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 4), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipStatTermCalls.setStatus('current')
sip_stat_peak_active_calls = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 5), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipStatPeakActiveCalls.setStatus('deprecated')
sip_stat_total_active_calls = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 6), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipStatTotalActiveCalls.setStatus('current')
sip_stat_calls_completed_success = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 7), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipStatCallsCompletedSuccess.setStatus('current')
sip_stat_calls_failed = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 8), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipStatCallsFailed.setStatus('current')
sip_stat_calls_abandoned = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 9), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipStatCallsAbandoned.setStatus('current')
sip_stat_calls_dropped = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 10), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipStatCallsDropped.setStatus('deprecated')
sip_stat_calls_degraded = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 11), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipStatCallsDegraded.setStatus('current')
sip_stat_auth_failures = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 12), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipStatAuthFailures.setStatus('deprecated')
sip_stat_call_media_timeouts = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 13), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipStatCallMediaTimeouts.setStatus('current')
sip_stat_call_init_timeouts = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 14), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipStatCallInitTimeouts.setStatus('current')
sip_stat_term_timeouts = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 15), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipStatTermTimeouts.setStatus('current')
sip_stat_msg_errs = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 16), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipStatMsgErrs.setStatus('deprecated')
sip_stat_calls_processed = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 17), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipStatCallsProcessed.setStatus('current')
sip_stat_peak_non_local_calls = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 18), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipStatPeakNonLocalCalls.setStatus('deprecated')
sip_stat_peak_local_calls = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 19), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipStatPeakLocalCalls.setStatus('current')
sip_stat_redirect_success = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 20), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipStatRedirectSuccess.setStatus('deprecated')
sip_stat_redirect_failures = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 21), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipStatRedirectFailures.setStatus('deprecated')
sip_stat_message_routing_failures = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 22), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipStatMessageRoutingFailures.setStatus('deprecated')
sip_stat_authentication_challenges = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 23), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipStatAuthenticationChallenges.setStatus('current')
sip_stat_rtpfw_traversal_timeouts = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 24), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipStatRTPFWTraversalTimeouts.setStatus('current')
sip_stat_messages_rerouted_to_mate = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 25), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipStatMessagesReroutedToMate.setStatus('deprecated')
sip_stat_same_side_active_calls = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 26), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipStatSameSideActiveCalls.setStatus('current')
sip_stat_normal_active_calls = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 27), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipStatNormalActiveCalls.setStatus('current')
sip_stat_peak_same_side_active_calls = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 28), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipStatPeakSameSideActiveCalls.setStatus('current')
sip_stat_peak_normal_active_calls = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 29), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipStatPeakNormalActiveCalls.setStatus('current')
sip_stat_current_fax_sessions = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 30), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipStatCurrentFaxSessions.setStatus('deprecated')
sip_stat_peak_fax_sessions = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 31), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipStatPeakFaxSessions.setStatus('deprecated')
sip_stat_total_fax_sessions = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 32), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipStatTotalFaxSessions.setStatus('deprecated')
sip_stat_peak_total_active_calls = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 6, 33), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipStatPeakTotalActiveCalls.setStatus('current')
vlan_stats_table = mib_table((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 7, 2))
if mibBuilder.loadTexts:
vlanStatsTable.setStatus('current')
vlan_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 7, 2, 1)).setIndexNames((0, 'Netrake-MIB', 'vlanStatsSlotNum'), (0, 'Netrake-MIB', 'vlanStatsPortNum'), (0, 'Netrake-MIB', 'vlanStatsVlanLabel'))
if mibBuilder.loadTexts:
vlanStatsEntry.setStatus('current')
vlan_stats_slot_num = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 7, 2, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 14))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vlanStatsSlotNum.setStatus('current')
vlan_stats_port_num = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 7, 2, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 48))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vlanStatsPortNum.setStatus('current')
vlan_stats_vlan_label = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 7, 2, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vlanStatsVlanLabel.setStatus('current')
vlan_total_packets_xmit = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 7, 2, 1, 4), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vlanTotalPacketsXmit.setStatus('current')
vlan_total_packets_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 7, 2, 1, 5), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vlanTotalPacketsRcvd.setStatus('current')
vlan_stats_reset = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 7, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('default', 0), ('reset', 1))).clone('default')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
vlanStatsReset.setStatus('current')
cust_sip_stats_table = mib_table((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1))
if mibBuilder.loadTexts:
custSipStatsTable.setStatus('current')
cust_sip_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1)).setIndexNames((0, 'Netrake-MIB', 'custSipStatId'))
if mibBuilder.loadTexts:
custSipStatsEntry.setStatus('current')
cust_sip_stat_id = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipStatId.setStatus('current')
cust_sip_stat_calls_initiating = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 2), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipStatCallsInitiating.setStatus('current')
cust_sip_stat_non_local_active_calls = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 3), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipStatNonLocalActiveCalls.setStatus('deprecated')
cust_sip_stat_local_active_calls = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 4), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipStatLocalActiveCalls.setStatus('current')
cust_sip_stat_term_calls = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 5), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipStatTermCalls.setStatus('current')
cust_sip_stat_peak_active_calls = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 6), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipStatPeakActiveCalls.setStatus('deprecated')
cust_sip_stat_total_active_calls = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 7), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipStatTotalActiveCalls.setStatus('current')
cust_sip_stat_calls_completed_success = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 8), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipStatCallsCompletedSuccess.setStatus('current')
cust_sip_stat_calls_failed = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 9), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipStatCallsFailed.setStatus('current')
cust_sip_stat_calls_abandoned = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 10), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipStatCallsAbandoned.setStatus('current')
cust_sip_stat_calls_dropped = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 11), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipStatCallsDropped.setStatus('deprecated')
cust_sip_stat_calls_degraded = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 12), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipStatCallsDegraded.setStatus('current')
cust_sip_stat_call_media_timeouts = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 13), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipStatCallMediaTimeouts.setStatus('current')
cust_sip_stat_call_init_timeouts = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 14), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipStatCallInitTimeouts.setStatus('current')
cust_sip_stat_term_timeouts = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 15), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipStatTermTimeouts.setStatus('current')
cust_sip_stat_calls_processed = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 16), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipStatCallsProcessed.setStatus('current')
cust_sip_peak_non_local_calls = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 17), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipPeakNonLocalCalls.setStatus('deprecated')
cust_sip_peak_local_calls = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 18), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipPeakLocalCalls.setStatus('current')
cust_sip_authentication_challenges = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 19), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipAuthenticationChallenges.setStatus('current')
cust_sip_rtpfw_traversal_timeouts = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 20), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipRTPFWTraversalTimeouts.setStatus('current')
cust_sip_same_side_active_calls = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 21), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipSameSideActiveCalls.setStatus('current')
cust_sip_normal_active_calls = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 22), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipNormalActiveCalls.setStatus('current')
cust_sip_peak_normal_active_calls = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 23), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipPeakNormalActiveCalls.setStatus('current')
cust_sip_peak_total_active = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 8, 1, 1, 24), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipPeakTotalActive.setStatus('current')
n_cite_sdr_collection_cycle = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 10, 1), integer32().clone(5)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
nCiteSDRCollectionCycle.setStatus('current')
n_c_ite_sdr_last_sent = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 10, 2), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
nCIteSDRLastSent.setStatus('current')
n_cite_sdr_enable = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 10, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
nCiteSDREnable.setStatus('current')
n_cite_sdr_sent_trap = notification_type((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 10, 4)).setObjects(('Netrake-MIB', 'nCIteSDRLastSent'))
if mibBuilder.loadTexts:
nCiteSDRSentTrap.setStatus('current')
n_cite_sdr_sent_trap_ack = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 10, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('notAck', 0), ('ack', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
nCiteSDRSentTrapAck.setStatus('current')
n_cite_sdr_sent_trap_ack_source = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 10, 6), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
nCiteSDRSentTrapAckSource.setStatus('current')
reg_stat_num_initiating = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 11, 1), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
regStatNumInitiating.setStatus('current')
reg_stat_num_active = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 11, 2), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
regStatNumActive.setStatus('current')
reg_stat_peak = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 11, 3), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
regStatPeak.setStatus('current')
reg_stat_update_success = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 11, 4), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
regStatUpdateSuccess.setStatus('current')
reg_stat_update_failed = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 11, 5), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
regStatUpdateFailed.setStatus('current')
reg_stat_expired = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 11, 6), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
regStatExpired.setStatus('current')
reg_stat_dropped = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 11, 7), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
regStatDropped.setStatus('deprecated')
reg_stat_auth_failures = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 11, 8), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
regStatAuthFailures.setStatus('current')
reg_stat_init_sip_timeouts = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 11, 9), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
regStatInitSipTimeouts.setStatus('current')
reg_stat_term_sip_timeouts = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 11, 10), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
regStatTermSipTimeouts.setStatus('current')
reg_stat_terminating = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 11, 11), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
regStatTerminating.setStatus('current')
reg_stat_failed = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 11, 12), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
regStatFailed.setStatus('current')
reg_stat_authentication_challenges = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 11, 13), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
regStatAuthenticationChallenges.setStatus('current')
reg_stat_unauth_reg = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 11, 14), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
regStatUnauthReg.setStatus('current')
cust_reg_stats_table = mib_table((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 12, 1))
if mibBuilder.loadTexts:
custRegStatsTable.setStatus('current')
cust_reg_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 12, 1, 1)).setIndexNames((0, 'Netrake-MIB', 'custRegStatId'))
if mibBuilder.loadTexts:
custRegStatsEntry.setStatus('current')
cust_reg_stat_id = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 12, 1, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custRegStatId.setStatus('current')
cust_reg_stat_num_initiated = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 12, 1, 1, 2), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custRegStatNumInitiated.setStatus('current')
cust_reg_stat_num_active = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 12, 1, 1, 3), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custRegStatNumActive.setStatus('current')
cust_reg_stat_peak = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 12, 1, 1, 4), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custRegStatPeak.setStatus('current')
cust_reg_stat_update_success = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 12, 1, 1, 5), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custRegStatUpdateSuccess.setStatus('current')
cust_reg_stat_update_failed = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 12, 1, 1, 6), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custRegStatUpdateFailed.setStatus('current')
cust_reg_stat_expired = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 12, 1, 1, 7), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custRegStatExpired.setStatus('current')
cust_reg_stat_dropped = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 12, 1, 1, 8), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custRegStatDropped.setStatus('deprecated')
cust_reg_stat_init_sip_timeouts = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 12, 1, 1, 9), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custRegStatInitSipTimeouts.setStatus('current')
cust_reg_stat_term_sip_timeouts = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 12, 1, 1, 10), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custRegStatTermSipTimeouts.setStatus('current')
cust_reg_stat_terminating = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 12, 1, 1, 11), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custRegStatTerminating.setStatus('current')
cust_reg_stat_failed = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 12, 1, 1, 12), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custRegStatFailed.setStatus('current')
cust_reg_authentication_challenges = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 12, 1, 1, 13), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custRegAuthenticationChallenges.setStatus('current')
cust_reg_stat_unauthorized_reg = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 12, 1, 1, 14), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custRegStatUnauthorizedReg.setStatus('current')
nts_stat_num_cust = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 13, 1), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ntsStatNumCust.setStatus('current')
nts_stat_auth_failures = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 13, 2), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ntsStatAuthFailures.setStatus('current')
nts_stat_cust_connected = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 13, 3), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ntsStatCustConnected.setStatus('current')
edr_current_call_count = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 14, 1), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
edrCurrentCallCount.setStatus('current')
edr_peak_call_count = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 14, 2), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
edrPeakCallCount.setStatus('current')
edr_total_calls_rogue = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 14, 3), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
edrTotalCallsRogue.setStatus('current')
edr_last_detection = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 14, 4), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
edrLastDetection.setStatus('current')
lrd_current_call_count = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 14, 5), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
lrdCurrentCallCount.setStatus('current')
lrd_peak_call_count = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 14, 6), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
lrdPeakCallCount.setStatus('current')
lrd_total_calls_rogue = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 14, 7), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
lrdTotalCallsRogue.setStatus('current')
lrd_last_detection = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 14, 8), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
lrdLastDetection.setStatus('current')
cust_nts_stats_table = mib_table((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 16, 1))
if mibBuilder.loadTexts:
custNtsStatsTable.setStatus('current')
cust_nts_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 16, 1, 1)).setIndexNames((0, 'Netrake-MIB', 'custNtsStatId'))
if mibBuilder.loadTexts:
custNtsStatsEntry.setStatus('current')
cust_nts_stat_id = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 16, 1, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custNtsStatId.setStatus('current')
cust_nts_authorization_failed = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 16, 1, 1, 2), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custNtsAuthorizationFailed.setStatus('current')
sip_h323_calls_initiating = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 1), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipH323CallsInitiating.setStatus('current')
sip_h323_local_active_calls = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 2), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipH323LocalActiveCalls.setStatus('current')
sip_h323_term_calls = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 3), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipH323TermCalls.setStatus('current')
sip_h323_peak_total_active_calls = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 4), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipH323PeakTotalActiveCalls.setStatus('current')
sip_h323_total_active_calls = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 5), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipH323TotalActiveCalls.setStatus('current')
sip_h323_calls_completed_success = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 6), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipH323CallsCompletedSuccess.setStatus('current')
sip_h323_calls_failed = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 7), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipH323CallsFailed.setStatus('current')
sip_h323_calls_abandoned = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 8), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipH323CallsAbandoned.setStatus('current')
sip_h323_calls_dropped = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 9), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipH323CallsDropped.setStatus('deprecated')
sip_h323_calls_degraded = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 10), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipH323CallsDegraded.setStatus('current')
sip_h323_auth_failures = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 11), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipH323AuthFailures.setStatus('current')
sip_h323_call_media_timeouts = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 12), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipH323CallMediaTimeouts.setStatus('current')
sip_h323_call_init_timeouts = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 13), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipH323CallInitTimeouts.setStatus('current')
sip_h323_term_timeouts = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 14), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipH323TermTimeouts.setStatus('current')
sip_h323_msg_errs = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 15), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipH323MsgErrs.setStatus('current')
sip_h323_calls_processed = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 16), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipH323CallsProcessed.setStatus('current')
sip_h323_peak_local_calls = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 17), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipH323PeakLocalCalls.setStatus('current')
sip_h323_redirect_success = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 18), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipH323RedirectSuccess.setStatus('deprecated')
sip_h323_redirect_failures = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 19), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipH323RedirectFailures.setStatus('deprecated')
sip_h323_message_routing_failures = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 20), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipH323MessageRoutingFailures.setStatus('current')
sip_h323_authentication_challenges = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 21), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipH323AuthenticationChallenges.setStatus('current')
sip_h323_rtpfw_traversal_timeouts = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 22), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipH323RTPFWTraversalTimeouts.setStatus('current')
sip_h323_messages_rerouted_to_mate = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 23), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipH323MessagesReroutedToMate.setStatus('deprecated')
sip_h323_same_side_active_calls = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 24), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipH323SameSideActiveCalls.setStatus('current')
sip_h323_normal_active_calls = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 25), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipH323NormalActiveCalls.setStatus('current')
sip_h323_peak_same_side_active_calls = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 26), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipH323PeakSameSideActiveCalls.setStatus('current')
sip_h323_peak_normal_active_calls = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 27), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipH323PeakNormalActiveCalls.setStatus('current')
sip_h323_current_fax_sessions = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 28), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipH323CurrentFaxSessions.setStatus('deprecated')
sip_h323_peak_fax_sessions = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 29), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipH323PeakFaxSessions.setStatus('deprecated')
sip_h323_total_fax_sessions = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 17, 30), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipH323TotalFaxSessions.setStatus('deprecated')
h323_calls_initiating = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 1), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h323CallsInitiating.setStatus('current')
h323_local_active_calls = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 2), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h323LocalActiveCalls.setStatus('current')
h323_term_calls = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 3), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h323TermCalls.setStatus('current')
h323_peak_total_active_calls = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 4), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h323PeakTotalActiveCalls.setStatus('current')
h323_total_active_calls = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 5), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h323TotalActiveCalls.setStatus('current')
h323_calls_completed_success = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 6), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h323CallsCompletedSuccess.setStatus('current')
h323_calls_failed = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 7), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h323CallsFailed.setStatus('current')
h323_calls_abandoned = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 8), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h323CallsAbandoned.setStatus('current')
h323_calls_dropped = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 9), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h323CallsDropped.setStatus('deprecated')
h323_calls_degraded = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 10), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h323CallsDegraded.setStatus('current')
h323_auth_failures = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 11), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h323AuthFailures.setStatus('current')
h323_call_media_timeouts = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 12), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h323CallMediaTimeouts.setStatus('current')
h323_call_init_timeouts = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 13), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h323CallInitTimeouts.setStatus('current')
h323_term_timeouts = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 14), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h323TermTimeouts.setStatus('current')
h323_msg_errs = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 15), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h323MsgErrs.setStatus('current')
h323_calls_processed = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 16), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h323CallsProcessed.setStatus('current')
h323_peak_local_calls = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 17), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h323PeakLocalCalls.setStatus('current')
h323_message_routing_failures = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 18), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h323MessageRoutingFailures.setStatus('current')
h323_authentication_challenges = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 19), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h323AuthenticationChallenges.setStatus('current')
h323_rtpfw_traversal_timeouts = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 20), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h323RTPFWTraversalTimeouts.setStatus('current')
h323_same_side_active_calls = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 21), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h323SameSideActiveCalls.setStatus('current')
h323_normal_active_calls = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 22), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h323NormalActiveCalls.setStatus('current')
h323_peak_same_side_active_calls = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 23), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h323PeakSameSideActiveCalls.setStatus('current')
h323_peak_normal_active_calls = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 24), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h323PeakNormalActiveCalls.setStatus('current')
h323_current_fax_sessions = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 25), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h323CurrentFaxSessions.setStatus('deprecated')
h323_peak_fax_sessions = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 26), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h323PeakFaxSessions.setStatus('deprecated')
h323_total_fax_sessions = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 18, 27), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h323TotalFaxSessions.setStatus('deprecated')
vo_ip_calls_initiating = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 1), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voIpCallsInitiating.setStatus('current')
vo_ip_local_active_calls = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 2), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voIpLocalActiveCalls.setStatus('current')
vo_ip_term_calls = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 3), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voIpTermCalls.setStatus('current')
vo_ip_peak_total_active_calls = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 4), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voIpPeakTotalActiveCalls.setStatus('current')
vo_ip_total_active_calls = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 5), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voIpTotalActiveCalls.setStatus('current')
vo_ip_calls_completed_success = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 6), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voIpCallsCompletedSuccess.setStatus('current')
vo_ip_calls_failed = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 7), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voIpCallsFailed.setStatus('current')
vo_ip_calls_abandoned = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 8), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voIpCallsAbandoned.setStatus('current')
vo_ip_calls_dropped = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 9), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voIpCallsDropped.setStatus('deprecated')
vo_ip_calls_degraded = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 10), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voIpCallsDegraded.setStatus('current')
vo_ip_auth_failures = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 11), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voIpAuthFailures.setStatus('current')
vo_ip_call_media_timeouts = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 12), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voIpCallMediaTimeouts.setStatus('current')
vo_ip_call_init_timeouts = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 13), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voIpCallInitTimeouts.setStatus('current')
vo_ip_term_timeouts = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 14), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voIpTermTimeouts.setStatus('current')
vo_ip_msg_errs = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 15), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voIpMsgErrs.setStatus('current')
vo_ip_calls_processed = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 16), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voIpCallsProcessed.setStatus('current')
vo_ip_peak_local_calls = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 17), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voIpPeakLocalCalls.setStatus('current')
vo_ip_redirect_success = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 18), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voIpRedirectSuccess.setStatus('deprecated')
vo_ip_redirect_failures = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 19), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voIpRedirectFailures.setStatus('deprecated')
vo_ip_message_routing_failures = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 20), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voIpMessageRoutingFailures.setStatus('current')
vo_ip_authentication_challenges = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 21), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voIpAuthenticationChallenges.setStatus('current')
vo_ip_rtpfw_traversal_timeouts = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 22), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voIpRTPFWTraversalTimeouts.setStatus('current')
vo_ip_messages_rerouted_to_mate = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 23), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voIpMessagesReroutedToMate.setStatus('deprecated')
vo_ip_same_side_active_calls = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 24), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voIpSameSideActiveCalls.setStatus('current')
vo_ip_normal_active_calls = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 25), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voIpNormalActiveCalls.setStatus('current')
vo_ip_peak_same_side_active_calls = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 26), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voIpPeakSameSideActiveCalls.setStatus('current')
vo_ip_peak_normal_active_calls = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 27), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voIpPeakNormalActiveCalls.setStatus('current')
vo_ip_current_fax_sessions = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 28), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voIpCurrentFaxSessions.setStatus('deprecated')
vo_ip_peak_fax_sessions = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 29), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voIpPeakFaxSessions.setStatus('deprecated')
vo_ip_total_fax_sessions = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 19, 30), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voIpTotalFaxSessions.setStatus('deprecated')
cust_sip_h323_stats_table = mib_table((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1))
if mibBuilder.loadTexts:
custSipH323StatsTable.setStatus('current')
cust_sip_h323_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1)).setIndexNames((0, 'Netrake-MIB', 'custSipH323Id'))
if mibBuilder.loadTexts:
custSipH323StatsEntry.setStatus('current')
cust_sip_h323_id = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipH323Id.setStatus('current')
cust_sip_h323_calls_initiating = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 2), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipH323CallsInitiating.setStatus('current')
cust_sip_h323_local_active_calls = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 3), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipH323LocalActiveCalls.setStatus('current')
cust_sip_h323_term_calls = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 4), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipH323TermCalls.setStatus('current')
cust_sip_h323_peak_total_active_calls = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 5), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipH323PeakTotalActiveCalls.setStatus('current')
cust_sip_h323_total_active_calls = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 6), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipH323TotalActiveCalls.setStatus('current')
cust_sip_h323_calls_completed_success = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 7), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipH323CallsCompletedSuccess.setStatus('current')
cust_sip_h323_calls_failed = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 8), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipH323CallsFailed.setStatus('current')
cust_sip_h323_calls_abandoned = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 9), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipH323CallsAbandoned.setStatus('current')
cust_sip_h323_calls_dropped = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 10), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipH323CallsDropped.setStatus('deprecated')
cust_sip_h323_calls_degraded = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 11), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipH323CallsDegraded.setStatus('current')
cust_sip_h323_call_media_timeouts = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 12), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipH323CallMediaTimeouts.setStatus('current')
cust_sip_h323_call_init_timeouts = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 13), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipH323CallInitTimeouts.setStatus('current')
cust_sip_h323_term_timeouts = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 14), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipH323TermTimeouts.setStatus('current')
cust_sip_h323_calls_processed = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 15), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipH323CallsProcessed.setStatus('current')
cust_sip_h323_peak_local_calls = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 16), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipH323PeakLocalCalls.setStatus('current')
cust_sip_h323_authentication_challenges = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 17), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipH323AuthenticationChallenges.setStatus('current')
cust_sip_h323_rtpfw_traversal_timeouts = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 18), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipH323RTPFWTraversalTimeouts.setStatus('current')
cust_sip_h323_same_side_active_calls = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 19), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipH323SameSideActiveCalls.setStatus('current')
cust_sip_h323_normal_active_calls = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 20), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipH323NormalActiveCalls.setStatus('current')
cust_sip_h323_peak_normal_active_calls = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 20, 1, 1, 21), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custSipH323PeakNormalActiveCalls.setStatus('current')
cust_h323_stats_table = mib_table((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1))
if mibBuilder.loadTexts:
custH323StatsTable.setStatus('current')
cust_h323_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1)).setIndexNames((0, 'Netrake-MIB', 'custH323Id'))
if mibBuilder.loadTexts:
custH323StatsEntry.setStatus('current')
cust_h323_id = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custH323Id.setStatus('current')
cust_h323_calls_initiating = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 2), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custH323CallsInitiating.setStatus('current')
cust_h323_local_active_calls = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 3), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custH323LocalActiveCalls.setStatus('current')
cust_h323_term_calls = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 4), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custH323TermCalls.setStatus('current')
cust_h323_peak_total_active_calls = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 5), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custH323PeakTotalActiveCalls.setStatus('current')
cust_h323_total_active_calls = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 6), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custH323TotalActiveCalls.setStatus('current')
cust_h323_calls_completed_success = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 7), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custH323CallsCompletedSuccess.setStatus('current')
cust_h323_calls_failed = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 8), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custH323CallsFailed.setStatus('current')
cust_h323_calls_abandoned = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 9), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custH323CallsAbandoned.setStatus('current')
cust_h323_calls_dropped = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 10), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custH323CallsDropped.setStatus('deprecated')
cust_h323_calls_degraded = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 11), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custH323CallsDegraded.setStatus('current')
cust_h323_call_media_timeouts = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 12), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custH323CallMediaTimeouts.setStatus('current')
cust_h323_call_init_timeouts = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 13), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custH323CallInitTimeouts.setStatus('current')
cust_h323_term_timeouts = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 14), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custH323TermTimeouts.setStatus('current')
cust_h323_calls_processed = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 15), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custH323CallsProcessed.setStatus('current')
cust_h323_peak_local_calls = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 16), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custH323PeakLocalCalls.setStatus('current')
cust_h323_authentication_challenges = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 17), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custH323AuthenticationChallenges.setStatus('current')
cust_h323_rtpfw_traversal_timeouts = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 18), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custH323RTPFWTraversalTimeouts.setStatus('current')
cust_h323_same_side_active_calls = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 19), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custH323SameSideActiveCalls.setStatus('current')
cust_h323_normal_active_calls = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 20), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custH323NormalActiveCalls.setStatus('current')
cust_h323_peak_normal_active_calls = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 21, 1, 1, 21), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custH323PeakNormalActiveCalls.setStatus('current')
cust_vo_ip_stats_table = mib_table((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1))
if mibBuilder.loadTexts:
custVoIpStatsTable.setStatus('current')
cust_vo_ip_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1)).setIndexNames((0, 'Netrake-MIB', 'custVoIpId'))
if mibBuilder.loadTexts:
custVoIpStatsEntry.setStatus('current')
cust_vo_ip_id = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custVoIpId.setStatus('current')
cust_vo_ip_calls_initiating = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 2), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custVoIpCallsInitiating.setStatus('current')
cust_vo_ip_local_active_calls = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 3), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custVoIpLocalActiveCalls.setStatus('current')
cust_vo_ip_term_calls = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 4), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custVoIpTermCalls.setStatus('current')
cust_vo_ip_peak_total_active_calls = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 5), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custVoIpPeakTotalActiveCalls.setStatus('current')
cust_vo_ip_total_active_calls = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 6), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custVoIpTotalActiveCalls.setStatus('current')
cust_vo_ip_calls_completed_success = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 7), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custVoIpCallsCompletedSuccess.setStatus('current')
cust_vo_ip_calls_failed = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 8), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custVoIpCallsFailed.setStatus('current')
cust_vo_ip_calls_abandoned = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 9), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custVoIpCallsAbandoned.setStatus('current')
cust_vo_ip_calls_dropped = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 10), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custVoIpCallsDropped.setStatus('deprecated')
cust_vo_ip_calls_degraded = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 11), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custVoIpCallsDegraded.setStatus('current')
cust_vo_ip_call_media_timeouts = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 12), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custVoIpCallMediaTimeouts.setStatus('current')
cust_vo_ip_call_init_timeouts = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 13), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custVoIpCallInitTimeouts.setStatus('current')
cust_vo_ip_term_timeouts = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 14), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custVoIpTermTimeouts.setStatus('current')
cust_vo_ip_calls_processed = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 15), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custVoIpCallsProcessed.setStatus('current')
cust_vo_ip_peak_local_calls = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 16), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custVoIpPeakLocalCalls.setStatus('current')
cust_vo_ip_authentication_challenges = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 17), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custVoIpAuthenticationChallenges.setStatus('current')
cust_vo_ip_rtpfw_traversal_timeouts = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 18), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custVoIpRTPFWTraversalTimeouts.setStatus('current')
cust_vo_ip_same_side_active_calls = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 19), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custVoIpSameSideActiveCalls.setStatus('current')
cust_vo_ip_normal_active_calls = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 20), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custVoIpNormalActiveCalls.setStatus('current')
cust_vo_ip_peak_normal_active_calls = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 22, 1, 1, 21), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custVoIpPeakNormalActiveCalls.setStatus('current')
media_stat_current_audio_sessions = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 23, 1), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mediaStatCurrentAudioSessions.setStatus('current')
media_stat_peak_audio_sessions = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 23, 2), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mediaStatPeakAudioSessions.setStatus('current')
media_stat_total_audio_sessions = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 23, 3), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mediaStatTotalAudioSessions.setStatus('current')
media_stat_current_video_sessions = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 23, 4), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mediaStatCurrentVideoSessions.setStatus('current')
media_stat_peak_video_sessions = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 23, 5), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mediaStatPeakVideoSessions.setStatus('current')
media_stat_total_video_sessions = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 23, 6), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mediaStatTotalVideoSessions.setStatus('current')
media_stat_current_fax_sessions = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 23, 7), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mediaStatCurrentFaxSessions.setStatus('current')
media_stat_peak_fax_sessions = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 23, 8), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mediaStatPeakFaxSessions.setStatus('current')
media_stat_total_fax_sessions = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 23, 9), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mediaStatTotalFaxSessions.setStatus('current')
media_stat_total_failures = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 23, 10), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mediaStatTotalFailures.setStatus('current')
h323_reg_stat_active_reg = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 24, 1), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h323RegStatActiveReg.setStatus('current')
h323_reg_stat_expired_reg = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 24, 2), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h323RegStatExpiredReg.setStatus('current')
h323_reg_stat_unauthorized_reg = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 24, 3), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h323RegStatUnauthorizedReg.setStatus('current')
h323_reg_stat_peak_active_reg = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 24, 4), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h323RegStatPeakActiveReg.setStatus('current')
h323_reg_stat_update_complete = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 24, 5), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h323RegStatUpdateComplete.setStatus('current')
h323_reg_stat_update_failures = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 24, 6), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h323RegStatUpdateFailures.setStatus('current')
h323_reg_stat_auth_failures = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 24, 7), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h323RegStatAuthFailures.setStatus('current')
cust_h323_reg_stats_table = mib_table((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 25, 1))
if mibBuilder.loadTexts:
custH323RegStatsTable.setStatus('current')
cust_h323_reg_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 25, 1, 1)).setIndexNames((0, 'Netrake-MIB', 'custH323RegStatId'))
if mibBuilder.loadTexts:
custH323RegStatsEntry.setStatus('current')
cust_h323_reg_stat_id = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 25, 1, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custH323RegStatId.setStatus('current')
cust_h323_reg_stat_active_reg = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 25, 1, 1, 2), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custH323RegStatActiveReg.setStatus('current')
cust_h323_reg_stat_expired_reg = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 25, 1, 1, 3), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custH323RegStatExpiredReg.setStatus('current')
cust_h323_reg_stat_unauthorized_reg = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 25, 1, 1, 4), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custH323RegStatUnauthorizedReg.setStatus('current')
cust_h323_reg_stat_peak_active_reg = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 25, 1, 1, 5), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custH323RegStatPeakActiveReg.setStatus('current')
cust_h323_reg_stat_update_complete = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 25, 1, 1, 6), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custH323RegStatUpdateComplete.setStatus('current')
cust_h323_reg_stat_update_failures = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 25, 1, 1, 7), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custH323RegStatUpdateFailures.setStatus('current')
cust_h323_reg_stat_auth_failures = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 25, 1, 1, 8), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
custH323RegStatAuthFailures.setStatus('current')
sip_common_stats_discontinuity_timer = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 26, 1), time_ticks()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipCommonStatsDiscontinuityTimer.setStatus('current')
sip_common_stats_scalars = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 26, 2))
sip_common_stats_total_message_errors = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 26, 2, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipCommonStatsTotalMessageErrors.setStatus('current')
sip_common_stats_total_message_routing_failures = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 26, 2, 2), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipCommonStatsTotalMessageRoutingFailures.setStatus('current')
sip_common_stats_total_message_transmit_failures = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 26, 2, 3), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipCommonStatsTotalMessageTransmitFailures.setStatus('current')
sip_common_stats_total_authentication_failures = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 26, 2, 4), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipCommonStatsTotalAuthenticationFailures.setStatus('current')
sip_evt_dlg_stats_discontinuity_timer = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 27, 1), time_ticks()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipEvtDlgStatsDiscontinuityTimer.setStatus('current')
sip_evt_dlg_stats_scalars = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 27, 2))
sip_evt_dlg_stats_active_dialogs = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 27, 2, 1), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipEvtDlgStatsActiveDialogs.setStatus('current')
sip_evt_dlg_stats_peak_active_dialogs = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 27, 2, 2), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipEvtDlgStatsPeakActiveDialogs.setStatus('current')
sip_evt_dlg_stats_terminated_dialogs = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 27, 2, 3), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipEvtDlgStatsTerminatedDialogs.setStatus('current')
sip_evt_dlg_stats_expired_dialogs = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 27, 2, 4), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipEvtDlgStatsExpiredDialogs.setStatus('current')
sip_evt_dlg_stats_failed_dialogs = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 27, 2, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipEvtDlgStatsFailedDialogs.setStatus('current')
sip_evt_dlg_stats_unauthorized_dialogs = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 27, 2, 6), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipEvtDlgStatsUnauthorizedDialogs.setStatus('current')
sip_evt_dlg_stats_authentication_challenges = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 27, 2, 7), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipEvtDlgStatsAuthenticationChallenges.setStatus('current')
sip_evt_dlg_cust_stats_table = mib_table((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 27, 3))
if mibBuilder.loadTexts:
sipEvtDlgCustStatsTable.setStatus('current')
sip_evt_dlg_cust_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 27, 3, 1)).setIndexNames((0, 'Netrake-MIB', 'sipEvtDlgCustStatsIndex'))
if mibBuilder.loadTexts:
sipEvtDlgCustStatsEntry.setStatus('current')
sip_evt_dlg_cust_stats_index = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 27, 3, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipEvtDlgCustStatsIndex.setStatus('current')
sip_evt_dlg_cust_stats_active_dialogs = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 27, 3, 1, 2), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipEvtDlgCustStatsActiveDialogs.setStatus('current')
sip_evt_dlg_cust_stats_peak_active_dialogs = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 27, 3, 1, 3), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipEvtDlgCustStatsPeakActiveDialogs.setStatus('current')
sip_evt_dlg_cust_stats_terminated_dialogs = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 27, 3, 1, 4), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipEvtDlgCustStatsTerminatedDialogs.setStatus('current')
sip_evt_dlg_cust_stats_expired_dialogs = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 27, 3, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipEvtDlgCustStatsExpiredDialogs.setStatus('current')
sip_evt_dlg_cust_stats_failed_dialogs = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 27, 3, 1, 6), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipEvtDlgCustStatsFailedDialogs.setStatus('current')
sip_evt_dlg_cust_stats_unauthorized_dialogs = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 27, 3, 1, 7), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipEvtDlgCustStatsUnauthorizedDialogs.setStatus('current')
sip_evt_dlg_cust_stats_authentication_challenges = mib_table_column((1, 3, 6, 1, 4, 1, 10950, 1, 1, 6, 27, 3, 1, 8), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sipEvtDlgCustStatsAuthenticationChallenges.setStatus('current')
diag_type = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 2, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('nCiteFullIntLoopback', 1), ('nCiteFullExtLoopback', 2), ('nCiteInterfaceIntLoopback', 3), ('nCiteInterfaceExtLoopback', 4), ('cardIntLoopback', 5), ('cardExtLoopback', 6), ('portIntLoopback', 7), ('portExtLoopback', 8)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
diagType.setStatus('deprecated')
diag_device_slot_num = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 2, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 14))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
diagDeviceSlotNum.setStatus('deprecated')
diag_dev_port_num = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 2, 3), integer32().subtype(subtypeSpec=value_range_constraint(1, 48))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
diagDevPortNum.setStatus('deprecated')
diag_start_cmd = mib_scalar((1, 3, 6, 1, 4, 1, 10950, 1, 1, 7, 2, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('default', 0), ('runDiag', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
diagStartCmd.setStatus('deprecated')
nr_object_i_ds = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 3))
nr_session_border_controller = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 3, 1))
nr_sbcse = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 3, 1, 1))
nr_sb_cw_ncp = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 3, 1, 1, 1))
nr_sb_cw_nte = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 3, 1, 1, 2))
nr_sbcde = mib_identifier((1, 3, 6, 1, 4, 1, 10950, 3, 1, 2))
mibBuilder.exportSymbols('Netrake-MIB', activeAlarmIndex=activeAlarmIndex, staticRouteIngressVlanTag=staticRouteIngressVlanTag, nCiteRipInterfacesPortNum=nCiteRipInterfacesPortNum, postAlarm=postAlarm, h323AuthFailures=h323AuthFailures, custSipRTPFWTraversalTimeouts=custSipRTPFWTraversalTimeouts, nCiteNTACustomerId=nCiteNTACustomerId, sipH323CallMediaTimeouts=sipH323CallMediaTimeouts, sipStatAuthenticationChallenges=sipStatAuthenticationChallenges, redundantPort2NetMask=redundantPort2NetMask, custSipStatPeakActiveCalls=custSipStatPeakActiveCalls, sipStatNormalActiveCalls=sipStatNormalActiveCalls, nextImgDwnldTimeStamp=nextImgDwnldTimeStamp, redundantFailbackThreshChangeTrap=redundantFailbackThreshChangeTrap, chasPwrSupplyOperStatus=chasPwrSupplyOperStatus, sipH323NormalActiveCalls=sipH323NormalActiveCalls, newActiveImgTrapAckSource=newActiveImgTrapAckSource, sipH323MessagesReroutedToMate=sipH323MessagesReroutedToMate, diagResultsEntry=diagResultsEntry, custH323TotalActiveCalls=custH323TotalActiveCalls, nCiteStatsConfigReset=nCiteStatsConfigReset, custH323RegStatUpdateFailures=custH323RegStatUpdateFailures, regStatPeak=regStatPeak, lrdCallerReason=lrdCallerReason, edrQLRogueStatus=edrQLRogueStatus, h323PeakFaxSessions=h323PeakFaxSessions, custSipStatCallsInitiating=custSipStatCallsInitiating, ipPortRefreshTrap=ipPortRefreshTrap, sipStatCallsCompletedSuccess=sipStatCallsCompletedSuccess, h323RegStatUpdateComplete=h323RegStatUpdateComplete, authConfigLocalOverride=authConfigLocalOverride, chasBrdSlotNum=chasBrdSlotNum, custVoIpLocalActiveCalls=custVoIpLocalActiveCalls, licenseFileName=licenseFileName, serviceStatsSlotId=serviceStatsSlotId, nrSBCwNcp=nrSBCwNcp, octetsXmit256to511=octetsXmit256to511, arpVerifTimerChangeTrapAck=arpVerifTimerChangeTrapAck, sipStatPeakLocalCalls=sipStatPeakLocalCalls, redundantAutoFailbackFlagChangeTrapAckSource=redundantAutoFailbackFlagChangeTrapAckSource, nCiteOutSyncFlag=nCiteOutSyncFlag, custH323AuthenticationChallenges=custH323AuthenticationChallenges, nCiteRipPortSlotNum=nCiteRipPortSlotNum, chasSerNum=chasSerNum, custSipStatsEntry=custSipStatsEntry, custSipStatLocalActiveCalls=custSipStatLocalActiveCalls, custH323RegStatUnauthorizedReg=custH323RegStatUnauthorizedReg, arpTrapOper=arpTrapOper, gigEStats=gigEStats, ipPortAutoNegTable=ipPortAutoNegTable, licenseInstallDate=licenseInstallDate, commitImgName=commitImgName, custSipStatCallInitTimeouts=custSipStatCallInitTimeouts, redundantRedirectorFlag=redundantRedirectorFlag, chasBrdEntry=chasBrdEntry, octetsRcvd512to1023=octetsRcvd512to1023, activeAlarmSlotNum=activeAlarmSlotNum, sipH323CallsAbandoned=sipH323CallsAbandoned, internet=internet, regStatAuthFailures=regStatAuthFailures, newCommittedImgTrapAck=newCommittedImgTrapAck, regStatNumActive=regStatNumActive, custSipStatCallsProcessed=custSipStatCallsProcessed, histEvent=histEvent, licenseFeatureName=licenseFeatureName, custH323PeakLocalCalls=custH323PeakLocalCalls, custVoIpPeakTotalActiveCalls=custVoIpPeakTotalActiveCalls, erdQL2DestMediaAnchorIpPort=erdQL2DestMediaAnchorIpPort, h323TotalActiveCalls=h323TotalActiveCalls, custVoIpNormalActiveCalls=custVoIpNormalActiveCalls, edrQLPerformGarbageCollection=edrQLPerformGarbageCollection, diagCompleteTrapAck=diagCompleteTrapAck, mediaStatCurrentVideoSessions=mediaStatCurrentVideoSessions, sipH323TermCalls=sipH323TermCalls, activeImgDwnldTimeStamp=activeImgDwnldTimeStamp, chasFanDescription=chasFanDescription, diagRsltDevicePortNum=diagRsltDevicePortNum, ipPortConfigEntry=ipPortConfigEntry, sipStatPeakTotalActiveCalls=sipStatPeakTotalActiveCalls, sipH323TermTimeouts=sipH323TermTimeouts, globalCounters=globalCounters, voIpCallsDropped=voIpCallsDropped, h323RegStatUpdateFailures=h323RegStatUpdateFailures, policyCountersEntry=policyCountersEntry, commitImgBuildStartTimeStamp=commitImgBuildStartTimeStamp, newNextTrapAck=newNextTrapAck, chasBrdStateChangeTrapAckSource=chasBrdStateChangeTrapAckSource, sipH323RTPFWTraversalTimeouts=sipH323RTPFWTraversalTimeouts, custSipPeakTotalActive=custSipPeakTotalActive, sipEvtDlgStatsPeakActiveDialogs=sipEvtDlgStatsPeakActiveDialogs, lrdCurrentCallCount=lrdCurrentCallCount, chassis=chassis, h323PeakTotalActiveCalls=h323PeakTotalActiveCalls, voIpPeakNormalActiveCalls=voIpPeakNormalActiveCalls, redundantConfigChangeTrapAck=redundantConfigChangeTrapAck, chasFanOperStatus=chasFanOperStatus, sipStatCallInitTimeouts=sipStatCallInitTimeouts, mediaStatPeakAudioSessions=mediaStatPeakAudioSessions, systemTrapNoAck=systemTrapNoAck, regStatNumInitiating=regStatNumInitiating, custH323StatsTable=custH323StatsTable, arpRefreshTrapAckSource=arpRefreshTrapAckSource, authConfigRadiusServerPriority=authConfigRadiusServerPriority, octetsXmit512to1023=octetsXmit512to1023, lrdPeakCallCount=lrdPeakCallCount, staticRouteNetMask=staticRouteNetMask, rcvdFrames64Octets=rcvdFrames64Octets, edrQLFrom=edrQLFrom, staticRouteEgressVlan=staticRouteEgressVlan, sipH323AuthFailures=sipH323AuthFailures, h323CallsInitiating=h323CallsInitiating, mediaStatCurrentAudioSessions=mediaStatCurrentAudioSessions, sipEvtDlgCustStatsExpiredDialogs=sipEvtDlgCustStatsExpiredDialogs, policyStatsReset=policyStatsReset, diagDevPortNum=diagDevPortNum, activeAlarmTable=activeAlarmTable, ipPortRefreshTrapAckSource=ipPortRefreshTrapAckSource, chasPwr=chasPwr, diagRsltDesc=diagRsltDesc, mediaStatPeakFaxSessions=mediaStatPeakFaxSessions, custSipStatTermTimeouts=custSipStatTermTimeouts, redundantPort2IpAddr=redundantPort2IpAddr, sipStatTermTimeouts=sipStatTermTimeouts, h323CallInitTimeouts=h323CallInitTimeouts, custRegAuthenticationChallenges=custRegAuthenticationChallenges, redundantRedirectorFlagChangeTrapAck=redundantRedirectorFlagChangeTrapAck, mediaStatTotalFaxSessions=mediaStatTotalFaxSessions, chasBrdSerialNum=chasBrdSerialNum, diagStartedTrapAckSource=diagStartedTrapAckSource, h323TermTimeouts=h323TermTimeouts, policyIndex=policyIndex, custVoIpCallsCompletedSuccess=custVoIpCallsCompletedSuccess, resourceUsageEntry=resourceUsageEntry, activeAlarmAdditionalInfo=activeAlarmAdditionalInfo, ipPortPlaceHolder=ipPortPlaceHolder, numPacketsDiscardCPA=numPacketsDiscardCPA, ipPortAutoNegEntry=ipPortAutoNegEntry, nCiteSystem=nCiteSystem, voIpPeakSameSideActiveCalls=voIpPeakSameSideActiveCalls, nCiteRipPortConfigTable=nCiteRipPortConfigTable, chasFanTrapAckSource=chasFanTrapAckSource, custSipH323CallsDegraded=custSipH323CallsDegraded, custVoIpPeakLocalCalls=custVoIpPeakLocalCalls, chasBrdSlotLabel=chasBrdSlotLabel, linkUpTrapAck=linkUpTrapAck, newActiveImgTrap=newActiveImgTrap, nCiteArpConfig=nCiteArpConfig, custVoIpTermCalls=custVoIpTermCalls, staticRoutesEntry=staticRoutesEntry, nCiteNTAReset=nCiteNTAReset, custH323CallsDegraded=custH323CallsDegraded, newNextTrap=newNextTrap, voIpRedirectSuccess=voIpRedirectSuccess, edrPerformGarbageCollection=edrPerformGarbageCollection, custSipH323CallMediaTimeouts=custSipH323CallMediaTimeouts, arpOperTimerChangeTrapAck=arpOperTimerChangeTrapAck, sipH323CallsDropped=sipH323CallsDropped, products=products, chasFanTable=chasFanTable, custSipStatId=custSipStatId, commitImgDwnldTimeStamp=commitImgDwnldTimeStamp, voIpNormalActiveCalls=voIpNormalActiveCalls, h323NormalActiveCalls=h323NormalActiveCalls, sipH323Stats=sipH323Stats, voIpStats=voIpStats, sipStatPeakFaxSessions=sipStatPeakFaxSessions, chasBrdMaxPorts=chasBrdMaxPorts, multicastFramesRcvdOk=multicastFramesRcvdOk, arpRefreshNeeded=arpRefreshNeeded, diagCompleteTrapAckSource=diagCompleteTrapAckSource, voIpPeakLocalCalls=voIpPeakLocalCalls, diagStartedTrap=diagStartedTrap, authConfigRadiusServerIp=authConfigRadiusServerIp, redundantPort1IpAddr=redundantPort1IpAddr, activeAlarmPortNum=activeAlarmPortNum, redundNumRedundLinkFailures=redundNumRedundLinkFailures, linkDownTrapAckSource=linkDownTrapAckSource, custSipH323TermCalls=custSipH323TermCalls, sipEvtDlgCustStatsIndex=sipEvtDlgCustStatsIndex, licenseExpirationDate=licenseExpirationDate, nCiteSDRSentTrapAck=nCiteSDRSentTrapAck, custSipH323StatsEntry=custSipH323StatsEntry, sipStats=sipStats, redundantAutoFailbackFlag=redundantAutoFailbackFlag, sipEvtDlgStatsScalars=sipEvtDlgStatsScalars, totalPacketsXmit=totalPacketsXmit, sipH323TotalActiveCalls=sipH323TotalActiveCalls, systemRestoreFlag=systemRestoreFlag, h323LocalActiveCalls=h323LocalActiveCalls, chasBrdType=chasBrdType, h323RegStatActiveReg=h323RegStatActiveReg, custNtsStatsTable=custNtsStatsTable, custVoIpCallsDegraded=custVoIpCallsDegraded, custRegStatDropped=custRegStatDropped, nCiteNTATable=nCiteNTATable, edrQLTimestamp=edrQLTimestamp, policyStats=policyStats, custH323CallsProcessed=custH323CallsProcessed, h323RTPFWTraversalTimeouts=h323RTPFWTraversalTimeouts, custH323RTPFWTraversalTimeouts=custH323RTPFWTraversalTimeouts, sipStatPeakSameSideActiveCalls=sipStatPeakSameSideActiveCalls, activeAlarmSubType=activeAlarmSubType, nCiteSessionDetailRecord=nCiteSessionDetailRecord, staticRouteRowStatus=staticRouteRowStatus, staticRoutesRefreshNeeded=staticRoutesRefreshNeeded, lrdTo=lrdTo, voIpCallsProcessed=voIpCallsProcessed, chasPwrSupplyTable=chasPwrSupplyTable, vlanStatsSlotNum=vlanStatsSlotNum, staticRoutesRefreshTrap=staticRoutesRefreshTrap, nextImgBuildStartTimeStamp=nextImgBuildStartTimeStamp, voIpAuthenticationChallenges=voIpAuthenticationChallenges, activeAlarmAcknowledgeSource=activeAlarmAcknowledgeSource, sipStatRedirectSuccess=sipStatRedirectSuccess, staticRouteChangeTrapAck=staticRouteChangeTrapAck, ipPortRowStatus=ipPortRowStatus, ntsStatNumCust=ntsStatNumCust, nextImgName=nextImgName, chasBrdDescription=chasBrdDescription, bestEffortDiscardPackets=bestEffortDiscardPackets, newActiveImgTrapAck=newActiveImgTrapAck, sipStatCallsFailed=sipStatCallsFailed, buildStartedTrapAckSource=buildStartedTrapAckSource, ipPortAutoNegChangeTrapAck=ipPortAutoNegChangeTrapAck, postEvent=postEvent, ipPortConfigChangeTrapAckSource=ipPortConfigChangeTrapAckSource, mediaStatPeakVideoSessions=mediaStatPeakVideoSessions, custSipH323PeakTotalActiveCalls=custSipH323PeakTotalActiveCalls, custVoIpSameSideActiveCalls=custVoIpSameSideActiveCalls, ipPortConfigChangeTrapAck=ipPortConfigChangeTrapAck, redundantFailbackThreshChangeTrapAckSource=redundantFailbackThreshChangeTrapAckSource, edrCurrentCallCount=edrCurrentCallCount, nrObjectIDs=nrObjectIDs, custH323RegStats=custH323RegStats, sipEvtDlgCustStatsUnauthorizedDialogs=sipEvtDlgCustStatsUnauthorizedDialogs, custSipH323SameSideActiveCalls=custSipH323SameSideActiveCalls, multicastFramesXmitOk=multicastFramesXmitOk, lrdCalleeSourceIPPort2=lrdCalleeSourceIPPort2, diagRsltAcknowledge=diagRsltAcknowledge, netrake=netrake, arpVerifTimerChangeTrapAckSource=arpVerifTimerChangeTrapAckSource, licenseInfo=licenseInfo, totalPacketsXmitCPA=totalPacketsXmitCPA, sipH323PeakNormalActiveCalls=sipH323PeakNormalActiveCalls, ipPortAutoNegChangeTrap=ipPortAutoNegChangeTrap, vlanStatsPortNum=vlanStatsPortNum, PYSNMP_MODULE_ID=netrake, activeAlarmId=activeAlarmId, dod=dod, ipPortConfigPortNum=ipPortConfigPortNum, sipStatTermCalls=sipStatTermCalls, chasBrdStateChangeTrapAck=chasBrdStateChangeTrapAck, diagResultsTable=diagResultsTable, licenseEntry=licenseEntry)
mibBuilder.exportSymbols('Netrake-MIB', custH323CallMediaTimeouts=custH323CallMediaTimeouts, octetsRcvd1519toMax=octetsRcvd1519toMax, chasPwrSupplyIndex=chasPwrSupplyIndex, chasFanTrapAck=chasFanTrapAck, custVoIpStatsEntry=custVoIpStatsEntry, sipEvtDlgStatsFailedDialogs=sipEvtDlgStatsFailedDialogs, diagStartCmd=diagStartCmd, linkDownTrapAck=linkDownTrapAck, chasPOSTMode=chasPOSTMode, nrtTotalPackets=nrtTotalPackets, nextImgState=nextImgState, custH323RegStatPeakActiveReg=custH323RegStatPeakActiveReg, nrSessionBorderController=nrSessionBorderController, custSipPeakLocalCalls=custSipPeakLocalCalls, diagRsltID=diagRsltID, totalPacketsDiscard=totalPacketsDiscard, buildCompleteTrapAckSource=buildCompleteTrapAckSource, broadcastFramesXmitOk=broadcastFramesXmitOk, lrdCalleeDestIPPort=lrdCalleeDestIPPort, diagRsltStartTimeStamp=diagRsltStartTimeStamp, edrQLCallId=edrQLCallId, custVoIpTermTimeouts=custVoIpTermTimeouts, nCite=nCite, nrSBCDE=nrSBCDE, edrGarbageCollectionState=edrGarbageCollectionState, regStatUpdateFailed=regStatUpdateFailed, activeAlarmAcknowledge=activeAlarmAcknowledge, sipStatTotalFaxSessions=sipStatTotalFaxSessions, custVoIpAuthenticationChallenges=custVoIpAuthenticationChallenges, erdQL2DestMediaIpPort=erdQL2DestMediaIpPort, custVoIpCallsFailed=custVoIpCallsFailed, ipPortVrdTag=ipPortVrdTag, custRegStatInitSipTimeouts=custRegStatInitSipTimeouts, enterprises=enterprises, vlanStatsReset=vlanStatsReset, policyProvisioning=policyProvisioning, arpMacAddr=arpMacAddr, edrLastDetection=edrLastDetection, totalPacketsXmitCPB=totalPacketsXmitCPB, nrSBCwNte=nrSBCwNte, vlanTotalPacketsRcvd=vlanTotalPacketsRcvd, redundPairedModeTimeTicks=redundPairedModeTimeTicks, sipCommonStatsTotalMessageRoutingFailures=sipCommonStatsTotalMessageRoutingFailures, sipStatMessageRoutingFailures=sipStatMessageRoutingFailures, private=private, sipStatAuthFailures=sipStatAuthFailures, licenseFeatureDisplayName=licenseFeatureDisplayName, regStatTerminating=regStatTerminating, custH323NormalActiveCalls=custH323NormalActiveCalls, lrdCallerState=lrdCallerState, chasLedStatus=chasLedStatus, sipH323LocalActiveCalls=sipH323LocalActiveCalls, h323MsgErrs=h323MsgErrs, sipStatPeakNonLocalCalls=sipStatPeakNonLocalCalls, voIpMessagesReroutedToMate=voIpMessagesReroutedToMate, activeAlarmEntry=activeAlarmEntry, systemOperState=systemOperState, memUsed=memUsed, activeAlarmSysUpTime=activeAlarmSysUpTime, voIpCallsDegraded=voIpCallsDegraded, sipStatPeakActiveCalls=sipStatPeakActiveCalls, h323CurrentFaxSessions=h323CurrentFaxSessions, edrQLDestMediaAnchorIpPort=edrQLDestMediaAnchorIpPort, activeAlarmDisplayString=activeAlarmDisplayString, coldStartTrap=coldStartTrap, sipCommonStatsTotalMessageTransmitFailures=sipCommonStatsTotalMessageTransmitFailures, systemAdminState=systemAdminState, arpOperTimerRetryCount=arpOperTimerRetryCount, buildCompleteTrap=buildCompleteTrap, sipH323MsgErrs=sipH323MsgErrs, sipEvtDlgStatsAuthenticationChallenges=sipEvtDlgStatsAuthenticationChallenges, ipPortConfigAdminState=ipPortConfigAdminState, gigEStatsPortIndex=gigEStatsPortIndex, h323AuthenticationChallenges=h323AuthenticationChallenges, licenseFileChangeTrapAck=licenseFileChangeTrapAck, gigEStatsSlotNum=gigEStatsSlotNum, nCiteSDRSentTrap=nCiteSDRSentTrap, sipStatSameSideActiveCalls=sipStatSameSideActiveCalls, custSipH323StatsTable=custSipH323StatsTable, sipEvtDlgCustStatsTerminatedDialogs=sipEvtDlgCustStatsTerminatedDialogs, regStatAuthenticationChallenges=regStatAuthenticationChallenges, serviceStatsEntry=serviceStatsEntry, erdQLUniqueId=erdQLUniqueId, sipH323PeakLocalCalls=sipH323PeakLocalCalls, voIpTotalActiveCalls=voIpTotalActiveCalls, lrdCalleeReason=lrdCalleeReason, h323Stats=h323Stats, sipH323CallsCompletedSuccess=sipH323CallsCompletedSuccess, custH323CallsAbandoned=custH323CallsAbandoned, custVoIpCallsInitiating=custVoIpCallsInitiating, staticRouteChangeTrapAckSource=staticRouteChangeTrapAckSource, custH323CallsCompletedSuccess=custH323CallsCompletedSuccess, redundancyStats=redundancyStats, newCommittedImgTrap=newCommittedImgTrap, serviceStatsTable=serviceStatsTable, vlanStatsVlanLabel=vlanStatsVlanLabel, voIpTermTimeouts=voIpTermTimeouts, chasPwrTrapAck=chasPwrTrapAck, h323RegStatExpiredReg=h323RegStatExpiredReg, diagCompleteTrap=diagCompleteTrap, nrSBCSE=nrSBCSE, ipPortConfigNetMask=ipPortConfigNetMask, chasType=chasType, chasBrdStatusLeds=chasBrdStatusLeds, custNtsAuthorizationFailed=custNtsAuthorizationFailed, h323CallsProcessed=h323CallsProcessed, staticRouteRefreshTrapAck=staticRouteRefreshTrapAck, custSipH323CallsInitiating=custSipH323CallsInitiating, custSipH323PeakNormalActiveCalls=custSipH323PeakNormalActiveCalls, octetsXmitCount=octetsXmitCount, custSipH323RTPFWTraversalTimeouts=custSipH323RTPFWTraversalTimeouts, staticRouteType=staticRouteType, custH323SameSideActiveCalls=custH323SameSideActiveCalls, authConfigRadiusRetryInterval=authConfigRadiusRetryInterval, nCiteAuthConfig=nCiteAuthConfig, redundantConfigChangeTrapAckSource=redundantConfigChangeTrapAckSource, nCIteSDRLastSent=nCIteSDRLastSent, custSipNormalActiveCalls=custSipNormalActiveCalls, custH323StatsEntry=custH323StatsEntry, custSipStatCallsAbandoned=custSipStatCallsAbandoned, arpUpdateMacTrapAck=arpUpdateMacTrapAck, custH323TermTimeouts=custH323TermTimeouts, custVoIpCallMediaTimeouts=custVoIpCallMediaTimeouts, lrdCallerSourceIPPort2=lrdCallerSourceIPPort2, edrGarbageCollectionComplete=edrGarbageCollectionComplete, custRegStatNumInitiated=custRegStatNumInitiated, redundantAdminState=redundantAdminState, policyTotalPackets=policyTotalPackets, edrQLTo=edrQLTo, h323CallsCompletedSuccess=h323CallsCompletedSuccess, edrNextTrafficCheck=edrNextTrafficCheck, edrGarbageCollectionCompleteTrapAckSource=edrGarbageCollectionCompleteTrapAckSource, ipPortRefreshTrapAck=ipPortRefreshTrapAck, voIpPeakFaxSessions=voIpPeakFaxSessions, sipStatMsgErrs=sipStatMsgErrs, ipPortConfig=ipPortConfig, nCiteNTA=nCiteNTA, sipH323CallsFailed=sipH323CallsFailed, custSipH323AuthenticationChallenges=custSipH323AuthenticationChallenges, custH323RegStatId=custH323RegStatId, systemTrapAckEntry=systemTrapAckEntry, trapAckEnable=trapAckEnable, custRegStatTerminating=custRegStatTerminating, custRegStatPeak=custRegStatPeak, buildStartedTrapAck=buildStartedTrapAck, voIpRTPFWTraversalTimeouts=voIpRTPFWTraversalTimeouts, voIpCallsFailed=voIpCallsFailed, sipH323CallsProcessed=sipH323CallsProcessed, switchNotifications=switchNotifications, h323CallsFailed=h323CallsFailed, lrdCalleeSourceIPPort1=lrdCalleeSourceIPPort1, custH323CallsFailed=custH323CallsFailed, licenseIndex=licenseIndex, custRegStatUnauthorizedReg=custRegStatUnauthorizedReg, custH323PeakNormalActiveCalls=custH323PeakNormalActiveCalls, xmitFrames64Octets=xmitFrames64Octets, sipEvtDlgCustStatsAuthenticationChallenges=sipEvtDlgCustStatsAuthenticationChallenges, nCiteRedundant=nCiteRedundant, activeImgBuildStartTimeStamp=activeImgBuildStartTimeStamp, sipH323CallInitTimeouts=sipH323CallInitTimeouts, sipStatCallsProcessed=sipStatCallsProcessed, custH323TermCalls=custH323TermCalls, custVoIpRTPFWTraversalTimeouts=custVoIpRTPFWTraversalTimeouts, ipPortAutoNegPortNum=ipPortAutoNegPortNum, nCiteNTAStatus=nCiteNTAStatus, h323MessageRoutingFailures=h323MessageRoutingFailures, custSipH323LocalActiveCalls=custSipH323LocalActiveCalls, chasBrdPwr=chasBrdPwr, nCiteStaticRoutes=nCiteStaticRoutes, lrdEntry=lrdEntry, broadcastFramesRcvdOk=broadcastFramesRcvdOk, nCiteRipInterfacesEntry=nCiteRipInterfacesEntry, cpuUsage=cpuUsage, custSipH323Stats=custSipH323Stats, chasBrdState=chasBrdState, unicastFramesXmitOk=unicastFramesXmitOk, underSizeFramesRcvd=underSizeFramesRcvd, custSipStats=custSipStats, sipStatMessagesReroutedToMate=sipStatMessagesReroutedToMate, custRegStatsTable=custRegStatsTable, jabbersRcvd=jabbersRcvd, custVoIpPeakNormalActiveCalls=custVoIpPeakNormalActiveCalls, sipEvtDlgStatsDiscontinuityTimer=sipEvtDlgStatsDiscontinuityTimer, systemOperStateChangeTrap=systemOperStateChangeTrap, authConfigRadiusServerPort=authConfigRadiusServerPort, commitImgActivatedTimeStamp=commitImgActivatedTimeStamp, ipPortAutoNegSlotNum=ipPortAutoNegSlotNum, sipEvtDlgStatsExpiredDialogs=sipEvtDlgStatsExpiredDialogs, activeAlarmCategory=activeAlarmCategory, framesRcvdCount=framesRcvdCount, custVoIpTotalActiveCalls=custVoIpTotalActiveCalls, newNextTrapAckSource=newNextTrapAckSource, octetsXmit128to255=octetsXmit128to255, memTotal=memTotal, custVoIpCallsDropped=custVoIpCallsDropped, gigEStatsTable=gigEStatsTable, custRegStatId=custRegStatId, activeAlarmDevType=activeAlarmDevType, chasFanTrap=chasFanTrap, sipStatNonLocalActiveCalls=sipStatNonLocalActiveCalls, serviceStats=serviceStats, sipStatPeakNormalActiveCalls=sipStatPeakNormalActiveCalls, framesRcvdOkCount=framesRcvdOkCount, staticRouteNextHop=staticRouteNextHop, voIpRedirectFailures=voIpRedirectFailures, mediaStatTotalFailures=mediaStatTotalFailures, h323RegStatAuthFailures=h323RegStatAuthFailures, sipStatCallsAbandoned=sipStatCallsAbandoned, activeAlarmSeverity=activeAlarmSeverity, voIpPeakTotalActiveCalls=voIpPeakTotalActiveCalls, voIpCallsCompletedSuccess=voIpCallsCompletedSuccess, numPacketsDiscardCPB=numPacketsDiscardCPB, octetsXmit1024to1518=octetsXmit1024to1518, ntsStatCustConnected=ntsStatCustConnected, lrdTable=lrdTable, custSipStatCallsDropped=custSipStatCallsDropped, sipH323RedirectSuccess=sipH323RedirectSuccess, regStatInitSipTimeouts=regStatInitSipTimeouts, licenseTable=licenseTable, activeAlarmType=activeAlarmType, custNtsStatsEntry=custNtsStatsEntry, chasPwrSupplyDesc=chasPwrSupplyDesc, sipEvtDlgStatsTerminatedDialogs=sipEvtDlgStatsTerminatedDialogs, authConfigRadiusRetryCount=authConfigRadiusRetryCount, newCommittedImgTrapAckSource=newCommittedImgTrapAckSource, ipPortConfigTable=ipPortConfigTable, custRegStats=custRegStats, voIpAuthFailures=voIpAuthFailures, redundantRedirectorFlagChangeTrap=redundantRedirectorFlagChangeTrap, ipPortAutoNegFlag=ipPortAutoNegFlag, lrdCallerSourceIPPort1=lrdCallerSourceIPPort1, lrdFrom=lrdFrom, vlanStatsTable=vlanStatsTable, arpUpdateMacTrapAckSource=arpUpdateMacTrapAckSource, sipH323CurrentFaxSessions=sipH323CurrentFaxSessions, custSipH323PeakLocalCalls=custSipH323PeakLocalCalls, runDiagGroup=runDiagGroup, octetsXmit65to127=octetsXmit65to127, custH323RegStatsTable=custH323RegStatsTable, nCiteRipInterfacesIPAddr=nCiteRipInterfacesIPAddr, voIpTermCalls=voIpTermCalls, arpOperTimerChangeTrap=arpOperTimerChangeTrap, ipPortVlanTag=ipPortVlanTag, edrQuarantineListTable=edrQuarantineListTable, arpNextHopIP=arpNextHopIP, redundantFailbackThreshChangeTrapAck=redundantFailbackThreshChangeTrapAck, custSipSameSideActiveCalls=custSipSameSideActiveCalls, octetsXmit1519toMax=octetsXmit1519toMax, custSipH323CallsAbandoned=custSipH323CallsAbandoned, staticRouteVrdTag=staticRouteVrdTag, diagRsltIndex=diagRsltIndex, h323RegStatUnauthorizedReg=h323RegStatUnauthorizedReg, nCiteRipPortNum=nCiteRipPortNum, serviceStatsPortIndex=serviceStatsPortIndex)
mibBuilder.exportSymbols('Netrake-MIB', custSipH323CallsCompletedSuccess=custSipH323CallsCompletedSuccess, redundantAutoFailbackFlagChangeTrapAck=redundantAutoFailbackFlagChangeTrapAck, buildStartedTrap=buildStartedTrap, vlanTotalPacketsXmit=vlanTotalPacketsXmit, custSipH323TotalActiveCalls=custSipH323TotalActiveCalls, custVoIpCallInitTimeouts=custVoIpCallInitTimeouts, activeAlarmOccurances=activeAlarmOccurances, processorIndex=processorIndex, arpRefreshTrapAck=arpRefreshTrapAck, voIpTotalFaxSessions=voIpTotalFaxSessions, custVoIpStatsTable=custVoIpStatsTable, voIpMsgErrs=voIpMsgErrs, regStatUpdateSuccess=regStatUpdateSuccess, nCiteSDREnable=nCiteSDREnable, erdQL2SrcMediaIpPort=erdQL2SrcMediaIpPort, staticRouteDest=staticRouteDest, regStatUnauthReg=regStatUnauthReg, activeImgPidSideBFilename=activeImgPidSideBFilename, h323TotalFaxSessions=h323TotalFaxSessions, custH323Id=custH323Id, systemSoftwareVersion=systemSoftwareVersion, regStatDropped=regStatDropped, arpVerifTimerRetryCount=arpVerifTimerRetryCount, sipStatTotalActiveCalls=sipStatTotalActiveCalls, custRegStatsEntry=custRegStatsEntry, sipH323TotalFaxSessions=sipH323TotalFaxSessions, custH323RegStatsEntry=custH323RegStatsEntry, edrQLRequestURI=edrQLRequestURI, sipStatRedirectFailures=sipStatRedirectFailures, diagRsltDeviceSlotNum=diagRsltDeviceSlotNum, org=org, h323RegStatPeakActiveReg=h323RegStatPeakActiveReg, h323CallsDegraded=h323CallsDegraded, custH323Stats=custH323Stats, policyTotalPacketsB=policyTotalPacketsB, custSipH323CallsDropped=custSipH323CallsDropped, sipEvtDlgStatsUnauthorizedDialogs=sipEvtDlgStatsUnauthorizedDialogs, octetsRcvd1024to1518=octetsRcvd1024to1518, custVoIpStats=custVoIpStats, redundantConfigChangeTrap=redundantConfigChangeTrap, nCiteRogue=nCiteRogue, lrdCalleeState=lrdCalleeState, sipEvtDlgStats=sipEvtDlgStats, ipPortConfigChangeTrap=ipPortConfigChangeTrap, edrLastGarbageCollection=edrLastGarbageCollection, custVoIpCallsAbandoned=custVoIpCallsAbandoned, diagRsltType=diagRsltType, chasBrdOccSlots=chasBrdOccSlots, lrdTotalCallsRogue=lrdTotalCallsRogue, sipEvtDlgStatsActiveDialogs=sipEvtDlgStatsActiveDialogs, diagType=diagType, acitveAlarmReportingSource=acitveAlarmReportingSource, buildCompleteTrapAck=buildCompleteTrapAck, sipH323CallsInitiating=sipH323CallsInitiating, eventID=eventID, commitImgTimeStamp=commitImgTimeStamp, custSipStatCallMediaTimeouts=custSipStatCallMediaTimeouts, voIpCallInitTimeouts=voIpCallInitTimeouts, custSipAuthenticationChallenges=custSipAuthenticationChallenges, mediaStats=mediaStats, custNtsStats=custNtsStats, nCiteRipPortPrimary=nCiteRipPortPrimary, ipPortConfigIpAddr=ipPortConfigIpAddr, custSipH323CallInitTimeouts=custSipH323CallInitTimeouts, edrGarbageCollectionCompleteTrapAck=edrGarbageCollectionCompleteTrapAck, diagStartedTrapAck=diagStartedTrapAck, custH323LocalActiveCalls=custH323LocalActiveCalls, sipEvtDlgCustStatsFailedDialogs=sipEvtDlgCustStatsFailedDialogs, voIpCallsInitiating=voIpCallsInitiating, authConfigRadiusServersTable=authConfigRadiusServersTable, h323CallMediaTimeouts=h323CallMediaTimeouts, activeImgBuildCompleteTimeStamp=activeImgBuildCompleteTimeStamp, custH323CallInitTimeouts=custH323CallInitTimeouts, chasBrdReset=chasBrdReset, lostFramesMacErrCount=lostFramesMacErrCount, sipStatLocalActiveCalls=sipStatLocalActiveCalls, custSipStatNonLocalActiveCalls=custSipStatNonLocalActiveCalls, staticRouteMetric1=staticRouteMetric1, activeAlarmServiceAffecting=activeAlarmServiceAffecting, edrQuarantineListEntry=edrQuarantineListEntry, bestEffortTotalPackets=bestEffortTotalPackets, redundRecoveryModeTimeTicks=redundRecoveryModeTimeTicks, commitImgBuildCompleteTimeStamp=commitImgBuildCompleteTimeStamp, lrdCalleeMediaAnchorIPPort=lrdCalleeMediaAnchorIPPort, custSipStatTotalActiveCalls=custSipStatTotalActiveCalls, sipH323PeakFaxSessions=sipH323PeakFaxSessions, voIpLocalActiveCalls=voIpLocalActiveCalls, voIpCallMediaTimeouts=voIpCallMediaTimeouts, diagDeviceSlotNum=diagDeviceSlotNum, staticRouteOperState=staticRouteOperState, activeAlarmEventFlag=activeAlarmEventFlag, licenseValue=licenseValue, octetsRcvdCount=octetsRcvdCount, policyCountersTable=policyCountersTable, policyTotalPacketsA=policyTotalPacketsA, coldStartTrapAckSource=coldStartTrapAckSource, nrtDiscardPackets=nrtDiscardPackets, nextImgBuildCompleteTimeStamp=nextImgBuildCompleteTimeStamp, ipPortConfigSlotNum=ipPortConfigSlotNum, sipEvtDlgCustStatsEntry=sipEvtDlgCustStatsEntry, octetsRcvd256to511=octetsRcvd256to511, activeImgName=activeImgName, systemTrapAckTable=systemTrapAckTable, sipStatRTPFWTraversalTimeouts=sipStatRTPFWTraversalTimeouts, regStatTermSipTimeouts=regStatTermSipTimeouts, custH323CallsDropped=custH323CallsDropped, mediaStatTotalVideoSessions=mediaStatTotalVideoSessions, lrdCallerDestIPPort=lrdCallerDestIPPort, regStatExpired=regStatExpired, regStatFailed=regStatFailed, h323SameSideActiveCalls=h323SameSideActiveCalls, redundantPort1NetMask=redundantPort1NetMask, sipCommonStats=sipCommonStats, chasFanEntry=chasFanEntry, sipStatCurrentFaxSessions=sipStatCurrentFaxSessions, h323PeakLocalCalls=h323PeakLocalCalls, redundantAutoFailbackChangeTrap=redundantAutoFailbackChangeTrap, edrQLSrcMediaIpPort=edrQLSrcMediaIpPort, chasBrdIfIndex=chasBrdIfIndex, custSipPeakNormalActiveCalls=custSipPeakNormalActiveCalls, lrdUniqueId=lrdUniqueId, chasPwrSupplyEntry=chasPwrSupplyEntry, custSipH323TermTimeouts=custSipH323TermTimeouts, custRegStatUpdateFailed=custRegStatUpdateFailed, sipEvtDlgCustStatsActiveDialogs=sipEvtDlgCustStatsActiveDialogs, activeImgPidSideAFilename=activeImgPidSideAFilename, custH323RegStatAuthFailures=custH323RegStatAuthFailures, h323PeakSameSideActiveCalls=h323PeakSameSideActiveCalls, chasPwrTrap=chasPwrTrap, custH323RegStatExpiredReg=custH323RegStatExpiredReg, sipCommonStatsScalars=sipCommonStatsScalars, sipEvtDlgCustStatsPeakActiveDialogs=sipEvtDlgCustStatsPeakActiveDialogs, chasBrd=chasBrd, redundantFailbackThresh=redundantFailbackThresh, sipH323PeakSameSideActiveCalls=sipH323PeakSameSideActiveCalls, nCiteNTAEntry=nCiteNTAEntry, arpOperTimerChangeTrapAckSource=arpOperTimerChangeTrapAckSource, nCiteStats=nCiteStats, edrTotalCallsRogue=edrTotalCallsRogue, custSipH323CallsProcessed=custSipH323CallsProcessed, sipStatCallsInitiating=sipStatCallsInitiating, custH323RegStatActiveReg=custH323RegStatActiveReg, edrQLDestMediaIpPort=edrQLDestMediaIpPort, licenseFileChangeTrapAckSource=licenseFileChangeTrapAckSource, chasGen=chasGen, lrdCalleeTimeDetect=lrdCalleeTimeDetect, nCiteRipInterfacesTable=nCiteRipInterfacesTable, nCiteSDRCollectionCycle=nCiteSDRCollectionCycle, lrdLastDetection=lrdLastDetection, custH323CallsInitiating=custH323CallsInitiating, custSipStatCallsFailed=custSipStatCallsFailed, custRegStatUpdateSuccess=custRegStatUpdateSuccess, sipCommonStatsTotalAuthenticationFailures=sipCommonStatsTotalAuthenticationFailures, activeAlarmTimeStamp=activeAlarmTimeStamp, redundantMateName=redundantMateName, staticRouteIngressProtocol=staticRouteIngressProtocol, custSipStatTermCalls=custSipStatTermCalls, edrPeakCallCount=edrPeakCallCount, sipEvtDlgCustStatsTable=sipEvtDlgCustStatsTable, ntsStats=ntsStats, ipPortConfigOperState=ipPortConfigOperState, custRegStatNumActive=custRegStatNumActive, sipH323MessageRoutingFailures=sipH323MessageRoutingFailures, activeImgActivatedTimeStamp=activeImgActivatedTimeStamp, redundActiveMateRegist=redundActiveMateRegist, custSipStatCallsDegraded=custSipStatCallsDegraded, nCiteRipInterafacesSlotNum=nCiteRipInterafacesSlotNum, voIpCurrentFaxSessions=voIpCurrentFaxSessions, coldStartTrapEnable=coldStartTrapEnable, diagnostics=diagnostics, systemOperStateChangeTrapAck=systemOperStateChangeTrapAck, activeAlarmID=activeAlarmID, diagRsltCompleteTimeStamp=diagRsltCompleteTimeStamp, staticRouteAdminState=staticRouteAdminState, coldStartTrapAck=coldStartTrapAck, gigEStatsEntry=gigEStatsEntry, realTimeTotalPackets=realTimeTotalPackets, frameSeqErrCount=frameSeqErrCount, vlanStatsEntry=vlanStatsEntry, ntsStatAuthFailures=ntsStatAuthFailures, arpRefreshTrap=arpRefreshTrap, sipCommonStatsTotalMessageErrors=sipCommonStatsTotalMessageErrors, edrGarbageCollectionStatus=edrGarbageCollectionStatus, resourceUsageTable=resourceUsageTable, systemOperStateChangeTrapAckSource=systemOperStateChangeTrapAckSource, custVoIpId=custVoIpId, lrdCallerTimeDetect=lrdCallerTimeDetect, sipStatCallsDropped=sipStatCallsDropped, custRegStatFailed=custRegStatFailed, nCiteRIPConfig=nCiteRIPConfig, redundActiveMateCalls=redundActiveMateCalls, lrdCallerMediaAnchorIPPort=lrdCallerMediaAnchorIPPort, alarm=alarm, lrdRequestURI=lrdRequestURI, custVoIpCallsProcessed=custVoIpCallsProcessed, staticRouteRefreshTrapAckSource=staticRouteRefreshTrapAckSource, nCiteRipState=nCiteRipState, sipStatCallMediaTimeouts=sipStatCallMediaTimeouts, licenseFileChangeTrap=licenseFileChangeTrap, linkUpTrapAckSource=linkUpTrapAckSource, nCiteSDRSentTrapAckSource=nCiteSDRSentTrapAckSource, nCiteStatsReset=nCiteStatsReset, arpOperTimerFreq=arpOperTimerFreq, vlanStats=vlanStats, realTimeDiscardPackets=realTimeDiscardPackets, custSipH323Id=custSipH323Id, sipH323CallsDegraded=sipH323CallsDegraded, mediaStatTotalAudioSessions=mediaStatTotalAudioSessions, custH323PeakTotalActiveCalls=custH323PeakTotalActiveCalls, lrdCallId=lrdCallId, systemSnmpMgrIpAddress=systemSnmpMgrIpAddress, sipH323AuthenticationChallenges=sipH323AuthenticationChallenges, custSipH323CallsFailed=custSipH323CallsFailed, staticRoutesTable=staticRoutesTable, authConfigRadiusServersEntry=authConfigRadiusServersEntry, registrationStats=registrationStats, arpUpdateMacTrap=arpUpdateMacTrap, chasFan=chasFan, sipStatCallsDegraded=sipStatCallsDegraded, eventAcknowledge=eventAcknowledge, unicastFramesRcvdOk=unicastFramesRcvdOk, mediaStatCurrentFaxSessions=mediaStatCurrentFaxSessions, chasFanIndex=chasFanIndex, ipPortAutoNegChangeTrapAckSource=ipPortAutoNegChangeTrapAckSource, redundantRedirectorFlagChangeTrapAckSource=redundantRedirectorFlagChangeTrapAckSource, octetRcvd128to255=octetRcvd128to255, sipH323SameSideActiveCalls=sipH323SameSideActiveCalls, linkStatusChanges=linkStatusChanges, custSipPeakNonLocalCalls=custSipPeakNonLocalCalls, sipH323RedirectFailures=sipH323RedirectFailures, chasPwrTrapAckSource=chasPwrTrapAckSource, custSipStatsTable=custSipStatsTable, h323TermCalls=h323TermCalls, h323PeakNormalActiveCalls=h323PeakNormalActiveCalls, h323RegStats=h323RegStats, ipPortRefreshOpStates=ipPortRefreshOpStates, voIpCallsAbandoned=voIpCallsAbandoned, rogueStats=rogueStats, nCiteRipPortConfigEntry=nCiteRipPortConfigEntry, voIpMessageRoutingFailures=voIpMessageRoutingFailures, arpVerifTimerChangeTrap=arpVerifTimerChangeTrap, sipH323PeakTotalActiveCalls=sipH323PeakTotalActiveCalls, custNtsStatId=custNtsStatId, h323CallsDropped=h323CallsDropped, custSipStatCallsCompletedSuccess=custSipStatCallsCompletedSuccess, sipCommonStatsDiscontinuityTimer=sipCommonStatsDiscontinuityTimer, chasBrdStateChangeTrap=chasBrdStateChangeTrap, octetsRcvdOkCount=octetsRcvdOkCount, custH323RegStatUpdateComplete=custH323RegStatUpdateComplete, custRegStatTermSipTimeouts=custRegStatTermSipTimeouts, staticRouteChange=staticRouteChange, octetsRcvd65to127=octetsRcvd65to127, h323CallsAbandoned=h323CallsAbandoned, voIpSameSideActiveCalls=voIpSameSideActiveCalls)
mibBuilder.exportSymbols('Netrake-MIB', custSipH323NormalActiveCalls=custSipH323NormalActiveCalls, custRegStatExpired=custRegStatExpired, chasBrdTable=chasBrdTable) |
numbers = [1,2,3,4,5]
numbers_again = [n for n in numbers]
even_numbers = [n for n in numbers if n%2 == 0]
odd_squares = [n**2 for n in numbers if n%2 == 1]
matrix = [[1,2,3], [4,5,6], [7,8,9]]
flattened_matrix = [n for row in x for n in row]
| numbers = [1, 2, 3, 4, 5]
numbers_again = [n for n in numbers]
even_numbers = [n for n in numbers if n % 2 == 0]
odd_squares = [n ** 2 for n in numbers if n % 2 == 1]
matrix = [[1, 2, 3], [4, 5, 6], [7, 8, 9]]
flattened_matrix = [n for row in x for n in row] |
'''
Given a m x n grid filled with non-negative numbers, find a path from top left to bottom right which minimizes the sum of all numbers along its path.
Note: You can only move either down or right at any point in time.
'''
class Solution(object):
def minPathSum(self, grid):
"""
:type grid: List[List[int]]
:rtype: int
"""
m = len(grid)
n = len(grid[0])
dp = [0 for __ in range(n)]
dp[0] = grid[0][0]
for j in range(1, n):
dp[j] = dp[j - 1] + grid[0][j]
for i in range(1, m):
dp[0] += grid[i][0]
for j in range(1, n):
dp[j] = min(dp[j], dp[j - 1]) + grid[i][j]
return dp[-1]
if __name__ == "__main__":
assert Solution().minPathSum([
[1, 2, 4],
[2, 4, 1],
[3, 2, 1]]) == 9 | """
Given a m x n grid filled with non-negative numbers, find a path from top left to bottom right which minimizes the sum of all numbers along its path.
Note: You can only move either down or right at any point in time.
"""
class Solution(object):
def min_path_sum(self, grid):
"""
:type grid: List[List[int]]
:rtype: int
"""
m = len(grid)
n = len(grid[0])
dp = [0 for __ in range(n)]
dp[0] = grid[0][0]
for j in range(1, n):
dp[j] = dp[j - 1] + grid[0][j]
for i in range(1, m):
dp[0] += grid[i][0]
for j in range(1, n):
dp[j] = min(dp[j], dp[j - 1]) + grid[i][j]
return dp[-1]
if __name__ == '__main__':
assert solution().minPathSum([[1, 2, 4], [2, 4, 1], [3, 2, 1]]) == 9 |
# -*- coding: utf-8 -*-
class BaseProcessor(object):
def __init__(self, exporter, generator_info):
super(BaseProcessor, self).__init__()
self.exporter = exporter
self.generator_info = generator_info
def run(self):
pass
| class Baseprocessor(object):
def __init__(self, exporter, generator_info):
super(BaseProcessor, self).__init__()
self.exporter = exporter
self.generator_info = generator_info
def run(self):
pass |
n = int(input())
dic = {}
for i in range(n):
c = input()
if c == "Q":
n = input()
if n in dic.keys():
print(dic[n])
else:
print("NONE")
elif c == "A":
n, p = input().split(" ")
dic[n] = p
| n = int(input())
dic = {}
for i in range(n):
c = input()
if c == 'Q':
n = input()
if n in dic.keys():
print(dic[n])
else:
print('NONE')
elif c == 'A':
(n, p) = input().split(' ')
dic[n] = p |
class Solution:
def nextBeautifulNumber(self, n: int) -> int:
def isBalance(num: int) -> bool:
count = [0] * 10
while num:
if num % 10 == 0:
return False
count[num % 10] += 1
num //= 10
return all(c == i for i, c in enumerate(count) if c)
n += 1
while not isBalance(n):
n += 1
return n
| class Solution:
def next_beautiful_number(self, n: int) -> int:
def is_balance(num: int) -> bool:
count = [0] * 10
while num:
if num % 10 == 0:
return False
count[num % 10] += 1
num //= 10
return all((c == i for (i, c) in enumerate(count) if c))
n += 1
while not is_balance(n):
n += 1
return n |
#!/usr/bin/env python
# -*- coding: utf-8 -*-
# vim :set ft=py:
# blosc args
DEFAULT_TYPESIZE = 8
DEFAULT_CLEVEL = 7
DEFAULT_SHUFFLE = True
DEFAULT_CNAME = 'blosclz'
# bloscpack args
DEFAULT_OFFSETS = True
DEFAULT_CHECKSUM = 'adler32'
DEFAULT_MAX_APP_CHUNKS = lambda x: 10 * x
DEFAULT_CHUNK_SIZE = '1M'
# metadata args
DEFAULT_MAGIC_FORMAT = b'JSON'
DEFAULT_META_CHECKSUM = 'adler32'
DEFAULT_META_CODEC = 'zlib'
DEFAULT_META_LEVEL = 6
DEFAULT_MAX_META_SIZE = lambda x: 10 * x
| default_typesize = 8
default_clevel = 7
default_shuffle = True
default_cname = 'blosclz'
default_offsets = True
default_checksum = 'adler32'
default_max_app_chunks = lambda x: 10 * x
default_chunk_size = '1M'
default_magic_format = b'JSON'
default_meta_checksum = 'adler32'
default_meta_codec = 'zlib'
default_meta_level = 6
default_max_meta_size = lambda x: 10 * x |
class Heroes:
ana = 1
bastion = 2
dva = 3
genji = 4
hanzo = 5
junkrat = 6
lucio = 7
mccree = 8
mei = 9
mercy = 10
pharah = 11
reaper = 12
reinhardt = 13
roadhog = 14
soldier76 = 15
symmetra = 16
torbjorn = 17
tracer = 18
widowmaker = 19
winston = 20
zarya = 21
zenyatta = 22
sombra = 23
orisa = 24
class Maps:
dorado = 1
eichenwalde = 2
estudio_de_ras = 3
rio = 3
hanamura = 4
hollywood = 5
ilios = 6
kings_row = 7
lijiang_tower = 8
route_66 = 9
numbani = 10
nepal = 11
temple_of_anubis = 12
volskaya_industries = 13
russia = 13
watchpoint_gibraltar = 14
wp_gibraltar = 14
ecopoint_antarctica = 15
antarctica = 15
| class Heroes:
ana = 1
bastion = 2
dva = 3
genji = 4
hanzo = 5
junkrat = 6
lucio = 7
mccree = 8
mei = 9
mercy = 10
pharah = 11
reaper = 12
reinhardt = 13
roadhog = 14
soldier76 = 15
symmetra = 16
torbjorn = 17
tracer = 18
widowmaker = 19
winston = 20
zarya = 21
zenyatta = 22
sombra = 23
orisa = 24
class Maps:
dorado = 1
eichenwalde = 2
estudio_de_ras = 3
rio = 3
hanamura = 4
hollywood = 5
ilios = 6
kings_row = 7
lijiang_tower = 8
route_66 = 9
numbani = 10
nepal = 11
temple_of_anubis = 12
volskaya_industries = 13
russia = 13
watchpoint_gibraltar = 14
wp_gibraltar = 14
ecopoint_antarctica = 15
antarctica = 15 |
#-------------------#
# Measures
#-------------------#
json_save = False
measures = {
"z":"[i * pF.dz for i in range(pN.n_z)]",
"phi":"getDryProfile('phiPart')",
"vx":"getVxPartProfile()",
"dirs":"getOrientationHist(5.0, 0.0)",
"mdirs":"getVectorMeanOrientation()",
"ori":"getOrientationProfiles(pM.z_ground, pF.dz*20, int(pN.n_z/20))",
}
| json_save = False
measures = {'z': '[i * pF.dz for i in range(pN.n_z)]', 'phi': "getDryProfile('phiPart')", 'vx': 'getVxPartProfile()', 'dirs': 'getOrientationHist(5.0, 0.0)', 'mdirs': 'getVectorMeanOrientation()', 'ori': 'getOrientationProfiles(pM.z_ground, pF.dz*20, int(pN.n_z/20))'} |
# encoding: utf-8
##################################################
# This script shows an example of a header section. This sections is a group of commented lines (lines starting with
# the "#" character) that describes general features of the script such as the type of licence (defined by the
# developer), authors, credits, versions among others
##################################################
#
##################################################
# Author: Diego Pajarito
# Copyright: Copyright 2020, IAAC
# Credits: [Institute for Advanced Architecture of Catalonia - IAAC, Advanced Architecture group]
# License: Apache License Version 2.0
# Version: 1.0.0
# Maintainer: Michael DiCarlo
# Email: MichaelrDiCarlo@gmail.com
# Status: development
##################################################
# End of header section
city_name = 'Calgary'
city_area = 200000
city_population = 3000
city_density = city_population/city_area
print('The most awesome city is ' + city_name)
print('Population Density is')
print(city_density)
print('Population Density ' + str(city_density) + ' inhabitants per hectare')
| city_name = 'Calgary'
city_area = 200000
city_population = 3000
city_density = city_population / city_area
print('The most awesome city is ' + city_name)
print('Population Density is')
print(city_density)
print('Population Density ' + str(city_density) + ' inhabitants per hectare') |
def consecutive_pairalign(reversed_part, identical_part):
count = 0
lrev = len(reversed_part)
no_iter = min(len(reversed_part), len(identical_part))
i = 0
for i in range(0, no_iter):
if (reversed_part[lrev - i - 1] + identical_part[i]) in [
"au",
"ua",
"gc",
"cg",
"ug",
"gu",
]:
count += 1
else:
break
return (lrev - count, i), (
reversed_part[lrev - count :],
identical_part[:count],
) # noqa
| def consecutive_pairalign(reversed_part, identical_part):
count = 0
lrev = len(reversed_part)
no_iter = min(len(reversed_part), len(identical_part))
i = 0
for i in range(0, no_iter):
if reversed_part[lrev - i - 1] + identical_part[i] in ['au', 'ua', 'gc', 'cg', 'ug', 'gu']:
count += 1
else:
break
return ((lrev - count, i), (reversed_part[lrev - count:], identical_part[:count])) |
myconfig = {
"name": "Your Name",
"email": None,
"password": None,
"categories": ["physics:cond-mat"]
}
| myconfig = {'name': 'Your Name', 'email': None, 'password': None, 'categories': ['physics:cond-mat']} |
fin = open('sum.in', 'r')
fout = open('sum.out', 'w')
while True:
True
result = sum(map(int, fin.readline().strip().split()))
fout.write(str(result)+'\n')
| fin = open('sum.in', 'r')
fout = open('sum.out', 'w')
while True:
True
result = sum(map(int, fin.readline().strip().split()))
fout.write(str(result) + '\n') |
# -*- coding: utf-8 -*-
__author__ = 'Hugo Martiniano'
__email__ = 'hugomartiniano@gmail.com'
__version__ = '0.1.7'
__url__ = 'https://github.com/hmartiniano/faz'
| __author__ = 'Hugo Martiniano'
__email__ = 'hugomartiniano@gmail.com'
__version__ = '0.1.7'
__url__ = 'https://github.com/hmartiniano/faz' |
word = input()
length = len(word)
def firstLine():
for i in range(0, length):
if (i == 0):
print(".", end='')
if (i % 3 == 2):
print(".*..", end='')
else:
print(".#..", end='')
print()
def secondLine():
for i in range(0, length):
if (i == 0):
print(".", end='')
if (i % 3 == 2):
print("*.*.", end='')
else:
print("#.#.", end='')
print()
def midLine():
for i in range(0, length):
if (i == 0):
print("#."+word[i]+'.#', end='')
if (i % 3 == 2):
print("*." + word[i] + ".*", end='')
elif (i != 0 and i % 3 == 0):
print("." + word[i] + ".#", end='')
elif( i != 0 and i % 3 == 1 ):
print("."+word[i]+".", end='')
if (length % 3 == 2 and i == length-1 and i % 3 == 1):
print("#", end='')
print()
firstLine()
secondLine()
midLine()
secondLine()
firstLine()
| word = input()
length = len(word)
def first_line():
for i in range(0, length):
if i == 0:
print('.', end='')
if i % 3 == 2:
print('.*..', end='')
else:
print('.#..', end='')
print()
def second_line():
for i in range(0, length):
if i == 0:
print('.', end='')
if i % 3 == 2:
print('*.*.', end='')
else:
print('#.#.', end='')
print()
def mid_line():
for i in range(0, length):
if i == 0:
print('#.' + word[i] + '.#', end='')
if i % 3 == 2:
print('*.' + word[i] + '.*', end='')
elif i != 0 and i % 3 == 0:
print('.' + word[i] + '.#', end='')
elif i != 0 and i % 3 == 1:
print('.' + word[i] + '.', end='')
if length % 3 == 2 and i == length - 1 and (i % 3 == 1):
print('#', end='')
print()
first_line()
second_line()
mid_line()
second_line()
first_line() |
# Here will be implemented the runtime stats calculators
class statsCalculator:
# Average of file sizes that were opened, written or read. (Before write operation)
avgFileSizes_open = 0
open_counter = 0
avgFileSizes_read = 0
read_counter = 0
avgFileSizes_write = 0
write_counter = 0
def avgFileSizes_update(self, filesMap, fileName, type):
if filesMap.get(fileName):
if type == "open":
self.avgFileSizes_open += filesMap.get(fileName)
self.open_counter += 1
elif type == "read":
self.avgFileSizes_read += filesMap.get(fileName)
self.read_counter += 1
elif type == "write":
self.avgFileSizes_write += filesMap.get(fileName)
self.write_counter += 1
def avgFileSizes(self):
return {"open" : 0 if self.open_counter == 0 else self.avgFileSizes_open/self.open_counter,\
"read" : 0 if self.read_counter == 0 else self.avgFileSizes_read/self.read_counter,\
"write" : 0 if self.write_counter == 0 else self.avgFileSizes_write/self.write_counter}
###################################################################################
x = statsCalculator()
print(x.avgFileSizes()) | class Statscalculator:
avg_file_sizes_open = 0
open_counter = 0
avg_file_sizes_read = 0
read_counter = 0
avg_file_sizes_write = 0
write_counter = 0
def avg_file_sizes_update(self, filesMap, fileName, type):
if filesMap.get(fileName):
if type == 'open':
self.avgFileSizes_open += filesMap.get(fileName)
self.open_counter += 1
elif type == 'read':
self.avgFileSizes_read += filesMap.get(fileName)
self.read_counter += 1
elif type == 'write':
self.avgFileSizes_write += filesMap.get(fileName)
self.write_counter += 1
def avg_file_sizes(self):
return {'open': 0 if self.open_counter == 0 else self.avgFileSizes_open / self.open_counter, 'read': 0 if self.read_counter == 0 else self.avgFileSizes_read / self.read_counter, 'write': 0 if self.write_counter == 0 else self.avgFileSizes_write / self.write_counter}
x = stats_calculator()
print(x.avgFileSizes()) |
class Point(object):
__slots__ = ('x', 'y')
def __init__(self, x=0, y=0):
self.x = x
self.y = y
def __add__(self, other):
return Point(self.x + other.x, self.y + other.y)
def __getitem__(self, index):
if isinstance(index, slice):
if index.start is None and index.stop is None and index.step is None:
return Point(self.x, self.y)
else:
raise IndexError()
return self.__getattribute__(self.__slots__[index])
def __setitem__(self, index, value):
self.__setattr__(self.__slots__[index], value)
def __len__(self):
return 2
def __iter__(self):
return iter((self.x, self.y))
def __repr__(self):
return "<Point x:%f, y:%f>" % (self.x, self.y)
class Spacing(object):
__slots__ = ('top', 'bottom', 'left', 'right')
def __init__(self, top=0, bottom=0, left=0, right=0):
self.top = top
self.bottom = bottom
self.left = left
self.right = right
def __getitem__(self, index):
return self.__getattribute__(self.__slots__[index])
def __setitem__(self, index, value):
self.__setattr__(self.__slots__[index], value)
def __len__(self):
return 4
def __iter__(self):
return iter((self.top, self.bottom, self.left, self.right))
def __repr__(self):
return "<Spacing t:%f, b:%f, l:%f, r:%f>" % (
self.top, self.bottom, self.left, self.right)
class GeometryPath():
def __init__(self, points):
self.points = points
def toJson(self):
return self.points
def __repr__(self):
return "<% %r>" % (self.__class__.__name__, self.points)
class LRectangle():
def __init__(self):
self.parent = None
self.possition = Point()
self.margin = Spacing()
self.size = Point()
self.anchor = Point()
def getAbsoluteAnchor(self) -> Point:
"""
Returns the absolute anchor position of the port. This is the point where edges should be
attached, relative to the containing graph. This method creates a new vector, so modifying
the result will not affect this port in any way.
@return a new vector with the absolute anchor position
"""
if self.parent is None:
return self.parent.possition + self.possition + self.anchor
else:
return self.possition + self.anchor
def getMargin(self):
return self.margin
def getSize(self):
return self.size
def getPosition(self):
return self.possition
def getAnchor(self):
return self.anchor
def translate(self, x, y):
self.possition.x += x
self.possition.y += y
| class Point(object):
__slots__ = ('x', 'y')
def __init__(self, x=0, y=0):
self.x = x
self.y = y
def __add__(self, other):
return point(self.x + other.x, self.y + other.y)
def __getitem__(self, index):
if isinstance(index, slice):
if index.start is None and index.stop is None and (index.step is None):
return point(self.x, self.y)
else:
raise index_error()
return self.__getattribute__(self.__slots__[index])
def __setitem__(self, index, value):
self.__setattr__(self.__slots__[index], value)
def __len__(self):
return 2
def __iter__(self):
return iter((self.x, self.y))
def __repr__(self):
return '<Point x:%f, y:%f>' % (self.x, self.y)
class Spacing(object):
__slots__ = ('top', 'bottom', 'left', 'right')
def __init__(self, top=0, bottom=0, left=0, right=0):
self.top = top
self.bottom = bottom
self.left = left
self.right = right
def __getitem__(self, index):
return self.__getattribute__(self.__slots__[index])
def __setitem__(self, index, value):
self.__setattr__(self.__slots__[index], value)
def __len__(self):
return 4
def __iter__(self):
return iter((self.top, self.bottom, self.left, self.right))
def __repr__(self):
return '<Spacing t:%f, b:%f, l:%f, r:%f>' % (self.top, self.bottom, self.left, self.right)
class Geometrypath:
def __init__(self, points):
self.points = points
def to_json(self):
return self.points
def __repr__(self):
return '<% %r>' % (self.__class__.__name__, self.points)
class Lrectangle:
def __init__(self):
self.parent = None
self.possition = point()
self.margin = spacing()
self.size = point()
self.anchor = point()
def get_absolute_anchor(self) -> Point:
"""
Returns the absolute anchor position of the port. This is the point where edges should be
attached, relative to the containing graph. This method creates a new vector, so modifying
the result will not affect this port in any way.
@return a new vector with the absolute anchor position
"""
if self.parent is None:
return self.parent.possition + self.possition + self.anchor
else:
return self.possition + self.anchor
def get_margin(self):
return self.margin
def get_size(self):
return self.size
def get_position(self):
return self.possition
def get_anchor(self):
return self.anchor
def translate(self, x, y):
self.possition.x += x
self.possition.y += y |
def power(x, y):
if(y == 0):
return 1
if(y < 0):
n = (1/x) * power(x, (y+1)/2)
return n*n
if(y%2 == 0):
m = power(x, y/2)
return m*m
else:
return x * power(x, y-1)
def main():
print("To calculate x^y ...\n")
x = float(input("Please enter x: "))
y = float(input("Please enter y: "))
if(x==0):
if(y > 0):
print(0)
else:
print("x^y is not defined\n")
else:
print(power(x,y))
exit
if __name__ == '__main__':
main() | def power(x, y):
if y == 0:
return 1
if y < 0:
n = 1 / x * power(x, (y + 1) / 2)
return n * n
if y % 2 == 0:
m = power(x, y / 2)
return m * m
else:
return x * power(x, y - 1)
def main():
print('To calculate x^y ...\n')
x = float(input('Please enter x: '))
y = float(input('Please enter y: '))
if x == 0:
if y > 0:
print(0)
else:
print('x^y is not defined\n')
else:
print(power(x, y))
exit
if __name__ == '__main__':
main() |
"""
https://leetcode.com/problems/wiggle-subsequence/
A sequence of numbers is called a wiggle sequence if the differences between successive numbers strictly alternate between positive and negative. The first difference (if one exists) may be either positive or negative. A sequence with fewer than two elements is trivially a wiggle sequence.
For example, [1,7,4,9,2,5] is a wiggle sequence because the differences (6,-3,5,-7,3) are alternately positive and negative. In contrast, [1,4,7,2,5] and [1,7,4,5,5] are not wiggle sequences, the first because its first two differences are positive and the second because its last difference is zero.
Given a sequence of integers, return the length of the longest subsequence that is a wiggle sequence. A subsequence is obtained by deleting some number of elements (eventually, also zero) from the original sequence, leaving the remaining elements in their original order.
Example 1:
Input: [1,7,4,9,2,5]
Output: 6
Explanation: The entire sequence is a wiggle sequence.
Example 2:
Input: [1,17,5,10,13,15,10,5,16,8]
Output: 7
Explanation: There are several subsequences that achieve this length. One is [1,17,10,13,10,16,8].
Example 3:
Input: [1,2,3,4,5,6,7,8,9]
Output: 2
Follow up:
Can you do it in O(n) time?
"""
class Solution(object):
def wiggleMaxLength(self, nums):
"""
:type nums: List[int]
:rtype: int
"""
if len(nums) == 0:
return 0
ups = [0] * len(nums)
downs = [0] * len(nums)
ups[0] = 1
downs[0] = 1
for index in range(1, len(nums)):
diff = nums[index] - nums[index - 1]
if diff > 0:
ups[index] = downs[index - 1] + 1
downs[index] = downs[index - 1]
elif diff < 0:
ups[index] = ups[index - 1]
downs[index] = ups[index - 1] + 1
else:
ups[index] = ups[index - 1]
downs[index] = downs[index - 1]
return max(ups[len(nums) - 1], downs[len(nums) - 1])
| """
https://leetcode.com/problems/wiggle-subsequence/
A sequence of numbers is called a wiggle sequence if the differences between successive numbers strictly alternate between positive and negative. The first difference (if one exists) may be either positive or negative. A sequence with fewer than two elements is trivially a wiggle sequence.
For example, [1,7,4,9,2,5] is a wiggle sequence because the differences (6,-3,5,-7,3) are alternately positive and negative. In contrast, [1,4,7,2,5] and [1,7,4,5,5] are not wiggle sequences, the first because its first two differences are positive and the second because its last difference is zero.
Given a sequence of integers, return the length of the longest subsequence that is a wiggle sequence. A subsequence is obtained by deleting some number of elements (eventually, also zero) from the original sequence, leaving the remaining elements in their original order.
Example 1:
Input: [1,7,4,9,2,5]
Output: 6
Explanation: The entire sequence is a wiggle sequence.
Example 2:
Input: [1,17,5,10,13,15,10,5,16,8]
Output: 7
Explanation: There are several subsequences that achieve this length. One is [1,17,10,13,10,16,8].
Example 3:
Input: [1,2,3,4,5,6,7,8,9]
Output: 2
Follow up:
Can you do it in O(n) time?
"""
class Solution(object):
def wiggle_max_length(self, nums):
"""
:type nums: List[int]
:rtype: int
"""
if len(nums) == 0:
return 0
ups = [0] * len(nums)
downs = [0] * len(nums)
ups[0] = 1
downs[0] = 1
for index in range(1, len(nums)):
diff = nums[index] - nums[index - 1]
if diff > 0:
ups[index] = downs[index - 1] + 1
downs[index] = downs[index - 1]
elif diff < 0:
ups[index] = ups[index - 1]
downs[index] = ups[index - 1] + 1
else:
ups[index] = ups[index - 1]
downs[index] = downs[index - 1]
return max(ups[len(nums) - 1], downs[len(nums) - 1]) |
# -*- coding: UTF8 -*-
"""
NAME
visualize
DESCRIPTION
Module that implements methods to plot ground_truth trajectories
and estimated for 6D poses.
METHODS
get_xy(pose)
Function that extracts (x,y) positions from
a list of 6D poses.
get_seq_start(pose)
Function that extracts the first (x,y)
point from a list of 6D poses.
EXAMPLES
gt = np.load('04.npy')
# create plot obj
plt.clf()
# get gt_poses
gt_x, gt_y = get_xy(gt)
# get sequence start
x_start, y_start = get_seq_start(gt)
# plot gt
plt.scatter(x_start, y_start, label='Sequence Start', color='black')
plt.plot(gt_x, gt_y, color='g', label='Ground Truth')
# make the adjust for compute just translation
# instead of absolute position
plt.gca().set_aspect('equal', adjustable='datalim')
# show plot
plt.legend()
plt.show()
"""
def get_xy(pose):
"""
Function that extracts (x,y) positions from
a list of 6D poses.
Parameters
----------
pose : nd.array
List of 6D poses.
Returns
-------
x_pose : list
List of x positions.
y_pose : list
List of y positions.
"""
x_pose = [v for v in pose[:, 3]]
y_pose = [v for v in pose[:, 5]]
return x_pose, y_pose
def get_seq_start(pose):
"""
Function that extracts the first (x,y)
point from a list of 6D poses.
Parameters
----------
pose : nd.array
List of 6D poses.
Returns
-------
x_start : float
Start x point.
y_start : float
Start y point
"""
x_start = pose[0][3]
y_start = pose[0][5]
return x_start, y_start
| """
NAME
visualize
DESCRIPTION
Module that implements methods to plot ground_truth trajectories
and estimated for 6D poses.
METHODS
get_xy(pose)
Function that extracts (x,y) positions from
a list of 6D poses.
get_seq_start(pose)
Function that extracts the first (x,y)
point from a list of 6D poses.
EXAMPLES
gt = np.load('04.npy')
# create plot obj
plt.clf()
# get gt_poses
gt_x, gt_y = get_xy(gt)
# get sequence start
x_start, y_start = get_seq_start(gt)
# plot gt
plt.scatter(x_start, y_start, label='Sequence Start', color='black')
plt.plot(gt_x, gt_y, color='g', label='Ground Truth')
# make the adjust for compute just translation
# instead of absolute position
plt.gca().set_aspect('equal', adjustable='datalim')
# show plot
plt.legend()
plt.show()
"""
def get_xy(pose):
"""
Function that extracts (x,y) positions from
a list of 6D poses.
Parameters
----------
pose : nd.array
List of 6D poses.
Returns
-------
x_pose : list
List of x positions.
y_pose : list
List of y positions.
"""
x_pose = [v for v in pose[:, 3]]
y_pose = [v for v in pose[:, 5]]
return (x_pose, y_pose)
def get_seq_start(pose):
"""
Function that extracts the first (x,y)
point from a list of 6D poses.
Parameters
----------
pose : nd.array
List of 6D poses.
Returns
-------
x_start : float
Start x point.
y_start : float
Start y point
"""
x_start = pose[0][3]
y_start = pose[0][5]
return (x_start, y_start) |
print('Accumulated value of a scheduled savings account')
p = float(input('Type the value of the monthly application constant: '))
i = float(input('The tax: '))
n = int(input('How many months: '))
accumulated_value = p*((1 + i)**n - 1) / i
print(f'The accumulated value is $${accumulated_value}.')
| print('Accumulated value of a scheduled savings account')
p = float(input('Type the value of the monthly application constant: '))
i = float(input('The tax: '))
n = int(input('How many months: '))
accumulated_value = p * ((1 + i) ** n - 1) / i
print(f'The accumulated value is $${accumulated_value}.') |
#! /usr/bin/env python
# -*- coding: utf-8 -*-
__author__ = 'dracarysX'
class APIError(Exception):
"""
"""
def __init__(self, code, message):
self.code = code
self.message = message
class APIError404(APIError):
"""
"""
def __init__(self, message='Not Found'):
super(APIError404, self).__init__(code=404, message=message)
class APIError403(APIError):
"""
"""
def __init__(self, message='Forbidden'):
super(APIError403, self).__init__(code=403, message=message)
class APIError500(APIError):
"""
"""
def __init__(self, message='Forbidden'):
super(APIError500, self).__init__(code=500, message=message) | __author__ = 'dracarysX'
class Apierror(Exception):
"""
"""
def __init__(self, code, message):
self.code = code
self.message = message
class Apierror404(APIError):
"""
"""
def __init__(self, message='Not Found'):
super(APIError404, self).__init__(code=404, message=message)
class Apierror403(APIError):
"""
"""
def __init__(self, message='Forbidden'):
super(APIError403, self).__init__(code=403, message=message)
class Apierror500(APIError):
"""
"""
def __init__(self, message='Forbidden'):
super(APIError500, self).__init__(code=500, message=message) |
# Copyright (c) Microsoft Corporation. All rights reserved.
# Licensed under the MIT License.
class SharedMemoryException(Exception):
"""
Exception raised when using shared memory.
"""
def __init__(self, msg: str) -> None:
super().__init__(msg)
| class Sharedmemoryexception(Exception):
"""
Exception raised when using shared memory.
"""
def __init__(self, msg: str) -> None:
super().__init__(msg) |
def ngram(s, num):
res = []
slen = len(s) - num + 1
for i in range(slen):
ss = s[i:i + num]
res.append(ss)
return res
def diff_ngram(sa, sb, num):
a = ngram(sa, num)
b = ngram(sb, num)
r = []
cnt = 0
for i in a:
for j in b:
if i == j:
cnt += 1
r.append(i)
return cnt/len(a), r
| def ngram(s, num):
res = []
slen = len(s) - num + 1
for i in range(slen):
ss = s[i:i + num]
res.append(ss)
return res
def diff_ngram(sa, sb, num):
a = ngram(sa, num)
b = ngram(sb, num)
r = []
cnt = 0
for i in a:
for j in b:
if i == j:
cnt += 1
r.append(i)
return (cnt / len(a), r) |
class Solution:
def isIsomorphic(self, s: str, t: str) -> bool:
"""Hash table.
"""
st = {}
ts = {}
for i in range(len(s)):
if s[i] not in st:
st[s[i]] = t[i]
elif st[s[i]] != t[i]:
return False
if t[i] not in ts:
ts[t[i]] = s[i]
elif ts[t[i]] != s[i]:
return False
return True
| class Solution:
def is_isomorphic(self, s: str, t: str) -> bool:
"""Hash table.
"""
st = {}
ts = {}
for i in range(len(s)):
if s[i] not in st:
st[s[i]] = t[i]
elif st[s[i]] != t[i]:
return False
if t[i] not in ts:
ts[t[i]] = s[i]
elif ts[t[i]] != s[i]:
return False
return True |
def some_function():
for i in range(4):
yield i
for i in some_function():
print(i) | def some_function():
for i in range(4):
yield i
for i in some_function():
print(i) |
def spiralCopy(inputMatrix):
numRows = len(inputMatrix)
numCols = len(inputMatrix[0])
# keep track of where we are along each
# of the four sides of the matrix
topRow = 0
bottomRow = numRows - 1
leftCol = 0
rightCol = numCols - 1
result = []
# iterate throughout the entire matrix
while topRow <= bottomRow and leftCol <= rightCol:
# iterate along the top row from left to right
for i in range(leftCol, rightCol + 1):
result.append(inputMatrix[topRow][i])
topRow += 1
# iterate along the right column from top to bottom
for i in range(topRow, bottomRow + 1):
result.append(inputMatrix[i][rightCol])
rightCol -= 1
if topRow <= bottomRow:
# iterate along the bottom row from right to left
for i in reversed(range(leftCol, rightCol + 1)):
result.append(inputMatrix[bottomRow][i])
bottomRow -= 1
if leftCol <= rightCol:
# iterate along the left column from bottom to top
for i in reversed(range(topRow, bottomRow + 1)):
result.append(inputMatrix[i][leftCol])
leftCol += 1
return result
print(spiralCopy([[1]])) # should print [1]
print(spiralCopy([[1], [2]])) # should print [1, 2]
print(
spiralCopy(
[[1, 2, 3, 4, 5], [6, 7, 8, 9, 10], [11, 12, 13, 14, 15], [16, 17, 18, 19, 20]]
)
) # should print [1, 2, 3, 4, 5, 10, 15, 20, 19, 18, 17, 16, 11, 6, 7, 8, 9, 14, 13, 12]
| def spiral_copy(inputMatrix):
num_rows = len(inputMatrix)
num_cols = len(inputMatrix[0])
top_row = 0
bottom_row = numRows - 1
left_col = 0
right_col = numCols - 1
result = []
while topRow <= bottomRow and leftCol <= rightCol:
for i in range(leftCol, rightCol + 1):
result.append(inputMatrix[topRow][i])
top_row += 1
for i in range(topRow, bottomRow + 1):
result.append(inputMatrix[i][rightCol])
right_col -= 1
if topRow <= bottomRow:
for i in reversed(range(leftCol, rightCol + 1)):
result.append(inputMatrix[bottomRow][i])
bottom_row -= 1
if leftCol <= rightCol:
for i in reversed(range(topRow, bottomRow + 1)):
result.append(inputMatrix[i][leftCol])
left_col += 1
return result
print(spiral_copy([[1]]))
print(spiral_copy([[1], [2]]))
print(spiral_copy([[1, 2, 3, 4, 5], [6, 7, 8, 9, 10], [11, 12, 13, 14, 15], [16, 17, 18, 19, 20]])) |
class Config(object):
JOOX_API_DOMAIN = "https://api-jooxtt.sanook.com/web-fcgi-bin"
JOOX_AUTH_PATH = "/web_wmauth"
JOOX_GETFAV_PATH = "/web_getfav"
JOOX_ADD_DIR_PATH = "/web_fav_add_dir"
JOOX_DEL_DIR_PATH = "/web_fav_del_dir"
JOOX_ADD_SONG_PATH = "/web_fav_add_song"
JOOX_DEL_SONG_PATH = "/web_fav_del_song"
JOOX_SEARCH_PATH = "/web_search"
JOOX_TAG_LIST_PATH = "/web_tag_list"
JOOX_RECOMMENDED_MORE_PATH = "/web_recommend_more"
JOOX_GET_DISS_PATH = "/web_get_diss"
JOOX_GET_ALBUMINFO_PATH = "/web_get_albuminfo"
JOOX_HOT_QUERY_PATH = "/web_hot_query"
JOOX_GET_TOPLIST_PATH = "/web_get_toplist"
JOOX_TOPLIST_DETAIL_PATH = "/web_toplist_detail"
JOOX_ALL_SINGER_LIST_PATH = "/web_all_singer_list"
JOOX_SINGER_CATEGORY_PATH = "/web_singer_category"
JOOX_ALBUM_SINGER_PATH = "/web_album_singer"
JOOX_LYRIC_PATH = "/web_lyric"
JOOX_GET_SONGINFO_PATH = "/web_get_songinfo"
| class Config(object):
joox_api_domain = 'https://api-jooxtt.sanook.com/web-fcgi-bin'
joox_auth_path = '/web_wmauth'
joox_getfav_path = '/web_getfav'
joox_add_dir_path = '/web_fav_add_dir'
joox_del_dir_path = '/web_fav_del_dir'
joox_add_song_path = '/web_fav_add_song'
joox_del_song_path = '/web_fav_del_song'
joox_search_path = '/web_search'
joox_tag_list_path = '/web_tag_list'
joox_recommended_more_path = '/web_recommend_more'
joox_get_diss_path = '/web_get_diss'
joox_get_albuminfo_path = '/web_get_albuminfo'
joox_hot_query_path = '/web_hot_query'
joox_get_toplist_path = '/web_get_toplist'
joox_toplist_detail_path = '/web_toplist_detail'
joox_all_singer_list_path = '/web_all_singer_list'
joox_singer_category_path = '/web_singer_category'
joox_album_singer_path = '/web_album_singer'
joox_lyric_path = '/web_lyric'
joox_get_songinfo_path = '/web_get_songinfo' |
n=int(input())
squareMatrix=[]
k=0; i=0
while k<n:
row=input()
squareMatrix.append([])
for j in range(0,len(row)):
squareMatrix[i].append(row[j])
k+=1; i+=1
symbolToFind=input()
rowFound=0; colFound=0; symbolFound=False
for k in range(0,len(squareMatrix)):
if symbolFound==True:
break
for j in range(0,len(squareMatrix[k])):
if squareMatrix[k][j]==symbolToFind:
symbolFound=True
rowFound=k; colFound=j
if symbolFound==True:
print(f"({rowFound}, {colFound})")
else:
print(f"{symbolToFind} does not occur in the matrix") | n = int(input())
square_matrix = []
k = 0
i = 0
while k < n:
row = input()
squareMatrix.append([])
for j in range(0, len(row)):
squareMatrix[i].append(row[j])
k += 1
i += 1
symbol_to_find = input()
row_found = 0
col_found = 0
symbol_found = False
for k in range(0, len(squareMatrix)):
if symbolFound == True:
break
for j in range(0, len(squareMatrix[k])):
if squareMatrix[k][j] == symbolToFind:
symbol_found = True
row_found = k
col_found = j
if symbolFound == True:
print(f'({rowFound}, {colFound})')
else:
print(f'{symbolToFind} does not occur in the matrix') |
# Given an array nums, write a function to move all 0's to the end of it
# while maintaining the relative order of the non-zero elements.
# EXAMPLE
# Input: [0,1,0,3,12]
# Output: [1,3,12,0,0]
class Solution:
def moveZeroes(self, nums: List[int]) -> None:
'''
Time: O(N), worst case no 0s have to iterate over the entire array
Space: O(1)
'''
"""
Do not return anything, modify nums in-place instead.
"""
# 2 pointers
# non zero ptr
n = 0
# array ptr
a = 0
"""
Mistake was using the i as the other pointer
should be its own pointer as in
"""
# iterate over the array
for i in range(len(nums)):
# if the non zero ptr is pointing at a non zero number
if nums[n] != 0:
# swap nonzero and array ptr
nums[n], nums[a] = nums[a], nums[n]
# inc nonzero ptr
n += 1
# inc array ptr
a += 1
# nonzero ptr is pointing at zero number
else:
# inc the non zero ptr
n += 1
| class Solution:
def move_zeroes(self, nums: List[int]) -> None:
"""
Time: O(N), worst case no 0s have to iterate over the entire array
Space: O(1)
"""
'\n Do not return anything, modify nums in-place instead.\n '
n = 0
a = 0
'\n Mistake was using the i as the other pointer\n should be its own pointer as in\n '
for i in range(len(nums)):
if nums[n] != 0:
(nums[n], nums[a]) = (nums[a], nums[n])
n += 1
a += 1
else:
n += 1 |
def czy_pal(tekst):
for x in range(len(tekst)):
if tekst[x] != tekst[len(tekst)-1-x]:
return False
return True
def nowy_pal(tekst):
odp = tekst
for x in range(len(tekst)):
odp += tekst[len(tekst)-1-x]
return odp
tekst = input()
results = czy_pal(tekst)
if results:
print('tak')
else:
nowy_tekst = nowy_pal(tekst)
print(nowy_tekst)
| def czy_pal(tekst):
for x in range(len(tekst)):
if tekst[x] != tekst[len(tekst) - 1 - x]:
return False
return True
def nowy_pal(tekst):
odp = tekst
for x in range(len(tekst)):
odp += tekst[len(tekst) - 1 - x]
return odp
tekst = input()
results = czy_pal(tekst)
if results:
print('tak')
else:
nowy_tekst = nowy_pal(tekst)
print(nowy_tekst) |
class Ts2xlException(Exception):
'''
Used for expected errors, where the command-line tool
shouldn't show a full stack trace.
'''
pass
| class Ts2Xlexception(Exception):
"""
Used for expected errors, where the command-line tool
shouldn't show a full stack trace.
"""
pass |
#!/usr/bin/python
# Word and some similarity (float).
class WordSim:
"""Word and some similarity"""
# name of the dictionary article
word = ''
# size of synset kernel |IntS|, i.e. number of synonyms, which always make subsets more nearer
sim = 0.0;
#def f(self):
# return 'hello world'
| class Wordsim:
"""Word and some similarity"""
word = ''
sim = 0.0 |
class DataGridViewColumn(DataGridViewBand, ICloneable, IDisposable, IComponent):
"""
Represents a column in a System.Windows.Forms.DataGridView control.
DataGridViewColumn()
DataGridViewColumn(cellTemplate: DataGridViewCell)
"""
def Clone(self):
"""
Clone(self: DataGridViewColumn) -> object
Returns: An System.Object that represents the cloned System.Windows.Forms.DataGridViewBand.
"""
pass
def Dispose(self):
"""
Dispose(self: DataGridViewColumn,disposing: bool)
disposing: true to release both managed and unmanaged resources; false to release only unmanaged resources.
"""
pass
def GetPreferredWidth(self, autoSizeColumnMode, fixedHeight):
"""
GetPreferredWidth(self: DataGridViewColumn,autoSizeColumnMode: DataGridViewAutoSizeColumnMode,fixedHeight: bool) -> int
Calculates the ideal width of the column based on the specified criteria.
autoSizeColumnMode: A System.Windows.Forms.DataGridViewAutoSizeColumnMode value that specifies an automatic sizing
mode.
fixedHeight: true to calculate the width of the column based on the current row heights; false to calculate
the width with the expectation that the row heights will be adjusted.
Returns: The ideal width,in pixels,of the column.
"""
pass
def OnDataGridViewChanged(self, *args):
"""
OnDataGridViewChanged(self: DataGridViewBand)
Called when the band is associated with a different System.Windows.Forms.DataGridView.
"""
pass
def RaiseCellClick(self, *args):
"""
RaiseCellClick(self: DataGridViewElement,e: DataGridViewCellEventArgs)
Raises the System.Windows.Forms.DataGridView.CellClick event.
e: A System.Windows.Forms.DataGridViewCellEventArgs that contains the event data.
"""
pass
def RaiseCellContentClick(self, *args):
"""
RaiseCellContentClick(self: DataGridViewElement,e: DataGridViewCellEventArgs)
Raises the System.Windows.Forms.DataGridView.CellContentClick event.
e: A System.Windows.Forms.DataGridViewCellEventArgs that contains the event data.
"""
pass
def RaiseCellContentDoubleClick(self, *args):
"""
RaiseCellContentDoubleClick(self: DataGridViewElement,e: DataGridViewCellEventArgs)
Raises the System.Windows.Forms.DataGridView.CellContentDoubleClick event.
e: A System.Windows.Forms.DataGridViewCellEventArgs that contains the event data.
"""
pass
def RaiseCellValueChanged(self, *args):
"""
RaiseCellValueChanged(self: DataGridViewElement,e: DataGridViewCellEventArgs)
Raises the System.Windows.Forms.DataGridView.CellValueChanged event.
e: A System.Windows.Forms.DataGridViewCellEventArgs that contains the event data.
"""
pass
def RaiseDataError(self, *args):
"""
RaiseDataError(self: DataGridViewElement,e: DataGridViewDataErrorEventArgs)
Raises the System.Windows.Forms.DataGridView.DataError event.
e: A System.Windows.Forms.DataGridViewDataErrorEventArgs that contains the event data.
"""
pass
def RaiseMouseWheel(self, *args):
"""
RaiseMouseWheel(self: DataGridViewElement,e: MouseEventArgs)
Raises the System.Windows.Forms.Control.MouseWheel event.
e: A System.Windows.Forms.MouseEventArgs that contains the event data.
"""
pass
def ToString(self):
"""
ToString(self: DataGridViewColumn) -> str
Gets a string that describes the column.
Returns: A System.String that describes the column.
"""
pass
def __enter__(self, *args):
"""
__enter__(self: IDisposable) -> object
Provides the implementation of __enter__ for objects which implement IDisposable.
"""
pass
def __exit__(self, *args):
"""
__exit__(self: IDisposable,exc_type: object,exc_value: object,exc_back: object)
Provides the implementation of __exit__ for objects which implement IDisposable.
"""
pass
def __init__(self, *args):
""" x.__init__(...) initializes x; see x.__class__.__doc__ for signaturex.__init__(...) initializes x; see x.__class__.__doc__ for signaturex.__init__(...) initializes x; see x.__class__.__doc__ for signature """
pass
@staticmethod
def __new__(self, cellTemplate=None):
"""
__new__(cls: type)
__new__(cls: type,cellTemplate: DataGridViewCell)
"""
pass
def __str__(self, *args):
pass
AutoSizeMode = property(
lambda self: object(), lambda self, v: None, lambda self: None
)
"""Gets or sets the mode by which the column automatically adjusts its width.
Get: AutoSizeMode(self: DataGridViewColumn) -> DataGridViewAutoSizeColumnMode
Set: AutoSizeMode(self: DataGridViewColumn)=value
"""
CellTemplate = property(
lambda self: object(), lambda self, v: None, lambda self: None
)
"""Gets or sets the template used to create new cells.
Get: CellTemplate(self: DataGridViewColumn) -> DataGridViewCell
Set: CellTemplate(self: DataGridViewColumn)=value
"""
CellType = property(lambda self: object(), lambda self, v: None, lambda self: None)
"""Gets the run-time type of the cell template.
Get: CellType(self: DataGridViewColumn) -> Type
"""
ContextMenuStrip = property(
lambda self: object(), lambda self, v: None, lambda self: None
)
"""Gets or sets the shortcut menu for the column.
Get: ContextMenuStrip(self: DataGridViewColumn) -> ContextMenuStrip
Set: ContextMenuStrip(self: DataGridViewColumn)=value
"""
DataPropertyName = property(
lambda self: object(), lambda self, v: None, lambda self: None
)
"""Gets or sets the name of the data source property or database column to which the System.Windows.Forms.DataGridViewColumn is bound.
Get: DataPropertyName(self: DataGridViewColumn) -> str
Set: DataPropertyName(self: DataGridViewColumn)=value
"""
DefaultCellStyle = property(
lambda self: object(), lambda self, v: None, lambda self: None
)
"""Gets or sets the column's default cell style.
Get: DefaultCellStyle(self: DataGridViewColumn) -> DataGridViewCellStyle
Set: DefaultCellStyle(self: DataGridViewColumn)=value
"""
DisplayIndex = property(
lambda self: object(), lambda self, v: None, lambda self: None
)
"""Gets or sets the display order of the column relative to the currently displayed columns.
Get: DisplayIndex(self: DataGridViewColumn) -> int
Set: DisplayIndex(self: DataGridViewColumn)=value
"""
DividerWidth = property(
lambda self: object(), lambda self, v: None, lambda self: None
)
"""Gets or sets the width,in pixels,of the column divider.
Get: DividerWidth(self: DataGridViewColumn) -> int
Set: DividerWidth(self: DataGridViewColumn)=value
"""
FillWeight = property(
lambda self: object(), lambda self, v: None, lambda self: None
)
"""Gets or sets a value that represents the width of the column when it is in fill mode relative to the widths of other fill-mode columns in the control.
Get: FillWeight(self: DataGridViewColumn) -> Single
Set: FillWeight(self: DataGridViewColumn)=value
"""
Frozen = property(lambda self: object(), lambda self, v: None, lambda self: None)
"""Gets or sets a value indicating whether a column will move when a user scrolls the System.Windows.Forms.DataGridView control horizontally.
Get: Frozen(self: DataGridViewColumn) -> bool
Set: Frozen(self: DataGridViewColumn)=value
"""
HeaderCell = property(
lambda self: object(), lambda self, v: None, lambda self: None
)
"""Gets or sets the System.Windows.Forms.DataGridViewColumnHeaderCell that represents the column header.
Get: HeaderCell(self: DataGridViewColumn) -> DataGridViewColumnHeaderCell
Set: HeaderCell(self: DataGridViewColumn)=value
"""
HeaderCellCore = property(
lambda self: object(), lambda self, v: None, lambda self: None
)
"""Gets or sets the header cell of the System.Windows.Forms.DataGridViewBand.
"""
HeaderText = property(
lambda self: object(), lambda self, v: None, lambda self: None
)
"""Gets or sets the caption text on the column's header cell.
Get: HeaderText(self: DataGridViewColumn) -> str
Set: HeaderText(self: DataGridViewColumn)=value
"""
InheritedAutoSizeMode = property(
lambda self: object(), lambda self, v: None, lambda self: None
)
"""Gets the sizing mode in effect for the column.
Get: InheritedAutoSizeMode(self: DataGridViewColumn) -> DataGridViewAutoSizeColumnMode
"""
InheritedStyle = property(
lambda self: object(), lambda self, v: None, lambda self: None
)
"""Gets the cell style currently applied to the column.
Get: InheritedStyle(self: DataGridViewColumn) -> DataGridViewCellStyle
"""
IsDataBound = property(
lambda self: object(), lambda self, v: None, lambda self: None
)
"""Gets a value indicating whether the column is bound to a data source.
Get: IsDataBound(self: DataGridViewColumn) -> bool
"""
IsRow = property(lambda self: object(), lambda self, v: None, lambda self: None)
"""Gets a value indicating whether the band represents a row.
"""
MinimumWidth = property(
lambda self: object(), lambda self, v: None, lambda self: None
)
"""Gets or sets the minimum width,in pixels,of the column.
Get: MinimumWidth(self: DataGridViewColumn) -> int
Set: MinimumWidth(self: DataGridViewColumn)=value
"""
Name = property(lambda self: object(), lambda self, v: None, lambda self: None)
"""Gets or sets the name of the column.
Get: Name(self: DataGridViewColumn) -> str
Set: Name(self: DataGridViewColumn)=value
"""
ReadOnly = property(lambda self: object(), lambda self, v: None, lambda self: None)
"""Gets or sets a value indicating whether the user can edit the column's cells.
Get: ReadOnly(self: DataGridViewColumn) -> bool
Set: ReadOnly(self: DataGridViewColumn)=value
"""
Resizable = property(lambda self: object(), lambda self, v: None, lambda self: None)
"""Gets or sets a value indicating whether the column is resizable.
Get: Resizable(self: DataGridViewColumn) -> DataGridViewTriState
Set: Resizable(self: DataGridViewColumn)=value
"""
Site = property(lambda self: object(), lambda self, v: None, lambda self: None)
"""Gets or sets the site of the column.
Get: Site(self: DataGridViewColumn) -> ISite
Set: Site(self: DataGridViewColumn)=value
"""
SortMode = property(lambda self: object(), lambda self, v: None, lambda self: None)
"""Gets or sets the sort mode for the column.
Get: SortMode(self: DataGridViewColumn) -> DataGridViewColumnSortMode
Set: SortMode(self: DataGridViewColumn)=value
"""
ToolTipText = property(
lambda self: object(), lambda self, v: None, lambda self: None
)
"""Gets or sets the text used for ToolTips.
Get: ToolTipText(self: DataGridViewColumn) -> str
Set: ToolTipText(self: DataGridViewColumn)=value
"""
ValueType = property(lambda self: object(), lambda self, v: None, lambda self: None)
"""Gets or sets the data type of the values in the column's cells.
Get: ValueType(self: DataGridViewColumn) -> Type
Set: ValueType(self: DataGridViewColumn)=value
"""
Visible = property(lambda self: object(), lambda self, v: None, lambda self: None)
"""Gets or sets a value indicating whether the column is visible.
Get: Visible(self: DataGridViewColumn) -> bool
Set: Visible(self: DataGridViewColumn)=value
"""
Width = property(lambda self: object(), lambda self, v: None, lambda self: None)
"""Gets or sets the current width of the column.
Get: Width(self: DataGridViewColumn) -> int
Set: Width(self: DataGridViewColumn)=value
"""
Disposed = None
| class Datagridviewcolumn(DataGridViewBand, ICloneable, IDisposable, IComponent):
"""
Represents a column in a System.Windows.Forms.DataGridView control.
DataGridViewColumn()
DataGridViewColumn(cellTemplate: DataGridViewCell)
"""
def clone(self):
"""
Clone(self: DataGridViewColumn) -> object
Returns: An System.Object that represents the cloned System.Windows.Forms.DataGridViewBand.
"""
pass
def dispose(self):
"""
Dispose(self: DataGridViewColumn,disposing: bool)
disposing: true to release both managed and unmanaged resources; false to release only unmanaged resources.
"""
pass
def get_preferred_width(self, autoSizeColumnMode, fixedHeight):
"""
GetPreferredWidth(self: DataGridViewColumn,autoSizeColumnMode: DataGridViewAutoSizeColumnMode,fixedHeight: bool) -> int
Calculates the ideal width of the column based on the specified criteria.
autoSizeColumnMode: A System.Windows.Forms.DataGridViewAutoSizeColumnMode value that specifies an automatic sizing
mode.
fixedHeight: true to calculate the width of the column based on the current row heights; false to calculate
the width with the expectation that the row heights will be adjusted.
Returns: The ideal width,in pixels,of the column.
"""
pass
def on_data_grid_view_changed(self, *args):
"""
OnDataGridViewChanged(self: DataGridViewBand)
Called when the band is associated with a different System.Windows.Forms.DataGridView.
"""
pass
def raise_cell_click(self, *args):
"""
RaiseCellClick(self: DataGridViewElement,e: DataGridViewCellEventArgs)
Raises the System.Windows.Forms.DataGridView.CellClick event.
e: A System.Windows.Forms.DataGridViewCellEventArgs that contains the event data.
"""
pass
def raise_cell_content_click(self, *args):
"""
RaiseCellContentClick(self: DataGridViewElement,e: DataGridViewCellEventArgs)
Raises the System.Windows.Forms.DataGridView.CellContentClick event.
e: A System.Windows.Forms.DataGridViewCellEventArgs that contains the event data.
"""
pass
def raise_cell_content_double_click(self, *args):
"""
RaiseCellContentDoubleClick(self: DataGridViewElement,e: DataGridViewCellEventArgs)
Raises the System.Windows.Forms.DataGridView.CellContentDoubleClick event.
e: A System.Windows.Forms.DataGridViewCellEventArgs that contains the event data.
"""
pass
def raise_cell_value_changed(self, *args):
"""
RaiseCellValueChanged(self: DataGridViewElement,e: DataGridViewCellEventArgs)
Raises the System.Windows.Forms.DataGridView.CellValueChanged event.
e: A System.Windows.Forms.DataGridViewCellEventArgs that contains the event data.
"""
pass
def raise_data_error(self, *args):
"""
RaiseDataError(self: DataGridViewElement,e: DataGridViewDataErrorEventArgs)
Raises the System.Windows.Forms.DataGridView.DataError event.
e: A System.Windows.Forms.DataGridViewDataErrorEventArgs that contains the event data.
"""
pass
def raise_mouse_wheel(self, *args):
"""
RaiseMouseWheel(self: DataGridViewElement,e: MouseEventArgs)
Raises the System.Windows.Forms.Control.MouseWheel event.
e: A System.Windows.Forms.MouseEventArgs that contains the event data.
"""
pass
def to_string(self):
"""
ToString(self: DataGridViewColumn) -> str
Gets a string that describes the column.
Returns: A System.String that describes the column.
"""
pass
def __enter__(self, *args):
"""
__enter__(self: IDisposable) -> object
Provides the implementation of __enter__ for objects which implement IDisposable.
"""
pass
def __exit__(self, *args):
"""
__exit__(self: IDisposable,exc_type: object,exc_value: object,exc_back: object)
Provides the implementation of __exit__ for objects which implement IDisposable.
"""
pass
def __init__(self, *args):
""" x.__init__(...) initializes x; see x.__class__.__doc__ for signaturex.__init__(...) initializes x; see x.__class__.__doc__ for signaturex.__init__(...) initializes x; see x.__class__.__doc__ for signature """
pass
@staticmethod
def __new__(self, cellTemplate=None):
"""
__new__(cls: type)
__new__(cls: type,cellTemplate: DataGridViewCell)
"""
pass
def __str__(self, *args):
pass
auto_size_mode = property(lambda self: object(), lambda self, v: None, lambda self: None)
'Gets or sets the mode by which the column automatically adjusts its width.\n\n\n\nGet: AutoSizeMode(self: DataGridViewColumn) -> DataGridViewAutoSizeColumnMode\n\n\n\nSet: AutoSizeMode(self: DataGridViewColumn)=value\n\n'
cell_template = property(lambda self: object(), lambda self, v: None, lambda self: None)
'Gets or sets the template used to create new cells.\n\n\n\nGet: CellTemplate(self: DataGridViewColumn) -> DataGridViewCell\n\n\n\nSet: CellTemplate(self: DataGridViewColumn)=value\n\n'
cell_type = property(lambda self: object(), lambda self, v: None, lambda self: None)
'Gets the run-time type of the cell template.\n\n\n\nGet: CellType(self: DataGridViewColumn) -> Type\n\n\n\n'
context_menu_strip = property(lambda self: object(), lambda self, v: None, lambda self: None)
'Gets or sets the shortcut menu for the column.\n\n\n\nGet: ContextMenuStrip(self: DataGridViewColumn) -> ContextMenuStrip\n\n\n\nSet: ContextMenuStrip(self: DataGridViewColumn)=value\n\n'
data_property_name = property(lambda self: object(), lambda self, v: None, lambda self: None)
'Gets or sets the name of the data source property or database column to which the System.Windows.Forms.DataGridViewColumn is bound.\n\n\n\nGet: DataPropertyName(self: DataGridViewColumn) -> str\n\n\n\nSet: DataPropertyName(self: DataGridViewColumn)=value\n\n'
default_cell_style = property(lambda self: object(), lambda self, v: None, lambda self: None)
"Gets or sets the column's default cell style.\n\n\n\nGet: DefaultCellStyle(self: DataGridViewColumn) -> DataGridViewCellStyle\n\n\n\nSet: DefaultCellStyle(self: DataGridViewColumn)=value\n\n"
display_index = property(lambda self: object(), lambda self, v: None, lambda self: None)
'Gets or sets the display order of the column relative to the currently displayed columns.\n\n\n\nGet: DisplayIndex(self: DataGridViewColumn) -> int\n\n\n\nSet: DisplayIndex(self: DataGridViewColumn)=value\n\n'
divider_width = property(lambda self: object(), lambda self, v: None, lambda self: None)
'Gets or sets the width,in pixels,of the column divider.\n\n\n\nGet: DividerWidth(self: DataGridViewColumn) -> int\n\n\n\nSet: DividerWidth(self: DataGridViewColumn)=value\n\n'
fill_weight = property(lambda self: object(), lambda self, v: None, lambda self: None)
'Gets or sets a value that represents the width of the column when it is in fill mode relative to the widths of other fill-mode columns in the control.\n\n\n\nGet: FillWeight(self: DataGridViewColumn) -> Single\n\n\n\nSet: FillWeight(self: DataGridViewColumn)=value\n\n'
frozen = property(lambda self: object(), lambda self, v: None, lambda self: None)
'Gets or sets a value indicating whether a column will move when a user scrolls the System.Windows.Forms.DataGridView control horizontally.\n\n\n\nGet: Frozen(self: DataGridViewColumn) -> bool\n\n\n\nSet: Frozen(self: DataGridViewColumn)=value\n\n'
header_cell = property(lambda self: object(), lambda self, v: None, lambda self: None)
'Gets or sets the System.Windows.Forms.DataGridViewColumnHeaderCell that represents the column header.\n\n\n\nGet: HeaderCell(self: DataGridViewColumn) -> DataGridViewColumnHeaderCell\n\n\n\nSet: HeaderCell(self: DataGridViewColumn)=value\n\n'
header_cell_core = property(lambda self: object(), lambda self, v: None, lambda self: None)
'Gets or sets the header cell of the System.Windows.Forms.DataGridViewBand.\n\n\n\n'
header_text = property(lambda self: object(), lambda self, v: None, lambda self: None)
"Gets or sets the caption text on the column's header cell.\n\n\n\nGet: HeaderText(self: DataGridViewColumn) -> str\n\n\n\nSet: HeaderText(self: DataGridViewColumn)=value\n\n"
inherited_auto_size_mode = property(lambda self: object(), lambda self, v: None, lambda self: None)
'Gets the sizing mode in effect for the column.\n\n\n\nGet: InheritedAutoSizeMode(self: DataGridViewColumn) -> DataGridViewAutoSizeColumnMode\n\n\n\n'
inherited_style = property(lambda self: object(), lambda self, v: None, lambda self: None)
'Gets the cell style currently applied to the column.\n\n\n\nGet: InheritedStyle(self: DataGridViewColumn) -> DataGridViewCellStyle\n\n\n\n'
is_data_bound = property(lambda self: object(), lambda self, v: None, lambda self: None)
'Gets a value indicating whether the column is bound to a data source.\n\n\n\nGet: IsDataBound(self: DataGridViewColumn) -> bool\n\n\n\n'
is_row = property(lambda self: object(), lambda self, v: None, lambda self: None)
'Gets a value indicating whether the band represents a row.\n\n\n\n'
minimum_width = property(lambda self: object(), lambda self, v: None, lambda self: None)
'Gets or sets the minimum width,in pixels,of the column.\n\n\n\nGet: MinimumWidth(self: DataGridViewColumn) -> int\n\n\n\nSet: MinimumWidth(self: DataGridViewColumn)=value\n\n'
name = property(lambda self: object(), lambda self, v: None, lambda self: None)
'Gets or sets the name of the column.\n\n\n\nGet: Name(self: DataGridViewColumn) -> str\n\n\n\nSet: Name(self: DataGridViewColumn)=value\n\n'
read_only = property(lambda self: object(), lambda self, v: None, lambda self: None)
"Gets or sets a value indicating whether the user can edit the column's cells.\n\n\n\nGet: ReadOnly(self: DataGridViewColumn) -> bool\n\n\n\nSet: ReadOnly(self: DataGridViewColumn)=value\n\n"
resizable = property(lambda self: object(), lambda self, v: None, lambda self: None)
'Gets or sets a value indicating whether the column is resizable.\n\n\n\nGet: Resizable(self: DataGridViewColumn) -> DataGridViewTriState\n\n\n\nSet: Resizable(self: DataGridViewColumn)=value\n\n'
site = property(lambda self: object(), lambda self, v: None, lambda self: None)
'Gets or sets the site of the column.\n\n\n\nGet: Site(self: DataGridViewColumn) -> ISite\n\n\n\nSet: Site(self: DataGridViewColumn)=value\n\n'
sort_mode = property(lambda self: object(), lambda self, v: None, lambda self: None)
'Gets or sets the sort mode for the column.\n\n\n\nGet: SortMode(self: DataGridViewColumn) -> DataGridViewColumnSortMode\n\n\n\nSet: SortMode(self: DataGridViewColumn)=value\n\n'
tool_tip_text = property(lambda self: object(), lambda self, v: None, lambda self: None)
'Gets or sets the text used for ToolTips.\n\n\n\nGet: ToolTipText(self: DataGridViewColumn) -> str\n\n\n\nSet: ToolTipText(self: DataGridViewColumn)=value\n\n'
value_type = property(lambda self: object(), lambda self, v: None, lambda self: None)
"Gets or sets the data type of the values in the column's cells.\n\n\n\nGet: ValueType(self: DataGridViewColumn) -> Type\n\n\n\nSet: ValueType(self: DataGridViewColumn)=value\n\n"
visible = property(lambda self: object(), lambda self, v: None, lambda self: None)
'Gets or sets a value indicating whether the column is visible.\n\n\n\nGet: Visible(self: DataGridViewColumn) -> bool\n\n\n\nSet: Visible(self: DataGridViewColumn)=value\n\n'
width = property(lambda self: object(), lambda self, v: None, lambda self: None)
'Gets or sets the current width of the column.\n\n\n\nGet: Width(self: DataGridViewColumn) -> int\n\n\n\nSet: Width(self: DataGridViewColumn)=value\n\n'
disposed = None |
class Example1:
def __init__(self):
self.field1 = 1
class Example2(Example1):
def __init__(self): # Some valuable comment here
Example1.__init__(self) | class Example1:
def __init__(self):
self.field1 = 1
class Example2(Example1):
def __init__(self):
Example1.__init__(self) |
A, B, C = map(int, input().split())
K = int(input())
for _ in range(K):
if A >= B:
B *= 2
elif B >= C:
C *= 2
if A < B < C:
print('Yes')
else:
print('No')
| (a, b, c) = map(int, input().split())
k = int(input())
for _ in range(K):
if A >= B:
b *= 2
elif B >= C:
c *= 2
if A < B < C:
print('Yes')
else:
print('No') |
"""This module defines custom exceptions
"""
class InvalidItemException(Exception):
"""Exception for when the pipeline tries to process an non-supported item."""
pass
| """This module defines custom exceptions
"""
class Invaliditemexception(Exception):
"""Exception for when the pipeline tries to process an non-supported item."""
pass |
class TestResult:
def __init__(self):
self.runCount = 0
self.errorCount = 0
def testStarted(self):
self.runCount = self.runCount + 1
def testFailed(self):
self.errorCount = self.errorCount + 1
def summary(self):
return "%d run, %d failed" % (self.runCount, self.errorCount)
class TestCase:
def __init__(self, name):
self.name = name
def setUp(self):
pass
def tearDown(self):
pass
def run(self, result):
result.testStarted()
self.setUp()
try:
method = getattr(self, self.name)
method()
except:
result.testFailed()
self.tearDown()
class WasRun(TestCase):
def setUp(self):
self.log = "setUp "
def testMethod(self):
self.log = self.log + "testMethod "
def testBrokenMethod(self):
raise Exception
def tearDown(self):
self.log = self.log + "tearDown "
class TestSuite:
def __init__(self):
self.tests = []
def add(self, test):
self.tests.append(test)
def run(self, result):
for test in self.tests:
test.run(result)
class TestCaseTest(TestCase):
def setUp(self):
self.result = TestResult()
def testTemplateMethod(self):
test = WasRun("testMethod")
test.run(self.result)
assert("setUp testMethod tearDown " == test.log)
def testResult(self):
test = WasRun("testMethod")
test.run(self.result)
assert("1 run, 0 failed" == self.result.summary())
def testFailedResult(self):
test = WasRun("testBrokenMethod")
test.run(self.result)
assert("1 run, 1 failed" == self.result.summary())
def testFailedResultFormatting(self):
self.result.testStarted
self.result.testFailed
assert("1 run, 1 failed" == self.result.summary())
def testSuite(self):
suite = TestSuite()
suite.add(WasRun("testMethod"))
suite.add(WasRun("testBrokenMethod"))
suite.run(self.result)
assert("2 run, 1 failed" == self.result.summary())
suite = TestSuite()
suite.add(TestCaseTest("testTemplateMethod"))
suite.add(TestCaseTest("testResult"))
suite.add(TestCaseTest("testFailedResult"))
suite.add(TestCaseTest("testFailedResultFormatting"))
suite.add(TestCaseTest("testSuite"))
result = TestResult()
suite.run(result)
print(result.summary())
| class Testresult:
def __init__(self):
self.runCount = 0
self.errorCount = 0
def test_started(self):
self.runCount = self.runCount + 1
def test_failed(self):
self.errorCount = self.errorCount + 1
def summary(self):
return '%d run, %d failed' % (self.runCount, self.errorCount)
class Testcase:
def __init__(self, name):
self.name = name
def set_up(self):
pass
def tear_down(self):
pass
def run(self, result):
result.testStarted()
self.setUp()
try:
method = getattr(self, self.name)
method()
except:
result.testFailed()
self.tearDown()
class Wasrun(TestCase):
def set_up(self):
self.log = 'setUp '
def test_method(self):
self.log = self.log + 'testMethod '
def test_broken_method(self):
raise Exception
def tear_down(self):
self.log = self.log + 'tearDown '
class Testsuite:
def __init__(self):
self.tests = []
def add(self, test):
self.tests.append(test)
def run(self, result):
for test in self.tests:
test.run(result)
class Testcasetest(TestCase):
def set_up(self):
self.result = test_result()
def test_template_method(self):
test = was_run('testMethod')
test.run(self.result)
assert 'setUp testMethod tearDown ' == test.log
def test_result(self):
test = was_run('testMethod')
test.run(self.result)
assert '1 run, 0 failed' == self.result.summary()
def test_failed_result(self):
test = was_run('testBrokenMethod')
test.run(self.result)
assert '1 run, 1 failed' == self.result.summary()
def test_failed_result_formatting(self):
self.result.testStarted
self.result.testFailed
assert '1 run, 1 failed' == self.result.summary()
def test_suite(self):
suite = test_suite()
suite.add(was_run('testMethod'))
suite.add(was_run('testBrokenMethod'))
suite.run(self.result)
assert '2 run, 1 failed' == self.result.summary()
suite = test_suite()
suite.add(test_case_test('testTemplateMethod'))
suite.add(test_case_test('testResult'))
suite.add(test_case_test('testFailedResult'))
suite.add(test_case_test('testFailedResultFormatting'))
suite.add(test_case_test('testSuite'))
result = test_result()
suite.run(result)
print(result.summary()) |
"""
a set of very basic queries - simply ensure the counts of label
"""
EXPECTED_COUNTS = {
'Case': 35577,
'Sample': 76883,
'Project': 172,
'Aliquot': 849801,
'DrugResponse': 641610,
'G2PAssociation': 50099,
'Gene': 63677,
'GenomicFeature': 5941,
'Allele': 4023292,
'Phenotype': 3234,
'Exon': 737019,
'Protein': 94575,
'PFAMFamily': 17929,
'Transcript': 214804,
}
def count_label(label, V):
""" count label template query """
q = V.hasLabel(label).count()
return list(
q
)[0]['count'], q
def test_expected_vertex_counts(V):
""" iterate through EXPECTED_COUNTS, assert expected_count """
errors = []
for label in EXPECTED_COUNTS.keys():
expected_count = EXPECTED_COUNTS[label]
actual_count, q = count_label(label, V)
if actual_count != expected_count:
errors.append(
'Expected {} {}, got {} q:{}'.format(expected_count, label, actual_count, q.query)
)
if len(errors) != 0:
print(errors)
assert False, 'Expected no errors'
| """
a set of very basic queries - simply ensure the counts of label
"""
expected_counts = {'Case': 35577, 'Sample': 76883, 'Project': 172, 'Aliquot': 849801, 'DrugResponse': 641610, 'G2PAssociation': 50099, 'Gene': 63677, 'GenomicFeature': 5941, 'Allele': 4023292, 'Phenotype': 3234, 'Exon': 737019, 'Protein': 94575, 'PFAMFamily': 17929, 'Transcript': 214804}
def count_label(label, V):
""" count label template query """
q = V.hasLabel(label).count()
return (list(q)[0]['count'], q)
def test_expected_vertex_counts(V):
""" iterate through EXPECTED_COUNTS, assert expected_count """
errors = []
for label in EXPECTED_COUNTS.keys():
expected_count = EXPECTED_COUNTS[label]
(actual_count, q) = count_label(label, V)
if actual_count != expected_count:
errors.append('Expected {} {}, got {} q:{}'.format(expected_count, label, actual_count, q.query))
if len(errors) != 0:
print(errors)
assert False, 'Expected no errors' |
"""terrainbento **UniformPrecipitator**."""
class UniformPrecipitator(object):
"""Generate uniform precipitation.
UniformPrecipitator populates the at-node field "rainfall__flux" with a
value provided by the keyword argument ``rainfall_flux``.
To make discharge proprortional to drainage area, use the default value
of 1.
Examples
--------
>>> from landlab import RasterModelGrid
>>> from terrainbento import UniformPrecipitator
>>> grid = RasterModelGrid((5,5))
>>> precipitator = UniformPrecipitator(grid, rainfall_flux=3.4)
>>> grid.at_node["rainfall__flux"].reshape(grid.shape)
array([[ 3.4, 3.4, 3.4, 3.4, 3.4],
[ 3.4, 3.4, 3.4, 3.4, 3.4],
[ 3.4, 3.4, 3.4, 3.4, 3.4],
[ 3.4, 3.4, 3.4, 3.4, 3.4],
[ 3.4, 3.4, 3.4, 3.4, 3.4]])
>>> precipitator.run_one_step(10)
>>> grid.at_node["rainfall__flux"].reshape(grid.shape)
array([[ 3.4, 3.4, 3.4, 3.4, 3.4],
[ 3.4, 3.4, 3.4, 3.4, 3.4],
[ 3.4, 3.4, 3.4, 3.4, 3.4],
[ 3.4, 3.4, 3.4, 3.4, 3.4],
[ 3.4, 3.4, 3.4, 3.4, 3.4]])
"""
def __init__(self, grid, rainfall_flux=1.0):
"""
Parameters
----------
grid : model grid
rainfall_flux : float, optional
Rainfall flux. Default value is 1.0.
"""
self._rainfall_flux = rainfall_flux
if "rainfall__flux" not in grid.at_node:
grid.add_ones("node", "rainfall__flux")
grid.at_node["rainfall__flux"][:] = rainfall_flux
def run_one_step(self, step):
"""Run **UniformPrecipitator** forward by duration ``step``"""
pass
| """terrainbento **UniformPrecipitator**."""
class Uniformprecipitator(object):
"""Generate uniform precipitation.
UniformPrecipitator populates the at-node field "rainfall__flux" with a
value provided by the keyword argument ``rainfall_flux``.
To make discharge proprortional to drainage area, use the default value
of 1.
Examples
--------
>>> from landlab import RasterModelGrid
>>> from terrainbento import UniformPrecipitator
>>> grid = RasterModelGrid((5,5))
>>> precipitator = UniformPrecipitator(grid, rainfall_flux=3.4)
>>> grid.at_node["rainfall__flux"].reshape(grid.shape)
array([[ 3.4, 3.4, 3.4, 3.4, 3.4],
[ 3.4, 3.4, 3.4, 3.4, 3.4],
[ 3.4, 3.4, 3.4, 3.4, 3.4],
[ 3.4, 3.4, 3.4, 3.4, 3.4],
[ 3.4, 3.4, 3.4, 3.4, 3.4]])
>>> precipitator.run_one_step(10)
>>> grid.at_node["rainfall__flux"].reshape(grid.shape)
array([[ 3.4, 3.4, 3.4, 3.4, 3.4],
[ 3.4, 3.4, 3.4, 3.4, 3.4],
[ 3.4, 3.4, 3.4, 3.4, 3.4],
[ 3.4, 3.4, 3.4, 3.4, 3.4],
[ 3.4, 3.4, 3.4, 3.4, 3.4]])
"""
def __init__(self, grid, rainfall_flux=1.0):
"""
Parameters
----------
grid : model grid
rainfall_flux : float, optional
Rainfall flux. Default value is 1.0.
"""
self._rainfall_flux = rainfall_flux
if 'rainfall__flux' not in grid.at_node:
grid.add_ones('node', 'rainfall__flux')
grid.at_node['rainfall__flux'][:] = rainfall_flux
def run_one_step(self, step):
"""Run **UniformPrecipitator** forward by duration ``step``"""
pass |
#Topic Class for handling msg from device
#Jon Durrant
#17-Sep-2021
#Topic handler superclass. Respond to a message on a particular topic channel
class Topic:
# handle a topic message
# @param topicName - string name of the topic
# @param data - string data
# @param twin - twin interface to use for any responce or getting to state
#
def handle(self, topicName : str, data : object, twin):
return ;
| class Topic:
def handle(self, topicName: str, data: object, twin):
return |
# capitlize certain letters in plain text
# how to decide which letters to capitalize ?
# => Idea1: bool array with same length as plain_text
# -> set the required letters (positions) to True
# specify letters -> use range (start, end) position
class FormattedText:
def __init__(self, plain_text):
self.plain_text = plain_text
## NOTE:
# storing all bool values of size of text
# which is not needed
self.caps = [False] * len(plain_text)
# set the positions for letters to capitalize to True
def capitalize(self, start, end):
for i in range(start, end):
self.caps[i] = True
def __str__(self):
result = []
# generate capitalized string
for i in range(len(self.plain_text)):
c = self.plain_text[i]
result.append(
c.upper() if self.caps[i] else c
)
return ''.join(result)
class BetterFormattedText:
def __init__(self, plain_text):
self.plain_text = plain_text
self.formatting = []
# FLYWEIGHT class
# works on range of chars and applies some operation to them
class TextRange:
def __init__(self, start, end, capitalize=False):
self.start = start
self.end = end
self.capitalize = capitalize
# check if given position is in between start, end
def covers(self, pos):
return self.start <= pos <= self.end
# getting range and add to formatting
def get_range(self, start, end):
range = self.TextRange(start, end)
self.formatting.append(range)
return range # in order to add more formatting after returning
def __str__(self):
result = []
# for every position in text
for i in range(len(self.plain_text)):
c = self.plain_text[i]
for r in self.formatting:
# check if this pos is covered by formatting
# for ex. if this letter needs to be capitalized
if r.covers(i) and r.capitalize:
c = c.upper()
result.append(c)
return ''.join(result)
if __name__ == "__main__":
text = 'This is a brave new world'
ft = FormattedText(text)
ft.capitalize(10, 15)
print(ft) # This is a BRAVE new world
## we don't need bool array with size(text),
# use flyweight pattern instead
bft = BetterFormattedText(text)
bft.get_range(16, 19).capitalize = True
print(bft) # This is a brave NEW world
| class Formattedtext:
def __init__(self, plain_text):
self.plain_text = plain_text
self.caps = [False] * len(plain_text)
def capitalize(self, start, end):
for i in range(start, end):
self.caps[i] = True
def __str__(self):
result = []
for i in range(len(self.plain_text)):
c = self.plain_text[i]
result.append(c.upper() if self.caps[i] else c)
return ''.join(result)
class Betterformattedtext:
def __init__(self, plain_text):
self.plain_text = plain_text
self.formatting = []
class Textrange:
def __init__(self, start, end, capitalize=False):
self.start = start
self.end = end
self.capitalize = capitalize
def covers(self, pos):
return self.start <= pos <= self.end
def get_range(self, start, end):
range = self.TextRange(start, end)
self.formatting.append(range)
return range
def __str__(self):
result = []
for i in range(len(self.plain_text)):
c = self.plain_text[i]
for r in self.formatting:
if r.covers(i) and r.capitalize:
c = c.upper()
result.append(c)
return ''.join(result)
if __name__ == '__main__':
text = 'This is a brave new world'
ft = formatted_text(text)
ft.capitalize(10, 15)
print(ft)
bft = better_formatted_text(text)
bft.get_range(16, 19).capitalize = True
print(bft) |
class Solution:
"""
@param S: a string
@return: return a list of strings
"""
def letterCasePermutation(self, S):
return self.dfs(S, 0, {})
def dfs(self, S, idx, records):
if idx == len(S):
return [""]
if idx in records:
return records[idx]
results = []
next_strs = self.dfs(S, idx + 1, records)
if S[idx].isdigit():
for s in next_strs:
results.append(S[idx] + s)
else:
for s in next_strs:
results.append(S[idx].lower() + s)
results.append(S[idx].upper() + s)
records[idx] = results
return results | class Solution:
"""
@param S: a string
@return: return a list of strings
"""
def letter_case_permutation(self, S):
return self.dfs(S, 0, {})
def dfs(self, S, idx, records):
if idx == len(S):
return ['']
if idx in records:
return records[idx]
results = []
next_strs = self.dfs(S, idx + 1, records)
if S[idx].isdigit():
for s in next_strs:
results.append(S[idx] + s)
else:
for s in next_strs:
results.append(S[idx].lower() + s)
results.append(S[idx].upper() + s)
records[idx] = results
return results |
# Copyright (c) Microsoft Corporation.
# Licensed under the MIT license.
_multi_phase = False
def enable_multi_phase():
global _multi_phase
_multi_phase = True
def multi_phase_enabled():
return _multi_phase
| _multi_phase = False
def enable_multi_phase():
global _multi_phase
_multi_phase = True
def multi_phase_enabled():
return _multi_phase |
def numbers_divisible_by_5_and_7_between_values(start_value, end_value):
result = []
for e in range(start_value, end_value + 1, 5):
if e % 7 == 0:
result.append(e)
return result
def numbers_divisible_by_5_and_13_between_values(start_value, end_value):
result = []
for e in range(start_value, end_value + 1, 5):
if e % 13 == 0:
result.append(e)
return result
if __name__ == "__main__":
print(numbers_divisible_by_5_and_7_between_values(300, 450))
print(numbers_divisible_by_5_and_13_between_values(300, 450))
| def numbers_divisible_by_5_and_7_between_values(start_value, end_value):
result = []
for e in range(start_value, end_value + 1, 5):
if e % 7 == 0:
result.append(e)
return result
def numbers_divisible_by_5_and_13_between_values(start_value, end_value):
result = []
for e in range(start_value, end_value + 1, 5):
if e % 13 == 0:
result.append(e)
return result
if __name__ == '__main__':
print(numbers_divisible_by_5_and_7_between_values(300, 450))
print(numbers_divisible_by_5_and_13_between_values(300, 450)) |
class Constants:
def __init__(self):
self.version = "0.1a"
self.paste_url = "https://pastebin.com/api/api_post.php"
self.user_url = "https://pastebin.com/api/api_login.php"
self.raw_paste_url = "https://pastebin.com/api/api_raw.php"
self.headers = {
"X-Library": "PasteBunny %s " % self.version,
"X-Language": "Python 3.6"
}
def get_paste_url(self):
return self.paste_url
def get_user_url(self):
return self.user_url
def get_raw_url(self):
return self.raw_paste_url
def get_headers(self):
return self.headers
class Expiry:
NEVER = "N"
MINUTES_10 = "10M"
HOUR = "1H"
DAY = "1D"
WEEK = "1W"
WEEKS_2 = "2W"
MONTH = "1M"
MONTHS_6 = "6M"
YEAR = "1Y"
class Privacy:
PUBLIC = "0"
UNLISTED = "1"
PRIVATE = "2"
class Format:
"""
I have a life, I don't plan to do this by myself
"""
NAN = "text"
PYTHON = "python"
PHP = "php"
PERL = "perl"
RUBY = "ruby"
JAVASCRIPT = "javascript"
JAVA = "java"
| class Constants:
def __init__(self):
self.version = '0.1a'
self.paste_url = 'https://pastebin.com/api/api_post.php'
self.user_url = 'https://pastebin.com/api/api_login.php'
self.raw_paste_url = 'https://pastebin.com/api/api_raw.php'
self.headers = {'X-Library': 'PasteBunny %s ' % self.version, 'X-Language': 'Python 3.6'}
def get_paste_url(self):
return self.paste_url
def get_user_url(self):
return self.user_url
def get_raw_url(self):
return self.raw_paste_url
def get_headers(self):
return self.headers
class Expiry:
never = 'N'
minutes_10 = '10M'
hour = '1H'
day = '1D'
week = '1W'
weeks_2 = '2W'
month = '1M'
months_6 = '6M'
year = '1Y'
class Privacy:
public = '0'
unlisted = '1'
private = '2'
class Format:
"""
I have a life, I don't plan to do this by myself
"""
nan = 'text'
python = 'python'
php = 'php'
perl = 'perl'
ruby = 'ruby'
javascript = 'javascript'
java = 'java' |
#!/usr/bin/python
# -*- coding: iso8859-1 -*-
# This should be not uploaded to repo, but since we're using test credentials is ok
# Should use env variables, local_settings not uploaded to repo or pass protect this
BASE_URL = 'http://22566bf6.ngrok.io/' # This might change with ngrok everytime...need to set it each time
SECRETKEYPROD = ""
SECRETKEYTEST = "0123456789ABCDEF0123456789ABCDEF0123456789ABCDEF0123456789ABCDEF0123456789ABCDEF0123456789ABCDEF0123456789ABCDEF0123456789ABCDEF"
PBX_SITE = "1999888"
PBX_IDENTIFIANT = "107904482"
PBX_RANG = "32" # two digits | base_url = 'http://22566bf6.ngrok.io/'
secretkeyprod = ''
secretkeytest = '0123456789ABCDEF0123456789ABCDEF0123456789ABCDEF0123456789ABCDEF0123456789ABCDEF0123456789ABCDEF0123456789ABCDEF0123456789ABCDEF'
pbx_site = '1999888'
pbx_identifiant = '107904482'
pbx_rang = '32' |
"""A macro that wraps a script to generate an object that maps routes to their entry data"""
load("@build_bazel_rules_nodejs//:index.bzl", "nodejs_binary", "npm_package_bin")
def generate_route_manifest(name, routes):
"""Generates a json file that is a representation of all routes.
Args:
name: name of the invocation
routes: the sources from the //src/routes rule to be used in the script
Returns:
the generated manifest
"""
nodejs_binary(
name = "bin",
data = [
Label("//spa/private/routes:generate-route-manifest.js"),
],
entry_point = Label("//spa/private/routes:generate-route-manifest.js"),
)
npm_package_bin(
name = "route_manifest",
tool = ":bin",
data = [routes],
args = [
"$(execpath %s)" % routes,
],
stdout = "route.manifest.json",
visibility = ["//visibility:public"],
)
| """A macro that wraps a script to generate an object that maps routes to their entry data"""
load('@build_bazel_rules_nodejs//:index.bzl', 'nodejs_binary', 'npm_package_bin')
def generate_route_manifest(name, routes):
"""Generates a json file that is a representation of all routes.
Args:
name: name of the invocation
routes: the sources from the //src/routes rule to be used in the script
Returns:
the generated manifest
"""
nodejs_binary(name='bin', data=[label('//spa/private/routes:generate-route-manifest.js')], entry_point=label('//spa/private/routes:generate-route-manifest.js'))
npm_package_bin(name='route_manifest', tool=':bin', data=[routes], args=['$(execpath %s)' % routes], stdout='route.manifest.json', visibility=['//visibility:public']) |
# avax-python : Python tools for the exploration of the Avalanche AVAX network.
#
# Find tutorials and use cases at https://crypto.bi
"""
Copyright (C) 2021 - crypto.bi
Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software.
# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
---
Help support this Open Source project!
Donations address: X-avax1qr6yzjykcjmeflztsgv6y88dl0xnlel3chs3r4
Thank you!
"""
# --#--#--
class AvaxStructured:
"""Utility class to generate __repr__ according to serialized field tags."""
def __struct__(self):
"""
__struct__() should provide a JSON-friendly Python representation of an object tree
All AvaxStructured objects automatically inherit this general implementation, but are
encouraged to provide their own for more fine grained representation.
__struct__ does not return JSON. It simply structures Python objects into JSON-compatible types.
That way the structure can be encoded in other formats if necessary.
"""
_d = {}
for field_key, field_dict in self._avax_tags:
attr = getattr(self, field_key)
j_key = field_key
if "json" in field_dict and len(field_dict["json"]) > 0:
j_key = field_dict["json"]
if "__struct__" in dir(attr):
_d[j_key] = attr.__struct__()
else:
_d[j_key] = attr
return _d
def __repr__(self):
return str(self.__struct__())
| """
Copyright (C) 2021 - crypto.bi
Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software.
# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
---
Help support this Open Source project!
Donations address: X-avax1qr6yzjykcjmeflztsgv6y88dl0xnlel3chs3r4
Thank you!
"""
class Avaxstructured:
"""Utility class to generate __repr__ according to serialized field tags."""
def __struct__(self):
"""
__struct__() should provide a JSON-friendly Python representation of an object tree
All AvaxStructured objects automatically inherit this general implementation, but are
encouraged to provide their own for more fine grained representation.
__struct__ does not return JSON. It simply structures Python objects into JSON-compatible types.
That way the structure can be encoded in other formats if necessary.
"""
_d = {}
for (field_key, field_dict) in self._avax_tags:
attr = getattr(self, field_key)
j_key = field_key
if 'json' in field_dict and len(field_dict['json']) > 0:
j_key = field_dict['json']
if '__struct__' in dir(attr):
_d[j_key] = attr.__struct__()
else:
_d[j_key] = attr
return _d
def __repr__(self):
return str(self.__struct__()) |
class Superman:
def __init__(self):
self.superpowers = ['flight']
def print_superpowers(self):
print(f"Superpowers {self.superpowers}")
sm = Superman()
sm.print_superpowers()
class Megaman(Superman):
def __init__(self, megaman_powers=[]):
super().__init__()
self.superpowers.extend(megaman_powers)
mm = Megaman(megaman_powers=['x-ray vision', 'insane speed'])
mm.print_superpowers() | class Superman:
def __init__(self):
self.superpowers = ['flight']
def print_superpowers(self):
print(f'Superpowers {self.superpowers}')
sm = superman()
sm.print_superpowers()
class Megaman(Superman):
def __init__(self, megaman_powers=[]):
super().__init__()
self.superpowers.extend(megaman_powers)
mm = megaman(megaman_powers=['x-ray vision', 'insane speed'])
mm.print_superpowers() |
# List Comprehension is sort of like Map + Filter
numbers_list = range(10)
# Basic list comprehension (map)
doubled = [x * 2 for x in numbers_list]
print(doubled)
# Basic list comprehension (filter)
evens = [x for x in numbers_list if x % 2 == 0]
print(evens)
# list comprehension (map + filter)
doubled_evens = [x * 2 for x in numbers_list if x % 2 == 0]
print(doubled_evens)
# list comprehension (if else)
processed_data = [x * 2 if x % 2 == 0 else x * 10 for x in numbers_list]
print(processed_data)
| numbers_list = range(10)
doubled = [x * 2 for x in numbers_list]
print(doubled)
evens = [x for x in numbers_list if x % 2 == 0]
print(evens)
doubled_evens = [x * 2 for x in numbers_list if x % 2 == 0]
print(doubled_evens)
processed_data = [x * 2 if x % 2 == 0 else x * 10 for x in numbers_list]
print(processed_data) |
"""
Definition of TreeNode:
class TreeNode:
def __init__(self, val):
self.val = val
self.left, self.right = None, None
"""
# Version 1: Inorder traverse, Time: O(n)
class Solution:
"""
@param root: the given BST
@param p: the given node
@return: the in-order predecessor of the given node in the BST
"""
def inorderPredecessor(self, root, p):
if root is None:
return None
prev = None
curr = root
stack = []
while curr is not None or len(stack) > 0:
while curr is not None:
stack.append(curr)
curr = curr.left
curr = stack.pop()
if curr is p:
return prev
prev = curr
curr = curr.right
return None
# Version 2: BST, O(logn)
class Solution:
prev = None
"""
@param root: the given BST
@param p: the given node
@return: the in-order predecessor of the given node in the BST
"""
def inorderPredecessor(self, root, p):
if root is None:
return None
if p.val > root.val:
self.prev = root
return self.inorderPredecessor(root.right, p)
elif p.val < root.val:
return self.inorderPredecessor(root.left, p)
else:
if root.left:
predecessor = root.left
while predecessor.right:
predecessor = predecessor.right
return predecessor
else:
return self.prev | """
Definition of TreeNode:
class TreeNode:
def __init__(self, val):
self.val = val
self.left, self.right = None, None
"""
class Solution:
"""
@param root: the given BST
@param p: the given node
@return: the in-order predecessor of the given node in the BST
"""
def inorder_predecessor(self, root, p):
if root is None:
return None
prev = None
curr = root
stack = []
while curr is not None or len(stack) > 0:
while curr is not None:
stack.append(curr)
curr = curr.left
curr = stack.pop()
if curr is p:
return prev
prev = curr
curr = curr.right
return None
class Solution:
prev = None
'\n @param root: the given BST\n @param p: the given node\n @return: the in-order predecessor of the given node in the BST\n '
def inorder_predecessor(self, root, p):
if root is None:
return None
if p.val > root.val:
self.prev = root
return self.inorderPredecessor(root.right, p)
elif p.val < root.val:
return self.inorderPredecessor(root.left, p)
elif root.left:
predecessor = root.left
while predecessor.right:
predecessor = predecessor.right
return predecessor
else:
return self.prev |
#looping in Tuples
#tuple with one element
#tuple unpacking
#list inside tuple
#some function that you can use with tuple
Mixed = (1,2,3,4.0)
#for loop and tuple
for i in Mixed:
print(i)
#you can use while loop too
#tuple with one element
num1 = (1) #that is the class of integer
num2 = (1,) #that is the class of tuple
words = ('word1',)
print(type(num1))
print(type(num2))
print(type(Mixed))
print(type(words))
#tuple without parenthesis
furit = 'Apple', 'Grapes', 'Mango'
print(type(furit))
#tuple unpacking
furits = ('Apple','Mango','Peach','Orange')
furit1, furit2, furit3,furit4 = furits
#if we have n element inside the tuple than we shoul(d n variables for tuples.
# if we have n elements in the tuple and variable are n-1 than error is occured.
print(furit1)
print(furit2)
print(furit4)
print(furits)
#lisde inside the tuple
countries = ('USA', 'India',['Pakistan','Panjab'] )
#we can change our list not tuples
countries[2].pop()
countries[2].append('Sindh')
print(countries)
#some function that you can use with tuple
#min(), max(), sum()
print(min(Mixed))
print(max(Mixed))
print(sum(Mixed)) | mixed = (1, 2, 3, 4.0)
for i in Mixed:
print(i)
num1 = 1
num2 = (1,)
words = ('word1',)
print(type(num1))
print(type(num2))
print(type(Mixed))
print(type(words))
furit = ('Apple', 'Grapes', 'Mango')
print(type(furit))
furits = ('Apple', 'Mango', 'Peach', 'Orange')
(furit1, furit2, furit3, furit4) = furits
print(furit1)
print(furit2)
print(furit4)
print(furits)
countries = ('USA', 'India', ['Pakistan', 'Panjab'])
countries[2].pop()
countries[2].append('Sindh')
print(countries)
print(min(Mixed))
print(max(Mixed))
print(sum(Mixed)) |
class classonlymethod(classmethod):
'''
Descriptor for making class only methods.
A `classonly` method is a class method, which can be called only from the
class itself and not from instances. If called from an instance will
raise ``AttributeError``.
'''
def __get__(self, instance, owner):
if instance is not None:
raise AttributeError(
"Class only methods can not be called from an instance")
return classmethod.__get__(self, instance, owner)
class cachedproperty(object):
'''
Property that memoize it's target method return value.
'''
# The implementation is ripped off django.
def __init__(self, getter):
self.getter = getter
def __get__(self, instance, owner):
result = instance.__dict__[self.getter.__name__] = self.getter(instance)
return result
def curry(function, *curried_args, **curried_kw):
'''
Curries a function or a method with a positional or keyworded arguments.
To be used in places where `functools.partial` can not. For example to
curry methods while still in the class definition. This will not work with
`functools.partial` as it returns a `Partial` object, instead of raw
function.
'''
def curried_function(*args, **kw):
return function(*(curried_args + args), **dict(curried_kw, **kw))
return curried_function
def tap(object, interceptor):
'''
Calls interceptor with `obj` and then return `object`.
'''
interceptor(object)
return object
def setdefaultattr(object, attr, default=None):
'''
Sets a `default` `attr`ibute value on a `object`.
Behaves like :meth:`dict.setdefault`, setting the attribute default value
only if the attribute does not exists on the `obj`ect.
'''
if hasattr(object, attr):
return attr
return tap(default, lambda default: setattr(object, attr, default))
def try_in_order(*functions, **kw):
'''
Tries to execute the `functions` in order and returns the first one that
succeedes.
`args` and `kwargs` if passed as keyword arguments are delegated down to
the functions.
'''
if not functions:
raise TypeError("You must give at least one function to try.")
for fn in functions:
try:
return fn(*kw.get('args', []), **kw.get('kwargs', {}))
except:
continue
raise
class SentinelType(object):
def __nonzero__(self):
return False
__bool__ = __nonzero__
#: Unique singleton.
Sentinel = SentinelType()
#: Returns itself.
identity = lambda obj: obj
| class Classonlymethod(classmethod):
"""
Descriptor for making class only methods.
A `classonly` method is a class method, which can be called only from the
class itself and not from instances. If called from an instance will
raise ``AttributeError``.
"""
def __get__(self, instance, owner):
if instance is not None:
raise attribute_error('Class only methods can not be called from an instance')
return classmethod.__get__(self, instance, owner)
class Cachedproperty(object):
"""
Property that memoize it's target method return value.
"""
def __init__(self, getter):
self.getter = getter
def __get__(self, instance, owner):
result = instance.__dict__[self.getter.__name__] = self.getter(instance)
return result
def curry(function, *curried_args, **curried_kw):
"""
Curries a function or a method with a positional or keyworded arguments.
To be used in places where `functools.partial` can not. For example to
curry methods while still in the class definition. This will not work with
`functools.partial` as it returns a `Partial` object, instead of raw
function.
"""
def curried_function(*args, **kw):
return function(*curried_args + args, **dict(curried_kw, **kw))
return curried_function
def tap(object, interceptor):
"""
Calls interceptor with `obj` and then return `object`.
"""
interceptor(object)
return object
def setdefaultattr(object, attr, default=None):
"""
Sets a `default` `attr`ibute value on a `object`.
Behaves like :meth:`dict.setdefault`, setting the attribute default value
only if the attribute does not exists on the `obj`ect.
"""
if hasattr(object, attr):
return attr
return tap(default, lambda default: setattr(object, attr, default))
def try_in_order(*functions, **kw):
"""
Tries to execute the `functions` in order and returns the first one that
succeedes.
`args` and `kwargs` if passed as keyword arguments are delegated down to
the functions.
"""
if not functions:
raise type_error('You must give at least one function to try.')
for fn in functions:
try:
return fn(*kw.get('args', []), **kw.get('kwargs', {}))
except:
continue
raise
class Sentineltype(object):
def __nonzero__(self):
return False
__bool__ = __nonzero__
sentinel = sentinel_type()
identity = lambda obj: obj |
ACTIVATED_MSG = (200, "Successfully_activated")
DEACTIVATED_MSG = (200, "Successfully_deactivated")
DELETE_IMG = (204, "image_deleted")
SENT_SMS_MSG = (403, 'Message_Didnt_send')
NOT_SENT_SMS_MSG = (200, 'Message_sent')
NOT_VALID_CODE = (422, 'Code_is_not_valid')
STILL_HAS_VALID_CODE = (403, 'Phone_already_has_valid_code')
PASSWORD_CHANGED = (200, "Password_changed_successfully")
OLD_PASSWORD_NOT_VALID = (403, 'Old_password_is_not_valid')
USER_IS_NOT_ACTIVE = (401, "User_is_not_activate")
TOKEN_EXPIRED = (401, "Token_Expired")
AUTHENTICATION_ERROR = (401, "Unable_to_authenticate_User")
IP_BANNED_ERROR = (401, "yur_ip_has_been_banned")
| activated_msg = (200, 'Successfully_activated')
deactivated_msg = (200, 'Successfully_deactivated')
delete_img = (204, 'image_deleted')
sent_sms_msg = (403, 'Message_Didnt_send')
not_sent_sms_msg = (200, 'Message_sent')
not_valid_code = (422, 'Code_is_not_valid')
still_has_valid_code = (403, 'Phone_already_has_valid_code')
password_changed = (200, 'Password_changed_successfully')
old_password_not_valid = (403, 'Old_password_is_not_valid')
user_is_not_active = (401, 'User_is_not_activate')
token_expired = (401, 'Token_Expired')
authentication_error = (401, 'Unable_to_authenticate_User')
ip_banned_error = (401, 'yur_ip_has_been_banned') |
"""Classes to organize the ouput of GLSL shader parsing"""
class Identifier:
def __init__(self, name, index, swizzle):
self.name = name
self.index = None
self.swizzle = None
def __repr__(self):
r = ["Ident(name=", self.name]
if self.index != None:
r.append(", index={}".format(self.index))
if self.swizzle:
r.append(", swizzle={}".format(self.swizzle))
r.append(")")
return "".join(r)
def __str__(self):
s = [self.name]
if self.index != None:
s.extend(["[", str(self.index), "]"])
if self.swizzle:
s.extend([".", self.swizzle])
return "".join(s)
class Define:
def __init__(self, dest, src):
self.src = src
self.dest = dest
def __repr__(self):
return "Define(dest={!r} src={!r})".format(self.dest, self.src)
def __str__(self):
return "#define {} {}".format(self.dest, self.src)
class Declare:
def __init__(self, qualifier, dtype, ident, value=None):
self.qualifier = qualifier
self.type = dtype
self.ident = ident
self.value = value
def __repr__(self):
return "Declare(qual={} type={} ident={!r} value={!r})".format(
self.qualifier, self.type, self.ident, self.value)
def __str__(self):
s = []
if self.qualifier:
s.append(self.qualifier)
s.append(self.type)
s.append(str(self.ident))
if self.value:
s.extend(["=", str(self.value)])
return " ".join(s) + ";"
class Assignment:
def __init__(self, dtype, value):
self.type = dtype
self.value = value
def __repr__(self):
return "Assign(type={}, value={!r})".format(self.type, self.value)
def __str__(self):
values = ", ".join(map(str, self.value))
return "{}({})".format(self.type, values)
class Function:
def __init__(self, name, params):
self.name = name
self.params = params
def __repr__(self):
return "Func(name={}, params={!r})".format(self.name, self.params)
def __str__(self):
return "{}({})".format(self.name, ", ".join(map(str, self.params)))
class Instruction:
def __init__(self, ident, expr):
self.ident = ident
self.expression = expr
def __repr__(self):
return "Ins(ident={!r}, expr={!r})".format(self.ident, self.expression)
def __str__(self):
return "{} = {};".format(self.ident, " ".join(map(str, self.expression)))
class Unary:
def __init__(self, op, param):
self.operation = op
self.param = param
def __repr__(self):
return "Unary(op={}, expr={!r})".format(self.operation, self.param)
def __str__(self):
return "{}{}".format(self.operation, self.param)
class Binary:
def __init__(self, op, paraml, paramr, precedence=False):
self.operation = op
self.param_left = paraml
self.param_right = paramr
self.precedence = precedence
def __repr__(self):
return "Binary(op={} pl={!r} pr={!r} prec={})".format(
self.operation, self.param_left,
self.param_right, self.precedence)
def __str__(self):
return "{}{} {} {}{}".format(
"(" if self.precedence else "",
self.param_left,
self.operation,
self.param_right,
")" if self.precedence else ""
)
class Ternary:
def __init__(self, cond, expr_true, expr_false):
self.condition = cond
self.expr_true = expr_true
self.expr_false = expr_false
def __repr__(self):
return "Ternary(codn={!r} true={!r} false={!r})".format(
self.condition, self.expr_true, self.expr_false)
def __str__(self):
return "(({}) ? {} : {})".format(
self.condition,
self.expr_true,
self.expr_false,
)
class FloatLiteral:
"""Want to keep the string for equivalence (i.e. scientific notation)"""
def __init__(self, string):
self.value = float(string)
self.string = string
def __repr__(self):
return "Float(v={}, s={})".format(self.value, self.string)
def __str__(self):
if self.string:
return self.string
else:
return str(self.value)
class IfBlock:
def __init__(self, comp, if_block, else_block):
self.comparison = comp
self.if_block = if_block
self.else_block = else_block
def __repr__(self):
return "If(comp={!r}, if={}, else={})".format(
self.comparison, self.if_block, self.else_block)
def __str__(self):
return "if ({})".format(self.comparison)
class InlineIf:
def __init__(self, func, command):
self.function = func
self.command = command
def __repr__(self):
return "IfInline(func={}, cmd={})".format(self.function, self.command)
def __str__(self):
return "if ({}) {};".format(self.function, self.command)
# creator/factory functions for above classes
def new_ident(tokens, store):
ident = Identifier(None, None, None)
if "name" in tokens:
ident.name = tokens["name"]
if "array_index" in tokens and len(tokens["array_index"]) == 1:
ident.index = int(tokens["array_index"][0])
if "swizzle" in tokens and len(tokens["swizzle"]) == 1:
ident.swizzle = tokens["swizzle"][0]
if not ident.name in store:
store[ident.name] = [ident]
else:
store[ident.name].append(ident)
return ident
def new_declare(tokens):
if "qualifier" in tokens:
return Declare(tokens[0], tokens[1], tokens[2])
else:
return Declare(None, tokens[0], tokens[1])
def new_assign(tokens):
if isinstance(tokens[0], Declare) and isinstance(tokens[1], Assignment):
d = tokens[0]
d.value = tokens[1]
return d
def new_binary(tokens):
ops = "+ - * / > < >= <= == !=".split()
nested = 0
op = None
preced = False
param = []
binary = Binary(None, None, None)
for t in tokens:
if t == "(":
nested += 1
preced = True
elif t == ")":
nested -= 1
elif t in ops:
if nested == 0:
binary.operation = t
if preced:
try:
# if param is a Binary, add precedence
# should be single param
assert len(param) == 1
param[0].precedence = preced
except:
raise
binary.param_left = param[0]
param = []
preced = False
else:
param.append(t)
assert len(param) == 1
binary.param_right = param[0]
return binary
def new_if_block(tokens):
# check for the special case
if "discard_func" in tokens:
return InlineIf(tokens["discard_func"], "discard")
# determine whether its a if or an if/else
if_block = IfBlock(None, None, None)
if "if_block" in tokens:
if_block.comparison = tokens["if_comp"]
if_block.if_block = tokens["if_block"]
if "else_block" in tokens:
if_block.else_block = tokens["else_block"]
return if_block
| """Classes to organize the ouput of GLSL shader parsing"""
class Identifier:
def __init__(self, name, index, swizzle):
self.name = name
self.index = None
self.swizzle = None
def __repr__(self):
r = ['Ident(name=', self.name]
if self.index != None:
r.append(', index={}'.format(self.index))
if self.swizzle:
r.append(', swizzle={}'.format(self.swizzle))
r.append(')')
return ''.join(r)
def __str__(self):
s = [self.name]
if self.index != None:
s.extend(['[', str(self.index), ']'])
if self.swizzle:
s.extend(['.', self.swizzle])
return ''.join(s)
class Define:
def __init__(self, dest, src):
self.src = src
self.dest = dest
def __repr__(self):
return 'Define(dest={!r} src={!r})'.format(self.dest, self.src)
def __str__(self):
return '#define {} {}'.format(self.dest, self.src)
class Declare:
def __init__(self, qualifier, dtype, ident, value=None):
self.qualifier = qualifier
self.type = dtype
self.ident = ident
self.value = value
def __repr__(self):
return 'Declare(qual={} type={} ident={!r} value={!r})'.format(self.qualifier, self.type, self.ident, self.value)
def __str__(self):
s = []
if self.qualifier:
s.append(self.qualifier)
s.append(self.type)
s.append(str(self.ident))
if self.value:
s.extend(['=', str(self.value)])
return ' '.join(s) + ';'
class Assignment:
def __init__(self, dtype, value):
self.type = dtype
self.value = value
def __repr__(self):
return 'Assign(type={}, value={!r})'.format(self.type, self.value)
def __str__(self):
values = ', '.join(map(str, self.value))
return '{}({})'.format(self.type, values)
class Function:
def __init__(self, name, params):
self.name = name
self.params = params
def __repr__(self):
return 'Func(name={}, params={!r})'.format(self.name, self.params)
def __str__(self):
return '{}({})'.format(self.name, ', '.join(map(str, self.params)))
class Instruction:
def __init__(self, ident, expr):
self.ident = ident
self.expression = expr
def __repr__(self):
return 'Ins(ident={!r}, expr={!r})'.format(self.ident, self.expression)
def __str__(self):
return '{} = {};'.format(self.ident, ' '.join(map(str, self.expression)))
class Unary:
def __init__(self, op, param):
self.operation = op
self.param = param
def __repr__(self):
return 'Unary(op={}, expr={!r})'.format(self.operation, self.param)
def __str__(self):
return '{}{}'.format(self.operation, self.param)
class Binary:
def __init__(self, op, paraml, paramr, precedence=False):
self.operation = op
self.param_left = paraml
self.param_right = paramr
self.precedence = precedence
def __repr__(self):
return 'Binary(op={} pl={!r} pr={!r} prec={})'.format(self.operation, self.param_left, self.param_right, self.precedence)
def __str__(self):
return '{}{} {} {}{}'.format('(' if self.precedence else '', self.param_left, self.operation, self.param_right, ')' if self.precedence else '')
class Ternary:
def __init__(self, cond, expr_true, expr_false):
self.condition = cond
self.expr_true = expr_true
self.expr_false = expr_false
def __repr__(self):
return 'Ternary(codn={!r} true={!r} false={!r})'.format(self.condition, self.expr_true, self.expr_false)
def __str__(self):
return '(({}) ? {} : {})'.format(self.condition, self.expr_true, self.expr_false)
class Floatliteral:
"""Want to keep the string for equivalence (i.e. scientific notation)"""
def __init__(self, string):
self.value = float(string)
self.string = string
def __repr__(self):
return 'Float(v={}, s={})'.format(self.value, self.string)
def __str__(self):
if self.string:
return self.string
else:
return str(self.value)
class Ifblock:
def __init__(self, comp, if_block, else_block):
self.comparison = comp
self.if_block = if_block
self.else_block = else_block
def __repr__(self):
return 'If(comp={!r}, if={}, else={})'.format(self.comparison, self.if_block, self.else_block)
def __str__(self):
return 'if ({})'.format(self.comparison)
class Inlineif:
def __init__(self, func, command):
self.function = func
self.command = command
def __repr__(self):
return 'IfInline(func={}, cmd={})'.format(self.function, self.command)
def __str__(self):
return 'if ({}) {};'.format(self.function, self.command)
def new_ident(tokens, store):
ident = identifier(None, None, None)
if 'name' in tokens:
ident.name = tokens['name']
if 'array_index' in tokens and len(tokens['array_index']) == 1:
ident.index = int(tokens['array_index'][0])
if 'swizzle' in tokens and len(tokens['swizzle']) == 1:
ident.swizzle = tokens['swizzle'][0]
if not ident.name in store:
store[ident.name] = [ident]
else:
store[ident.name].append(ident)
return ident
def new_declare(tokens):
if 'qualifier' in tokens:
return declare(tokens[0], tokens[1], tokens[2])
else:
return declare(None, tokens[0], tokens[1])
def new_assign(tokens):
if isinstance(tokens[0], Declare) and isinstance(tokens[1], Assignment):
d = tokens[0]
d.value = tokens[1]
return d
def new_binary(tokens):
ops = '+ - * / > < >= <= == !='.split()
nested = 0
op = None
preced = False
param = []
binary = binary(None, None, None)
for t in tokens:
if t == '(':
nested += 1
preced = True
elif t == ')':
nested -= 1
elif t in ops:
if nested == 0:
binary.operation = t
if preced:
try:
assert len(param) == 1
param[0].precedence = preced
except:
raise
binary.param_left = param[0]
param = []
preced = False
else:
param.append(t)
assert len(param) == 1
binary.param_right = param[0]
return binary
def new_if_block(tokens):
if 'discard_func' in tokens:
return inline_if(tokens['discard_func'], 'discard')
if_block = if_block(None, None, None)
if 'if_block' in tokens:
if_block.comparison = tokens['if_comp']
if_block.if_block = tokens['if_block']
if 'else_block' in tokens:
if_block.else_block = tokens['else_block']
return if_block |
inutil = input()
a = [int(x) for x in input().split()]
b = [int(x) for x in input().split()]
temp = True
temp2 = True
for index,i in enumerate(b):
if i not in a:
temp = False
for n in b[0:index]:
for m in b[0:index]:
if m+n == i:
temp = True
if not temp:
print(i)
temp2 = False
break
if temp2:
print("sim")
| inutil = input()
a = [int(x) for x in input().split()]
b = [int(x) for x in input().split()]
temp = True
temp2 = True
for (index, i) in enumerate(b):
if i not in a:
temp = False
for n in b[0:index]:
for m in b[0:index]:
if m + n == i:
temp = True
if not temp:
print(i)
temp2 = False
break
if temp2:
print('sim') |
class RenderMethod:
def __init__(self, image):
self.image = image
def to_string(self):
raise NotImplementedError('Renderer::to_string() should be implemented!')
| class Rendermethod:
def __init__(self, image):
self.image = image
def to_string(self):
raise not_implemented_error('Renderer::to_string() should be implemented!') |
"""
Given an array of distinct integers,
find length of the longest subarray which contains numbers that can be arranged in a continuous sequence.
Examples:
Input: arr[] = {10, 12, 11};
Output: Length of the longest contiguous subarray is 3
Input: arr[] = {14, 12, 11, 20};
Output: Length of the longest contiguous subarray is 2
Input: arr[] = {1, 56, 58, 57, 90, 92, 94, 93, 91, 45};
Output: Length of the longest contiguous subarray is 5
"""
def find_length(arr):
arr.sort()
n = len(arr)
long_len = 1
result = []
start = 0
while start < n-1:
if arr[start] == arr[start+1] - 1:
long_len += 1
else:
result.append(long_len)
long_len = 1
start += 1
result.append(long_len)
if max(result) != 1:
return max(result)
else:
return -1
# A = [1, 56, 58, 57, 90, 92, 94, 93, 91, 45]
# A = [10, 12, 11]
A = [15, 13, 11, 20]
print(find_length(A))
| """
Given an array of distinct integers,
find length of the longest subarray which contains numbers that can be arranged in a continuous sequence.
Examples:
Input: arr[] = {10, 12, 11};
Output: Length of the longest contiguous subarray is 3
Input: arr[] = {14, 12, 11, 20};
Output: Length of the longest contiguous subarray is 2
Input: arr[] = {1, 56, 58, 57, 90, 92, 94, 93, 91, 45};
Output: Length of the longest contiguous subarray is 5
"""
def find_length(arr):
arr.sort()
n = len(arr)
long_len = 1
result = []
start = 0
while start < n - 1:
if arr[start] == arr[start + 1] - 1:
long_len += 1
else:
result.append(long_len)
long_len = 1
start += 1
result.append(long_len)
if max(result) != 1:
return max(result)
else:
return -1
a = [15, 13, 11, 20]
print(find_length(A)) |
#Imprima o valor da soma dos quadrados de 3 numeros inteiras
a = int(input('Digite o valor de a: '))
b = int(input('Digite o valor de b: '))
c = int(input('Digite o valor de c: '))
d = (a**2) + (b**2) + (c**2)
print(f'Resultado: {d}') | a = int(input('Digite o valor de a: '))
b = int(input('Digite o valor de b: '))
c = int(input('Digite o valor de c: '))
d = a ** 2 + b ** 2 + c ** 2
print(f'Resultado: {d}') |
# Copyright (c) 2019-present, Facebook, Inc.
# All rights reserved.
#
# This source code is licensed under the license found in the
# LICENSE file in the root directory of this source tree.
#
def f_gold ( S , n ) :
found = False
S.sort ( )
for i in range ( n - 1 , - 1 , - 1 ) :
for j in range ( 0 , n ) :
if ( i == j ) :
continue
for k in range ( j + 1 , n ) :
if ( i == k ) :
continue
for l in range ( k + 1 , n ) :
if ( i == l ) :
continue
if ( S [ i ] == S [ j ] + S [ k ] + S [ l ] ) :
found = True
return S [ i ]
if ( found == False ) :
return - 1
#TOFILL
if __name__ == '__main__':
param = [
([8, 12, 14, 15, 16, 20, 27, 28, 29, 30, 35, 41, 46, 51, 53, 55, 55, 58, 63, 64, 72, 73, 75, 75, 75, 82, 82, 86, 89, 91, 92, 94, 95, 95, 97, 97, 98],24,),
([-62, 48, -22, -44, -58, -50, -82, 34, 26, -2, 86, -44, 92, -96, 42, -20, 10, 74, -56, -12, -28, -40],19,),
([0, 0, 0, 0, 0, 0, 0, 1, 1, 1],8,),
([84, 58, 10, 67, 77, 66, 10, 47, 65, 55, 54],5,),
([-46, -28, -20, -18, 4, 8, 18, 38, 90, 90],6,),
([0, 1, 1, 1, 0, 1, 1, 0, 0, 1, 1, 0, 0, 0, 0, 1, 1, 1, 1, 0, 0, 1, 0, 0, 0, 0, 1, 0, 1, 0, 0, 1, 1, 0, 1, 1, 0, 0, 1, 0, 0, 1, 0, 1, 0],35,),
([11, 13, 14, 21, 26, 28, 36, 39, 41, 42, 43, 44, 49, 49, 57, 58, 59, 59, 63, 64, 67, 69, 70, 75, 78, 79, 83, 83, 86, 91, 92, 93, 96, 96, 96, 97],30,),
([74, 52, -16, 34, -88, 62, 54, 46, -82, 76, -48, 54, 50, -66, -18, 78, -48, 38, 96, -32, -82, 0, -76, 46, -56, 4, -30, -70, -62],16,),
([0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1],17,),
([55, 74, 18, 4, 68, 66, 33, 61, 66, 92, 21, 9, 49, 14, 99, 87, 74, 6, 11, 25, 5, 58, 56, 20],23,)
]
n_success = 0
for i, parameters_set in enumerate(param):
if f_filled(*parameters_set) == f_gold(*parameters_set):
n_success+=1
print("#Results: %i, %i" % (n_success, len(param))) | def f_gold(S, n):
found = False
S.sort()
for i in range(n - 1, -1, -1):
for j in range(0, n):
if i == j:
continue
for k in range(j + 1, n):
if i == k:
continue
for l in range(k + 1, n):
if i == l:
continue
if S[i] == S[j] + S[k] + S[l]:
found = True
return S[i]
if found == False:
return -1
if __name__ == '__main__':
param = [([8, 12, 14, 15, 16, 20, 27, 28, 29, 30, 35, 41, 46, 51, 53, 55, 55, 58, 63, 64, 72, 73, 75, 75, 75, 82, 82, 86, 89, 91, 92, 94, 95, 95, 97, 97, 98], 24), ([-62, 48, -22, -44, -58, -50, -82, 34, 26, -2, 86, -44, 92, -96, 42, -20, 10, 74, -56, -12, -28, -40], 19), ([0, 0, 0, 0, 0, 0, 0, 1, 1, 1], 8), ([84, 58, 10, 67, 77, 66, 10, 47, 65, 55, 54], 5), ([-46, -28, -20, -18, 4, 8, 18, 38, 90, 90], 6), ([0, 1, 1, 1, 0, 1, 1, 0, 0, 1, 1, 0, 0, 0, 0, 1, 1, 1, 1, 0, 0, 1, 0, 0, 0, 0, 1, 0, 1, 0, 0, 1, 1, 0, 1, 1, 0, 0, 1, 0, 0, 1, 0, 1, 0], 35), ([11, 13, 14, 21, 26, 28, 36, 39, 41, 42, 43, 44, 49, 49, 57, 58, 59, 59, 63, 64, 67, 69, 70, 75, 78, 79, 83, 83, 86, 91, 92, 93, 96, 96, 96, 97], 30), ([74, 52, -16, 34, -88, 62, 54, 46, -82, 76, -48, 54, 50, -66, -18, 78, -48, 38, 96, -32, -82, 0, -76, 46, -56, 4, -30, -70, -62], 16), ([0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1], 17), ([55, 74, 18, 4, 68, 66, 33, 61, 66, 92, 21, 9, 49, 14, 99, 87, 74, 6, 11, 25, 5, 58, 56, 20], 23)]
n_success = 0
for (i, parameters_set) in enumerate(param):
if f_filled(*parameters_set) == f_gold(*parameters_set):
n_success += 1
print('#Results: %i, %i' % (n_success, len(param))) |
"""Module initialization."""
__version__ = "0.29.0"
__name__ = "gt4sd"
| """Module initialization."""
__version__ = '0.29.0'
__name__ = 'gt4sd' |
# -*- coding: utf-8 -*-
class NumMatrix(object):
''' https://leetcode.com/problems/range-sum-query-2d-immutable/
'''
def __init__(self, matrix):
"""
initialize your data structure here.
:type matrix: List[List[int]]
"""
self.matrix_sum = []
if not matrix:
return
width = len(matrix[0])
height = len(matrix)
self.matrix_sum = [[0 for x in range(width+1)]
for y in range(height+1)]
for i in range(1, height+1):
for j in range(1, width+1):
self.matrix_sum[i][j] += self.matrix_sum[i-1][j] + \
self.matrix_sum[i][j-1] - self.matrix_sum[i-1][j-1] + \
matrix[i-1][j-1]
def sumRegion(self, row1, col1, row2, col2):
"""
sum of elements matrix[(row1,col1)..(row2,col2)], inclusive.
:type row1: int
:type col1: int
:type row2: int
:type col2: int
:rtype: int
"""
if not self.matrix_sum:
return 0
return self.matrix_sum[row2+1][col2+1] - \
self.matrix_sum[row1][col2+1] - \
self.matrix_sum[row2+1][col1] + \
self.matrix_sum[row1][col1]
| class Nummatrix(object):
""" https://leetcode.com/problems/range-sum-query-2d-immutable/
"""
def __init__(self, matrix):
"""
initialize your data structure here.
:type matrix: List[List[int]]
"""
self.matrix_sum = []
if not matrix:
return
width = len(matrix[0])
height = len(matrix)
self.matrix_sum = [[0 for x in range(width + 1)] for y in range(height + 1)]
for i in range(1, height + 1):
for j in range(1, width + 1):
self.matrix_sum[i][j] += self.matrix_sum[i - 1][j] + self.matrix_sum[i][j - 1] - self.matrix_sum[i - 1][j - 1] + matrix[i - 1][j - 1]
def sum_region(self, row1, col1, row2, col2):
"""
sum of elements matrix[(row1,col1)..(row2,col2)], inclusive.
:type row1: int
:type col1: int
:type row2: int
:type col2: int
:rtype: int
"""
if not self.matrix_sum:
return 0
return self.matrix_sum[row2 + 1][col2 + 1] - self.matrix_sum[row1][col2 + 1] - self.matrix_sum[row2 + 1][col1] + self.matrix_sum[row1][col1] |
# Super Spooky Damage Skin
success = sm.addDamageSkin(2433183)
if success:
sm.chat("The Super Spooky Damage Skin has been added to your account's damage skin collection.")
| success = sm.addDamageSkin(2433183)
if success:
sm.chat("The Super Spooky Damage Skin has been added to your account's damage skin collection.") |
# 2 - Dimmensional array
# Is implemented as array of array or list of list in python
# initialize an 2D array
array_2D = [[1, 2, 3, 4],
["a", "b", "c", "d"]]
# or
array_2d = [[5,6,7,8],
[3,5,2,9]]
# print the second item in the first row
print(array_2d[0][1])
print(array_2D[0][1])
# print the third item in the second row
print(array_2D[1][2])
print(array_2d[1][2])
# ierate offer a 2D array
for row in array_2D:
for item in row:
print(item)
# using in range of...method
for i in range(len(array_2d)):
for j in range(len(array_2d[i])):
print(array_2d[i][j])
| array_2_d = [[1, 2, 3, 4], ['a', 'b', 'c', 'd']]
array_2d = [[5, 6, 7, 8], [3, 5, 2, 9]]
print(array_2d[0][1])
print(array_2D[0][1])
print(array_2D[1][2])
print(array_2d[1][2])
for row in array_2D:
for item in row:
print(item)
for i in range(len(array_2d)):
for j in range(len(array_2d[i])):
print(array_2d[i][j]) |
# MIN HEIGHT BST
# O(NlogN) time and O(N) space
def minHeightBst(array):
return minHeightHelper(array, None, 0, len(array) - 1)
def minHeightHelper(array, nodeBST, start, end):
if start > end:
return
mid = (start + end) // 2
if not nodeBST:
nodeBST = BST(array[mid])
else:
nodeBST.insert(array[mid])
minHeightHelper(array, nodeBST, start, mid - 1)
minHeightHelper(array, nodeBST, mid + 1, end)
return nodeBST
class BST:
def __init__(self, value):
self.value = value
self.left = None
self.right = None
def insert(self, value):
if value < self.value:
if self.left is None:
self.left = BST(value)
else:
self.left.insert(value)
else:
if self.right is None:
self.right = BST(value)
else:
self.right.insert(value)
# O(N) time and space
""" def minHeightBst(array):
return minHeightHelper(array, 0, len(array) - 1)
def minHeightHelper(array, start, end):
if start > end:
return None
mid = (start + end) // 2
newNode = BST(array[mid])
newNode.left = minHeightHelper(array, start, mid - 1)
newNode.right = minHeightHelper(array, mid + 1, end)
return newNode
class BST:
def __init__(self, value):
self.value = value
self.left = None
self.right = None
def insert(self, value):
if value < self.value:
if self.left is None:
self.left = BST(value)
else:
self.left.insert(value)
else:
if self.right is None:
self.right = BST(value)
else:
self.right.insert(value) """
| def min_height_bst(array):
return min_height_helper(array, None, 0, len(array) - 1)
def min_height_helper(array, nodeBST, start, end):
if start > end:
return
mid = (start + end) // 2
if not nodeBST:
node_bst = bst(array[mid])
else:
nodeBST.insert(array[mid])
min_height_helper(array, nodeBST, start, mid - 1)
min_height_helper(array, nodeBST, mid + 1, end)
return nodeBST
class Bst:
def __init__(self, value):
self.value = value
self.left = None
self.right = None
def insert(self, value):
if value < self.value:
if self.left is None:
self.left = bst(value)
else:
self.left.insert(value)
elif self.right is None:
self.right = bst(value)
else:
self.right.insert(value)
' def minHeightBst(array):\n return minHeightHelper(array, 0, len(array) - 1)\n\ndef minHeightHelper(array, start, end):\n\tif start > end:\n\t\treturn None\n\t\n\tmid = (start + end) // 2\n\tnewNode = BST(array[mid])\n\tnewNode.left = minHeightHelper(array, start, mid - 1)\n\tnewNode.right = minHeightHelper(array, mid + 1, end)\n\treturn newNode\n\nclass BST:\n def __init__(self, value):\n self.value = value\n self.left = None\n self.right = None\n\n def insert(self, value):\n if value < self.value:\n if self.left is None:\n self.left = BST(value)\n else:\n self.left.insert(value)\n else:\n if self.right is None:\n self.right = BST(value)\n else:\n self.right.insert(value) ' |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.