content stringlengths 7 1.05M | fixed_cases stringlengths 1 1.28M |
|---|---|
zabbixapiurl = 'your zabbix url'
zabbixapilogin = 'your zabbix login'
zabbixapipasswd = 'your zabbix passwd'
ecopowerstart = '20:00:00'
ecopowerfinish = '09:00:00'
bridgepasswd = 'PyZabbixHuePasswd'
flickingperiod = 600
runinterval = 60
| zabbixapiurl = 'your zabbix url'
zabbixapilogin = 'your zabbix login'
zabbixapipasswd = 'your zabbix passwd'
ecopowerstart = '20:00:00'
ecopowerfinish = '09:00:00'
bridgepasswd = 'PyZabbixHuePasswd'
flickingperiod = 600
runinterval = 60 |
class Solution:
def letterCombinations(self, digits: str) -> List[str]:
d = {
2:"abc",
3:"def",
4:"ghi",
5:"jkl",
6:"mno",
7:"pqrs",
8:"tuv",
9:"wxyz"
}
if digits == "":
return []
ans = []
current = []
n = len(digits)
i = 0
def f(i):
if i == n:
ans.append("".join(current))
return
for c in d[int(digits[i])]:
current.append(c)
f(i+1)
current.pop()
f(0)
return ans
| class Solution:
def letter_combinations(self, digits: str) -> List[str]:
d = {2: 'abc', 3: 'def', 4: 'ghi', 5: 'jkl', 6: 'mno', 7: 'pqrs', 8: 'tuv', 9: 'wxyz'}
if digits == '':
return []
ans = []
current = []
n = len(digits)
i = 0
def f(i):
if i == n:
ans.append(''.join(current))
return
for c in d[int(digits[i])]:
current.append(c)
f(i + 1)
current.pop()
f(0)
return ans |
expected_output = {
'vrf': {
'default': {
'peer': {
'192.168.229.3': {
'connect_source_address': '192.168.100.1',
'elapsed_time': '00:00:09',
'nsr': {
'oper_downs': 0,
'state': 'StopRead',
'up_down_time': '1d02h'},
'password': 'None',
'peer_as': 65109,
'peer_name': '?',
'reset': '999',
'sa_filter': {
'in': {
'(S,G)': {
'filter': 'none'},
'RP': {
'filter': 'none'}},
'out': {
'(S,G)': {
'filter': 'none'},
'RP': {
'filter': 'none'}}},
'sa_request': {
'input_filter': 'none',
'sa_request_to_peer': 'disabled'},
'session_state': 'Inactive',
'statistics': {
'conn_count_cleared': '00:01:25',
'output_message_discarded': 0,
'queue': {
'size_input': 0,
'size_output': 0},
'received': {
'sa_message': 0,
'tlv_message': 0},
'sent': {
'tlv_message': 3}},
'timer': {
'keepalive_interval': 30,
'peer_timeout_interval': 75},
'ttl_threshold': 2}}}}}
| expected_output = {'vrf': {'default': {'peer': {'192.168.229.3': {'connect_source_address': '192.168.100.1', 'elapsed_time': '00:00:09', 'nsr': {'oper_downs': 0, 'state': 'StopRead', 'up_down_time': '1d02h'}, 'password': 'None', 'peer_as': 65109, 'peer_name': '?', 'reset': '999', 'sa_filter': {'in': {'(S,G)': {'filter': 'none'}, 'RP': {'filter': 'none'}}, 'out': {'(S,G)': {'filter': 'none'}, 'RP': {'filter': 'none'}}}, 'sa_request': {'input_filter': 'none', 'sa_request_to_peer': 'disabled'}, 'session_state': 'Inactive', 'statistics': {'conn_count_cleared': '00:01:25', 'output_message_discarded': 0, 'queue': {'size_input': 0, 'size_output': 0}, 'received': {'sa_message': 0, 'tlv_message': 0}, 'sent': {'tlv_message': 3}}, 'timer': {'keepalive_interval': 30, 'peer_timeout_interval': 75}, 'ttl_threshold': 2}}}}} |
up_alpha = "ABCDEFGHIJKLMNOPQRSTUVWXYZ"
class Columnar:
def col_encrypt(plaintext, key):
plaintext = plaintext.replace(" ", "")
cipher = ""
num_key = []
key_index = []
table = []
row = []
for i in key.upper():
num_key.append(up_alpha.index(i))
for i in num_key:
sorted_key = num_key.copy()
sorted_key.sort()
key_index.append(sorted_key.index(i) + 1)
while len(plaintext) % len(key_index) != 0:
plaintext = plaintext + 'X'
i = 1
for char in plaintext:
row.append(char)
if i % len(key_index) == 0:
table.append(row.copy())
row.clear()
i = i + 1
for i in range(len(key_index)):
for row in table:
cipher = cipher + row[key_index.index(i + 1)]
return cipher
def col_decrypt(cipher, key):
cipher = cipher.replace(" ", "")
plaintext = ""
num_key = []
key_index = []
table = []
col = []
for i in key.upper():
num_key.append(up_alpha.index(i))
for i in num_key:
sorted_key = num_key.copy()
sorted_key.sort()
key_index.append(sorted_key.index(i) + 1)
while len(plaintext) % len(key_index) != 0:
cipher = cipher + 'X'
i = 1
for char in cipher:
col.append(char)
if i % (len(key_index) // len(key_index)) == 0:
table.append(col.copy())
col.clear()
i = i + 1
for i in range(len(key_index)):
for col in table:
cipher = cipher + col[key_index[i]]
return plaintext
| up_alpha = 'ABCDEFGHIJKLMNOPQRSTUVWXYZ'
class Columnar:
def col_encrypt(plaintext, key):
plaintext = plaintext.replace(' ', '')
cipher = ''
num_key = []
key_index = []
table = []
row = []
for i in key.upper():
num_key.append(up_alpha.index(i))
for i in num_key:
sorted_key = num_key.copy()
sorted_key.sort()
key_index.append(sorted_key.index(i) + 1)
while len(plaintext) % len(key_index) != 0:
plaintext = plaintext + 'X'
i = 1
for char in plaintext:
row.append(char)
if i % len(key_index) == 0:
table.append(row.copy())
row.clear()
i = i + 1
for i in range(len(key_index)):
for row in table:
cipher = cipher + row[key_index.index(i + 1)]
return cipher
def col_decrypt(cipher, key):
cipher = cipher.replace(' ', '')
plaintext = ''
num_key = []
key_index = []
table = []
col = []
for i in key.upper():
num_key.append(up_alpha.index(i))
for i in num_key:
sorted_key = num_key.copy()
sorted_key.sort()
key_index.append(sorted_key.index(i) + 1)
while len(plaintext) % len(key_index) != 0:
cipher = cipher + 'X'
i = 1
for char in cipher:
col.append(char)
if i % (len(key_index) // len(key_index)) == 0:
table.append(col.copy())
col.clear()
i = i + 1
for i in range(len(key_index)):
for col in table:
cipher = cipher + col[key_index[i]]
return plaintext |
def get_mwa_eor_freq(ch):
if ch > 704:
print('Maximum frequency channel is 704')
else:
return 138.915 + 0.08 * ch
| def get_mwa_eor_freq(ch):
if ch > 704:
print('Maximum frequency channel is 704')
else:
return 138.915 + 0.08 * ch |
#!/usr/bin/python3
def f(l1,l2):
n,m = len(l1),len(l1[0])
d = sum([l1[i][j]!=l2[i][j] for i in range(n) for j in range(m)])
if d*2 > n*m:
for i in range(n):
for j in range(m):
l1[i][j] = 'X' if l1[i][j]=='.' else '.'
return [''.join(l) for l in l1]
n,m = list(map(int,input().split()))
l1 = [list(input()) for i in range(n)]
l2 = [list(input()) for i in range(n)]
[print(l) for l in f(l1,l2)]
| def f(l1, l2):
(n, m) = (len(l1), len(l1[0]))
d = sum([l1[i][j] != l2[i][j] for i in range(n) for j in range(m)])
if d * 2 > n * m:
for i in range(n):
for j in range(m):
l1[i][j] = 'X' if l1[i][j] == '.' else '.'
return [''.join(l) for l in l1]
(n, m) = list(map(int, input().split()))
l1 = [list(input()) for i in range(n)]
l2 = [list(input()) for i in range(n)]
[print(l) for l in f(l1, l2)] |
# Open doors and collect treasures.
peasant = hero.findByType("peasant")[0]
goldKey = peasant.findByType("gold-key")[0]
silverKey = peasant.findByType("silver-key")[0]
bronzeKey = peasant.findByType("bronze-key")[0]
# Command the peasant to pick up the gold and silver keys.
hero.command(peasant, "pickUpItem", goldKey)
hero.command(peasant, "pickUpItem", silverKey)
# Now, command the peasant to pick up the last key:
# Command the peasant to drop a key near the first door.
hero.command(peasant, "dropItem", {"x": 40, "y": 34})
# The second key -> the second door.
hero.command(peasant, "dropItem", {"x": 31, "y": 34})
# Drop the first (in the stack) key to the last door:
# Hurry and collect treasures!
| peasant = hero.findByType('peasant')[0]
gold_key = peasant.findByType('gold-key')[0]
silver_key = peasant.findByType('silver-key')[0]
bronze_key = peasant.findByType('bronze-key')[0]
hero.command(peasant, 'pickUpItem', goldKey)
hero.command(peasant, 'pickUpItem', silverKey)
hero.command(peasant, 'dropItem', {'x': 40, 'y': 34})
hero.command(peasant, 'dropItem', {'x': 31, 'y': 34}) |
# using break to stop looping
is_learning = True
while is_learning:
print("I'm still learning")
break
# using other statement to stop looping
hungry = True
while hungry:
print("let's go eat")
hungry = False
'''
value that not 'false'
or you input other value except 'false' is equal to true
in this case, you input 'yes' or 'no' to get always loop
thirsty = True
while thirsty:
print(input("are you thirsty? "))
to fix it, you should initiate 'yes' equal to true
'''
thirsty = True
while thirsty:
is_thirsty = input("are you thirsty? ")
thirsty = is_thirsty == "yes"
# other case that convert boolean to string
user_input = input("Do you wish to run program? (y/n) ")
while user_input == "y":
print("we are running!")
user_input = input("Do you wish to run program again? (y/n) ")
print("we stopped running")
| is_learning = True
while is_learning:
print("I'm still learning")
break
hungry = True
while hungry:
print("let's go eat")
hungry = False
'\nvalue that not \'false\'\nor you input other value except \'false\' is equal to true\nin this case, you input \'yes\' or \'no\' to get always loop\n\nthirsty = True\n\nwhile thirsty:\n print(input("are you thirsty? "))\n\nto fix it, you should initiate \'yes\' equal to true\n'
thirsty = True
while thirsty:
is_thirsty = input('are you thirsty? ')
thirsty = is_thirsty == 'yes'
user_input = input('Do you wish to run program? (y/n) ')
while user_input == 'y':
print('we are running!')
user_input = input('Do you wish to run program again? (y/n) ')
print('we stopped running') |
class Keyboard:
def __init__(self):
self.keys = []
def add_key(self, key):
self.keys.append(key)
def get_key(self, index):
return [key for key in self.keys if key.index == index][0]
if __name__ == '__main__':
exit()
| class Keyboard:
def __init__(self):
self.keys = []
def add_key(self, key):
self.keys.append(key)
def get_key(self, index):
return [key for key in self.keys if key.index == index][0]
if __name__ == '__main__':
exit() |
# Write a Python function to find the maximum and minimum numbers from a sequence of numbers
List = [2, 4, 6, 41, 8, 10, 5]
max = 0
for i in List:
if i > max:
max = i
print(max) | list = [2, 4, 6, 41, 8, 10, 5]
max = 0
for i in List:
if i > max:
max = i
print(max) |
class StreetParking:
def freeParks(self, street):
c, l = 0, len(street)
for i in xrange(l):
if (
street[i] == "-"
and "B" not in street[i + 1 : i + 3]
and "S" not in street[max(i - 1, 0) : i + 2]
):
c += 1
return c
| class Streetparking:
def free_parks(self, street):
(c, l) = (0, len(street))
for i in xrange(l):
if street[i] == '-' and 'B' not in street[i + 1:i + 3] and ('S' not in street[max(i - 1, 0):i + 2]):
c += 1
return c |
# 1st brute-force solution
class Solution:
def maxProduct(self, nums: List[int]) -> int:
largest = nums[0]
for i in range(len(nums)):
curProduct = 1
for j in range(i, len(nums)):
curProduct *= nums[j]
largest = max(largest, curProduct)
return largest
# 2nd solution
# o(n) time | O(1) space
class Solution:
def maxProduct(self, nums: List[int]) -> int:
r = nums[0]
imax = r
imin = r
# imax/imin stores the max/min product of
# subarray that ends with the current number A[i]
for i in range(1, len(nums)):
# multiplied by a negative makes big number smaller, small number bigger
# so we redefine the extremums by swapping them
if nums[i] < 0:
imax, imin = imin, imax
# max/min product for the current number is either the current number itself
# or the max/min by the previous number times the current one
imax = max(nums[i], imax * nums[i])
imin = min(nums[i], imin * nums[i])
# the newly computed max value is a candidate for our global result
r = max(r, imax)
return r | class Solution:
def max_product(self, nums: List[int]) -> int:
largest = nums[0]
for i in range(len(nums)):
cur_product = 1
for j in range(i, len(nums)):
cur_product *= nums[j]
largest = max(largest, curProduct)
return largest
class Solution:
def max_product(self, nums: List[int]) -> int:
r = nums[0]
imax = r
imin = r
for i in range(1, len(nums)):
if nums[i] < 0:
(imax, imin) = (imin, imax)
imax = max(nums[i], imax * nums[i])
imin = min(nums[i], imin * nums[i])
r = max(r, imax)
return r |
# ls0 = "3, 4, 1, 5" # Lengths.
# # ls0 = "197, 97, 204, 108, 1, 29, 5, 71, 0, 50, 2, 255, 248, 78, 254, 63"
# ls1 = list(map(int, [c[:-1] if c[-1] == ',' else c for c in ls0.split()]))
# upper_bound = 5
# # upper_bound = 256
# xs = range(upper_bound)
# skip_size = 0
# pos = 0
# size = len(xs)
# assert all((l <= size and l >= 0 for l in ls1)), \
# 'One of the lengths exceeds the size of the list: list {} and size {}'.format(ls1, size)
# # For simplicities sake.
# ls = ls1
# # Man this function is a mess.
# def rev_sublist(l, xs, pos):
# size = len(xs)
# if l == 0: # rev [] == []
# ys = []
# elif l == 1: # rev [x] == [x]
# ys = [xs[pos]]
# elif pos+l > size: # Needs to wrap around.
# ys = (xs[pos:size+1] + xs[:(size-l+1)])[::-1]
# else: # Does not need to wrap around.
# ys = xs[:pos+l+1][::-1]
# assert len(ys) <= len(xs)
# return ys
# for l in ls:
# ys = rev_sublist(l, xs, pos)
# for i in range(len(ys)):
# xs[pos] = ys[i]
# pos = (pos+1) % size
# pos += skip_size % size
# skip_size += 1
# print('checksum: {}'.format(xs[0] * xs[1]))
# TAKE TWO:
s = "3, 4, 1, 5"
s = "197, 97, 204, 108, 1, 29, 5, 71, 0, 50, 2, 255, 248, 78, 254, 63"
ls = list(map(lambda c: int(c) if c[-1] != ',' else int(c[:-1]), s.split()))
upper_bound = 5
upper_bound = 256
assert all((l <= upper_bound and l >= 0 for l in ls))
# Why not use greek?
iota = 0 # position
sigma = 0 # skip size
xs = list(range(upper_bound))
zeta = len(xs)
for l in ls:
ys = []
l_prime = 0
while l_prime != l:
kappa = (l+iota-l_prime-1)%zeta
ys.append(xs[kappa])
l_prime += 1
assert len(ys) <= zeta
l_double_prime = 0
for y in ys:
xs[iota] = y
iota = (iota+1)%zeta
l_double_prime += 1
iota = (iota+sigma)%zeta
assert l_double_prime == l
sigma += 1
print(xs)
print(xs[0] * xs[1])
| s = '3, 4, 1, 5'
s = '197, 97, 204, 108, 1, 29, 5, 71, 0, 50, 2, 255, 248, 78, 254, 63'
ls = list(map(lambda c: int(c) if c[-1] != ',' else int(c[:-1]), s.split()))
upper_bound = 5
upper_bound = 256
assert all((l <= upper_bound and l >= 0 for l in ls))
iota = 0
sigma = 0
xs = list(range(upper_bound))
zeta = len(xs)
for l in ls:
ys = []
l_prime = 0
while l_prime != l:
kappa = (l + iota - l_prime - 1) % zeta
ys.append(xs[kappa])
l_prime += 1
assert len(ys) <= zeta
l_double_prime = 0
for y in ys:
xs[iota] = y
iota = (iota + 1) % zeta
l_double_prime += 1
iota = (iota + sigma) % zeta
assert l_double_prime == l
sigma += 1
print(xs)
print(xs[0] * xs[1]) |
'''
Project Euler Problem 18
Created: 2012-06-18
Author: William McDonald
'''
'''
IDEA:
For a given row, store the maximum sum to get to each element in that row by
using the maximum sums for the row above it.
e.g.
08
01 02
01 05 04
==>
09 10
01 04 05
==>
10 15 14
Now simply take the maximum.
'''
FILE_NAME = 'problem18.txt'
def importTri():
# Import the triangle (convert to ints)
with open(FILE_NAME) as f:
return [[int(x) for x in line.split()] for line in f]
def getMax(lastMax, cur):
# lastMax is a list of maximum sums to elements in the previous rows
# Add first elements
newMax = [lastMax[0] + cur[0]]
for i, n in enumerate(cur[1:-1]):
newMax.append(max(lastMax[i], lastMax[i+1]) + n)
# Add last elements
newMax.append(lastMax[-1] + cur[-1])
return newMax
def getAns():
t = importTri()
# Initially check last maximum
lastMax = t[0]
for row in t[1:]: lastMax = getMax(lastMax, row)
return max(lastMax)
print(getAns())
| """
Project Euler Problem 18
Created: 2012-06-18
Author: William McDonald
"""
'\nIDEA:\nFor a given row, store the maximum sum to get to each element in that row by\nusing the maximum sums for the row above it.\n\ne.g.\n 08\n 01 02\n 01 05 04\n==>\n 09 10\n 01 04 05\n==>\n 10 15 14\n\nNow simply take the maximum.\n'
file_name = 'problem18.txt'
def import_tri():
with open(FILE_NAME) as f:
return [[int(x) for x in line.split()] for line in f]
def get_max(lastMax, cur):
new_max = [lastMax[0] + cur[0]]
for (i, n) in enumerate(cur[1:-1]):
newMax.append(max(lastMax[i], lastMax[i + 1]) + n)
newMax.append(lastMax[-1] + cur[-1])
return newMax
def get_ans():
t = import_tri()
last_max = t[0]
for row in t[1:]:
last_max = get_max(lastMax, row)
return max(lastMax)
print(get_ans()) |
def is_divisible_by_seven(x):
if x % 7 == 0:
return True
return False
def is_not_multiple_of_five(x):
while x > 0:
x -= 5
if x == 0:
return False
return True
result = [x for x in range(2000, 3201) if is_divisible_by_seven(x) and is_not_multiple_of_five(x)]
print(result)
| def is_divisible_by_seven(x):
if x % 7 == 0:
return True
return False
def is_not_multiple_of_five(x):
while x > 0:
x -= 5
if x == 0:
return False
return True
result = [x for x in range(2000, 3201) if is_divisible_by_seven(x) and is_not_multiple_of_five(x)]
print(result) |
#
# PySNMP MIB module CAT2600-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/CAT2600-MIB
# Produced by pysmi-0.3.4 at Mon Apr 29 17:29:39 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
Integer, OctetString, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "Integer", "OctetString", "ObjectIdentifier")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
SingleValueConstraint, ConstraintsIntersection, ValueRangeConstraint, ValueSizeConstraint, ConstraintsUnion = mibBuilder.importSymbols("ASN1-REFINEMENT", "SingleValueConstraint", "ConstraintsIntersection", "ValueRangeConstraint", "ValueSizeConstraint", "ConstraintsUnion")
ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup")
Bits, Gauge32, MibIdentifier, ModuleIdentity, TimeTicks, iso, ObjectIdentity, enterprises, Counter64, NotificationType, Unsigned32, Counter32, Integer32, IpAddress, MibScalar, MibTable, MibTableRow, MibTableColumn = mibBuilder.importSymbols("SNMPv2-SMI", "Bits", "Gauge32", "MibIdentifier", "ModuleIdentity", "TimeTicks", "iso", "ObjectIdentity", "enterprises", "Counter64", "NotificationType", "Unsigned32", "Counter32", "Integer32", "IpAddress", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn")
TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString")
class MacAddr(OctetString):
subtypeSpec = OctetString.subtypeSpec + ValueSizeConstraint(6, 6)
fixedLength = 6
cisco = MibIdentifier((1, 3, 6, 1, 4, 1, 9))
catProd = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 1))
cat2600 = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 1, 111))
cat2600Ts = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 1, 111, 1))
cat2600TsObjectID = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 1))
cat2600TsObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2))
dtrMIBs = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 3))
dtrConcMIB = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 3, 1))
dtrMacMIB = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 3, 2))
cat2600TsMain = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1))
cat2600TsConfig = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1))
cat2600TsSys = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 2))
cat2600TsPort = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2))
cat2600TsDmns = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3))
cat2600TsPipe = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 4))
cat2600TsFilter = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 5))
cat2600TsUFC = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 6))
cat2600TsSysObjectID = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 1, 1))
cat2600TsFwVer = MibScalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsFwVer.setStatus('mandatory')
cat2600TsHwVer = MibScalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsHwVer.setStatus('mandatory')
cat2600TsSerialNumber = MibScalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(16, 16)).setFixedLength(16)).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsSerialNumber.setStatus('mandatory')
cat2600TsInstallationDate = MibScalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(64, 64)).setFixedLength(64)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsInstallationDate.setStatus('mandatory')
cat2600TsFwSize = MibScalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsFwSize.setStatus('mandatory')
cat2600TsFwCRC = MibScalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsFwCRC.setStatus('mandatory')
cat2600TsFwManufacturer = MibScalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 7), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(16, 16)).setFixedLength(16)).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsFwManufacturer.setStatus('mandatory')
cat2600TsIpAddr = MibScalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 8), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsIpAddr.setStatus('mandatory')
cat2600TsNetMask = MibScalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 9), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsNetMask.setStatus('mandatory')
cat2600TsDefaultGateway = MibScalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 10), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsDefaultGateway.setStatus('mandatory')
cat2600TsTrapRcvrTable = MibTable((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 14), )
if mibBuilder.loadTexts: cat2600TsTrapRcvrTable.setStatus('mandatory')
cat2600TsTrapRcvrEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 14, 1), ).setIndexNames((0, "CAT2600-MIB", "cat2600TsTrapRcvrIndex"))
if mibBuilder.loadTexts: cat2600TsTrapRcvrEntry.setStatus('mandatory')
cat2600TsTrapRcvrIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 14, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsTrapRcvrIndex.setStatus('mandatory')
cat2600TsTrapRcvrStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 14, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("other", 1), ("valid", 2), ("invalid", 3), ("create", 4)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsTrapRcvrStatus.setStatus('mandatory')
cat2600TsTrapRcvrIpAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 14, 1, 3), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsTrapRcvrIpAddress.setStatus('mandatory')
cat2600TsTrapRcvrComm = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 14, 1, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsTrapRcvrComm.setStatus('mandatory')
cat2600TsTrapRcvrDmns = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 14, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(8, 8)).setFixedLength(8)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsTrapRcvrDmns.setStatus('mandatory')
cat2600TsPingInterval = MibScalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 19), Integer32().clone(600)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsPingInterval.setStatus('mandatory')
cat2600TsTapPort = MibScalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 20), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsTapPort.setStatus('mandatory')
cat2600TsTapMonitoredPort = MibScalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 21), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsTapMonitoredPort.setStatus('mandatory')
cat2600TsCrcThresholdHi = MibScalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 22), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsCrcThresholdHi.setStatus('mandatory')
cat2600TsCrcThresholdLow = MibScalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 23), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsCrcThresholdLow.setStatus('mandatory')
cat2600TsPortSwitchModeChangeTrapEnable = MibScalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 24), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsPortSwitchModeChangeTrapEnable.setStatus('mandatory')
cat2600TsTrendThreshold = MibScalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 25), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsTrendThreshold.setStatus('mandatory')
cat2600TsSamplingPeriod = MibScalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 26), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 120))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsSamplingPeriod.setStatus('mandatory')
cat2600TsNumberUFC = MibScalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 27), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsNumberUFC.setStatus('mandatory')
cat2600TsNumPorts = MibScalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 2, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsNumPorts.setStatus('mandatory')
cat2600TsNumStations = MibScalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 2, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsNumStations.setStatus('mandatory')
cat2600TsMostStations = MibScalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 2, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsMostStations.setStatus('mandatory')
cat2600TsMaxStations = MibScalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 2, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsMaxStations.setStatus('mandatory')
cat2600TsReset = MibScalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 2, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("running", 1), ("hardReset", 2), ("softReset", 3)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsReset.setStatus('mandatory')
cat2600TsNumResets = MibScalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 2, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsNumResets.setStatus('mandatory')
cat2600TsAddrAgingTime = MibScalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 2, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 9999))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsAddrAgingTime.setStatus('mandatory')
cat2600TsSysTemperature = MibScalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 2, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("normal", 1), ("toohigh", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsSysTemperature.setStatus('mandatory')
cat2600TsInstalledMemory = MibScalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 2, 12), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsInstalledMemory.setStatus('mandatory')
cat2600TsSysCurTime = MibScalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 2, 13), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 128))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsSysCurTime.setStatus('mandatory')
cat2600TsPortTable = MibTable((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1), )
if mibBuilder.loadTexts: cat2600TsPortTable.setStatus('mandatory')
cat2600TsPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1), ).setIndexNames((0, "CAT2600-MIB", "cat2600TsPortIndex"))
if mibBuilder.loadTexts: cat2600TsPortEntry.setStatus('mandatory')
cat2600TsPortIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsPortIndex.setStatus('mandatory')
cat2600TsPortRcvLocalFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsPortRcvLocalFrames.setStatus('mandatory')
cat2600TsPortForwardedFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsPortForwardedFrames.setStatus('mandatory')
cat2600TsPortMostStations = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsPortMostStations.setStatus('mandatory')
cat2600TsPortMaxStations = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsPortMaxStations.setStatus('mandatory')
cat2600TsPortSWHandledFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsPortSWHandledFrames.setStatus('mandatory')
cat2600TsPortLocalStations = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsPortLocalStations.setStatus('mandatory')
cat2600TsPortRemoteStations = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 8), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsPortRemoteStations.setStatus('mandatory')
cat2600TsPortUnknownStaFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 9), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsPortUnknownStaFrames.setStatus('mandatory')
cat2600TsPortResetStats = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("other", 1), ("running", 2), ("reset", 3)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsPortResetStats.setStatus('mandatory')
cat2600TsPortResetTimer = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 11), TimeTicks()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsPortResetTimer.setStatus('mandatory')
cat2600TsPortResetAddrs = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("other", 1), ("running", 2), ("reset", 3)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsPortResetAddrs.setStatus('mandatory')
cat2600TsPortRcvBcasts = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 13), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsPortRcvBcasts.setStatus('mandatory')
cat2600TsPortSwitchedFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 14), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsPortSwitchedFrames.setStatus('mandatory')
cat2600TsPortLinkState = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 15), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("up", 1), ("down", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsPortLinkState.setStatus('mandatory')
cat2600TsPortHashOverflows = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 16), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsPortHashOverflows.setStatus('mandatory')
cat2600TsPortAddrAgingTime = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 17), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsPortAddrAgingTime.setStatus('mandatory')
cat2600TsPortSwitchMode = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("storeandforward", 1), ("cutthru", 2), ("auto", 3)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsPortSwitchMode.setStatus('mandatory')
cat2600TsPortFixedCfg = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("auto-detect", 1), ("fixed", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsPortFixedCfg.setStatus('mandatory')
cat2600TsPortMode = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("adapter", 1), ("port", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsPortMode.setStatus('mandatory')
cat2600TsPortDuplex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("half-duplex", 1), ("full-duplex", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsPortDuplex.setStatus('mandatory')
cat2600TsPortCfgLoss = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 22), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsPortCfgLoss.setStatus('mandatory')
cat2600TsPortCfgLossRC = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 23), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("wire-fault", 1), ("beacon-auto-removal", 2), ("force-remove-macaddr", 3), ("connection-lost", 4), ("adapter-check", 5), ("close-srb", 6), ("fdx-protocol-failure", 7)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsPortCfgLossRC.setStatus('mandatory')
cat2600TsPortCRCCount = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 24), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsPortCRCCount.setStatus('mandatory')
cat2600TsPortHPChannelFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 25), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsPortHPChannelFrames.setStatus('mandatory')
cat2600TsPortLPChannelFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 26), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsPortLPChannelFrames.setStatus('mandatory')
cat2600TsPortHPThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 27), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 6)).clone(4)).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsPortHPThreshold.setStatus('mandatory')
cat2600TsPortCfgRingSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 28), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("speed-16megabit", 1), ("speed-4megabit", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsPortCfgRingSpeed.setStatus('mandatory')
cat2600TsPortCfgRSA = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 29), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("rsa", 1), ("fixed", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsPortCfgRSA.setStatus('mandatory')
cat2600TsPortDomain = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 30), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsPortDomain.setStatus('mandatory')
cat2600TsPortCfgLossThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 31), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsPortCfgLossThreshold.setStatus('mandatory')
cat2600TsPortCfgLossSamplingPeriod = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 32), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsPortCfgLossSamplingPeriod.setStatus('mandatory')
cat2600TsPortBeaconStationAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 33), MacAddr())
if mibBuilder.loadTexts: cat2600TsPortBeaconStationAddress.setStatus('mandatory')
cat2600TsPortBeaconNAUN = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 34), MacAddr())
if mibBuilder.loadTexts: cat2600TsPortBeaconNAUN.setStatus('mandatory')
cat2600TsPortBeaconType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 35), Integer32())
if mibBuilder.loadTexts: cat2600TsPortBeaconType.setStatus('mandatory')
cat2600TsPortStnTable = MibTable((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 3), )
if mibBuilder.loadTexts: cat2600TsPortStnTable.setStatus('mandatory')
cat2600TsPortStnEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 3, 1), ).setIndexNames((0, "CAT2600-MIB", "cat2600TsPortStnPortNum"), (0, "CAT2600-MIB", "cat2600TsPortStnAddress"))
if mibBuilder.loadTexts: cat2600TsPortStnEntry.setStatus('mandatory')
cat2600TsPortStnPortNum = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 3, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsPortStnPortNum.setStatus('mandatory')
cat2600TsPortStnAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 3, 1, 2), MacAddr()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsPortStnAddress.setStatus('mandatory')
cat2600TsPortStnLocation = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 3, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("local", 1), ("remote", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsPortStnLocation.setStatus('mandatory')
cat2600TsPortStnSrcFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 3, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsPortStnSrcFrames.setStatus('mandatory')
cat2600TsPortStnSrcBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 3, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsPortStnSrcBytes.setStatus('mandatory')
cat2600TsPortStnDestnFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 3, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsPortStnDestnFrames.setStatus('mandatory')
cat2600TsPortStnDestnBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 3, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsPortStnDestnBytes.setStatus('mandatory')
cat2600TsOptPortStaTable = MibTable((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 2), )
if mibBuilder.loadTexts: cat2600TsOptPortStaTable.setStatus('mandatory')
cat2600TsOptPortStaEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 2, 1), ).setIndexNames((0, "CAT2600-MIB", "cat2600TsPortIndex"), (0, "CAT2600-MIB", "cat2600TsOptPortStaPos"))
if mibBuilder.loadTexts: cat2600TsOptPortStaEntry.setStatus('mandatory')
cat2600TsOptPortStaPos = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsOptPortStaPos.setStatus('mandatory')
cat2600TsOptPortStaVal = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 2, 1, 2), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsOptPortStaVal.setStatus('mandatory')
cat2600TsDmnTable = MibTable((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 1), )
if mibBuilder.loadTexts: cat2600TsDmnTable.setStatus('mandatory')
cat2600TsDmnEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 1, 1), ).setIndexNames((0, "CAT2600-MIB", "cat2600TsDmnIndex"))
if mibBuilder.loadTexts: cat2600TsDmnEntry.setStatus('mandatory')
cat2600TsDmnIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsDmnIndex.setStatus('mandatory')
cat2600TsDmnPorts = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 1, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsDmnPorts.setStatus('mandatory')
cat2600TsDmnIpState = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("disabled", 1), ("auto-bootp", 2), ("always-bootp", 3)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsDmnIpState.setStatus('mandatory')
cat2600TsDmnIpAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 1, 1, 4), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsDmnIpAddress.setStatus('mandatory')
cat2600TsDmnIpSubnetMask = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 1, 1, 5), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsDmnIpSubnetMask.setStatus('mandatory')
cat2600TsDmnIpDefaultGateway = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 1, 1, 6), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsDmnIpDefaultGateway.setStatus('mandatory')
cat2600TsDmnStp = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 1, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("on", 1), ("off", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsDmnStp.setStatus('mandatory')
cat2600TsDmnName = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 1, 1, 8), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 48))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsDmnName.setStatus('mandatory')
cat2600TsDmnIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 1, 1, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 100))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsDmnIfIndex.setStatus('mandatory')
cat2600TsDmnBaseBridgeAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 1, 1, 10), MacAddr()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsDmnBaseBridgeAddr.setStatus('mandatory')
cat2600TsDmnNumStations = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 1, 1, 11), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsDmnNumStations.setStatus('mandatory')
cat2600TsDmnMostStations = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 1, 1, 12), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsDmnMostStations.setStatus('mandatory')
cat2600TsDmnStationTable = MibTable((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 5), )
if mibBuilder.loadTexts: cat2600TsDmnStationTable.setStatus('mandatory')
cat2600TsDmnStationEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 5, 1), ).setIndexNames((0, "CAT2600-MIB", "cat2600TsDmnIndex"), (0, "CAT2600-MIB", "cat2600TsDmnStationAddress"))
if mibBuilder.loadTexts: cat2600TsDmnStationEntry.setStatus('mandatory')
cat2600TsDmnStationDmnIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 5, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsDmnStationDmnIndex.setStatus('mandatory')
cat2600TsDmnStationAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 5, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsDmnStationAddress.setStatus('mandatory')
cat2600TsDmnStationPort = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 5, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsDmnStationPort.setStatus('mandatory')
cat2600TsDmnStationTraffic = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 5, 1, 4), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsDmnStationTraffic.setStatus('mandatory')
cat2600TsOptDmnStaTable = MibTable((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 6), )
if mibBuilder.loadTexts: cat2600TsOptDmnStaTable.setStatus('mandatory')
cat2600TsOptDmnStaEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 6, 1), ).setIndexNames((0, "CAT2600-MIB", "cat2600TsDmnStationDmnIndex"), (0, "CAT2600-MIB", "cat2600TsOptDmnStaPos"))
if mibBuilder.loadTexts: cat2600TsOptDmnStaEntry.setStatus('mandatory')
cat2600TsOptDmnStaPos = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 6, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsOptDmnStaPos.setStatus('mandatory')
cat2600TsOptDmnStaVal = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 6, 1, 2), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsOptDmnStaVal.setStatus('mandatory')
cat2600TsPipeTable = MibTable((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 4, 1), )
if mibBuilder.loadTexts: cat2600TsPipeTable.setStatus('mandatory')
cat2600TsPipeEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 4, 1, 1), ).setIndexNames((0, "CAT2600-MIB", "cat2600TsPipeNumber"))
if mibBuilder.loadTexts: cat2600TsPipeEntry.setStatus('mandatory')
cat2600TsPipeNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 4, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 8))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsPipeNumber.setStatus('mandatory')
cat2600TsPipePorts = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 4, 1, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsPipePorts.setStatus('mandatory')
cat2600TsFilterTable = MibTable((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 5, 1), )
if mibBuilder.loadTexts: cat2600TsFilterTable.setStatus('mandatory')
cat2600TsFilterEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 5, 1, 1), ).setIndexNames((0, "CAT2600-MIB", "cat2600TsFilterStationAddress"), (0, "CAT2600-MIB", "cat2600TsFilterType"))
if mibBuilder.loadTexts: cat2600TsFilterEntry.setStatus('mandatory')
cat2600TsFilterStationAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 5, 1, 1, 1), MacAddr()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsFilterStationAddress.setStatus('mandatory')
cat2600TsFilterType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 5, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("source-filter", 1), ("destination-filter", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsFilterType.setStatus('mandatory')
cat2600TsFilterStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 5, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("valid", 1), ("invalid", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsFilterStatus.setStatus('mandatory')
cat2600TsFilterPorts = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 5, 1, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsFilterPorts.setStatus('mandatory')
cat2600TsFilterMask = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 5, 1, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsFilterMask.setStatus('mandatory')
cat2600TsUFCTable = MibTable((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 6, 1), )
if mibBuilder.loadTexts: cat2600TsUFCTable.setStatus('mandatory')
cat2600TsUFCEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 6, 1, 1), ).setIndexNames((0, "CAT2600-MIB", "cat2600TsUFCSlotNum"))
if mibBuilder.loadTexts: cat2600TsUFCEntry.setStatus('mandatory')
cat2600TsUFCSlotNum = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 6, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsUFCSlotNum.setStatus('mandatory')
cat2600TsUFCNumPhysIfs = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 6, 1, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsUFCNumPhysIfs.setStatus('mandatory')
cat2600TsUFCManufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 6, 1, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(16, 16)).setFixedLength(16)).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsUFCManufacturer.setStatus('mandatory')
cat2600TsUFCType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 6, 1, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(2, 2)).setFixedLength(2)).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsUFCType.setStatus('mandatory')
cat2600TsUFCTypeDesc = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 6, 1, 1, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 127))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsUFCTypeDesc.setStatus('mandatory')
cat2600TsUFCHwVer = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 6, 1, 1, 6), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsUFCHwVer.setStatus('mandatory')
cat2600TsUFCFwVer = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 6, 1, 1, 7), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsUFCFwVer.setStatus('mandatory')
cat2600TsUFCStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 6, 1, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("other", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cat2600TsUFCStatus.setStatus('mandatory')
cat2600TsUFCReset = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 6, 1, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("running", 1), ("hardReset", 2), ("softReset", 3)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cat2600TsUFCReset.setStatus('mandatory')
mibBuilder.exportSymbols("CAT2600-MIB", cat2600TsOptPortStaVal=cat2600TsOptPortStaVal, cat2600TsAddrAgingTime=cat2600TsAddrAgingTime, cat2600TsSysCurTime=cat2600TsSysCurTime, cat2600TsSysObjectID=cat2600TsSysObjectID, cat2600TsUFCReset=cat2600TsUFCReset, cat2600TsOptDmnStaVal=cat2600TsOptDmnStaVal, cat2600TsPortRcvBcasts=cat2600TsPortRcvBcasts, cat2600TsPortStnPortNum=cat2600TsPortStnPortNum, cat2600TsDmnIpState=cat2600TsDmnIpState, cat2600TsPortForwardedFrames=cat2600TsPortForwardedFrames, cat2600TsSerialNumber=cat2600TsSerialNumber, cat2600TsNumResets=cat2600TsNumResets, cat2600TsPortStnDestnFrames=cat2600TsPortStnDestnFrames, cat2600TsFwManufacturer=cat2600TsFwManufacturer, cat2600TsCrcThresholdHi=cat2600TsCrcThresholdHi, cat2600TsDmnIpAddress=cat2600TsDmnIpAddress, cat2600TsPortLocalStations=cat2600TsPortLocalStations, MacAddr=MacAddr, cat2600TsPortUnknownStaFrames=cat2600TsPortUnknownStaFrames, cat2600TsPipeTable=cat2600TsPipeTable, cat2600TsTrapRcvrIndex=cat2600TsTrapRcvrIndex, cat2600TsPortStnAddress=cat2600TsPortStnAddress, cat2600TsPortMode=cat2600TsPortMode, cat2600TsTrapRcvrEntry=cat2600TsTrapRcvrEntry, cat2600TsPortStnLocation=cat2600TsPortStnLocation, cat2600TsPortMaxStations=cat2600TsPortMaxStations, cat2600TsObjectID=cat2600TsObjectID, cat2600TsDmnTable=cat2600TsDmnTable, cat2600TsPortCfgRingSpeed=cat2600TsPortCfgRingSpeed, cat2600TsDmnIfIndex=cat2600TsDmnIfIndex, cat2600TsOptPortStaEntry=cat2600TsOptPortStaEntry, cat2600TsPortFixedCfg=cat2600TsPortFixedCfg, cat2600TsOptDmnStaEntry=cat2600TsOptDmnStaEntry, cat2600TsReset=cat2600TsReset, cat2600TsPortSwitchMode=cat2600TsPortSwitchMode, cat2600TsPipe=cat2600TsPipe, cat2600TsTrendThreshold=cat2600TsTrendThreshold, cat2600TsOptDmnStaTable=cat2600TsOptDmnStaTable, cat2600TsDmnName=cat2600TsDmnName, cat2600TsDmnBaseBridgeAddr=cat2600TsDmnBaseBridgeAddr, cat2600TsUFCSlotNum=cat2600TsUFCSlotNum, cat2600TsPortBeaconNAUN=cat2600TsPortBeaconNAUN, cat2600TsUFCTypeDesc=cat2600TsUFCTypeDesc, cat2600TsUFC=cat2600TsUFC, cat2600TsDmnMostStations=cat2600TsDmnMostStations, cat2600TsPipeNumber=cat2600TsPipeNumber, cat2600TsPortStnSrcBytes=cat2600TsPortStnSrcBytes, cat2600TsUFCStatus=cat2600TsUFCStatus, cat2600TsDmnIpSubnetMask=cat2600TsDmnIpSubnetMask, cat2600TsSysTemperature=cat2600TsSysTemperature, cat2600TsOptDmnStaPos=cat2600TsOptDmnStaPos, cat2600TsPortCRCCount=cat2600TsPortCRCCount, cat2600TsDefaultGateway=cat2600TsDefaultGateway, dtrMIBs=dtrMIBs, cisco=cisco, cat2600TsTapPort=cat2600TsTapPort, cat2600TsNumPorts=cat2600TsNumPorts, cat2600TsHwVer=cat2600TsHwVer, cat2600TsFilterPorts=cat2600TsFilterPorts, cat2600TsPortRemoteStations=cat2600TsPortRemoteStations, cat2600TsPipePorts=cat2600TsPipePorts, cat2600TsPortCfgLossRC=cat2600TsPortCfgLossRC, cat2600TsPortHPThreshold=cat2600TsPortHPThreshold, cat2600TsFilterEntry=cat2600TsFilterEntry, cat2600TsPortLinkState=cat2600TsPortLinkState, cat2600TsFilter=cat2600TsFilter, cat2600TsPortLPChannelFrames=cat2600TsPortLPChannelFrames, cat2600TsPortCfgRSA=cat2600TsPortCfgRSA, cat2600TsFilterStationAddress=cat2600TsFilterStationAddress, cat2600TsTrapRcvrIpAddress=cat2600TsTrapRcvrIpAddress, dtrMacMIB=dtrMacMIB, cat2600TsSys=cat2600TsSys, cat2600TsTrapRcvrTable=cat2600TsTrapRcvrTable, cat2600TsNumberUFC=cat2600TsNumberUFC, cat2600TsPortSwitchedFrames=cat2600TsPortSwitchedFrames, cat2600TsDmnPorts=cat2600TsDmnPorts, cat2600TsPortBeaconStationAddress=cat2600TsPortBeaconStationAddress, cat2600TsPortSwitchModeChangeTrapEnable=cat2600TsPortSwitchModeChangeTrapEnable, cat2600TsPortMostStations=cat2600TsPortMostStations, cat2600TsPort=cat2600TsPort, cat2600TsDmnStp=cat2600TsDmnStp, cat2600TsPortCfgLoss=cat2600TsPortCfgLoss, cat2600TsPortBeaconType=cat2600TsPortBeaconType, cat2600TsFilterTable=cat2600TsFilterTable, cat2600TsUFCNumPhysIfs=cat2600TsUFCNumPhysIfs, cat2600TsConfig=cat2600TsConfig, cat2600TsPortStnEntry=cat2600TsPortStnEntry, cat2600TsMostStations=cat2600TsMostStations, cat2600TsDmnNumStations=cat2600TsDmnNumStations, cat2600TsPortHPChannelFrames=cat2600TsPortHPChannelFrames, cat2600TsPortResetStats=cat2600TsPortResetStats, cat2600TsPortCfgLossThreshold=cat2600TsPortCfgLossThreshold, cat2600TsFwVer=cat2600TsFwVer, cat2600TsTrapRcvrDmns=cat2600TsTrapRcvrDmns, cat2600TsPortSWHandledFrames=cat2600TsPortSWHandledFrames, cat2600TsCrcThresholdLow=cat2600TsCrcThresholdLow, cat2600TsDmnEntry=cat2600TsDmnEntry, cat2600TsUFCEntry=cat2600TsUFCEntry, cat2600TsTrapRcvrStatus=cat2600TsTrapRcvrStatus, cat2600TsOptPortStaPos=cat2600TsOptPortStaPos, cat2600TsUFCManufacturer=cat2600TsUFCManufacturer, catProd=catProd, cat2600TsUFCHwVer=cat2600TsUFCHwVer, cat2600TsPortDuplex=cat2600TsPortDuplex, cat2600TsPortResetAddrs=cat2600TsPortResetAddrs, cat2600TsMain=cat2600TsMain, cat2600TsPingInterval=cat2600TsPingInterval, cat2600Ts=cat2600Ts, cat2600TsIpAddr=cat2600TsIpAddr, cat2600TsDmnIndex=cat2600TsDmnIndex, cat2600TsTrapRcvrComm=cat2600TsTrapRcvrComm, cat2600TsPipeEntry=cat2600TsPipeEntry, cat2600TsDmnStationEntry=cat2600TsDmnStationEntry, cat2600TsUFCTable=cat2600TsUFCTable, cat2600TsSamplingPeriod=cat2600TsSamplingPeriod, cat2600TsUFCType=cat2600TsUFCType, cat2600TsDmns=cat2600TsDmns, cat2600TsPortHashOverflows=cat2600TsPortHashOverflows, cat2600TsOptPortStaTable=cat2600TsOptPortStaTable, cat2600TsTapMonitoredPort=cat2600TsTapMonitoredPort, cat2600TsMaxStations=cat2600TsMaxStations, cat2600TsPortRcvLocalFrames=cat2600TsPortRcvLocalFrames, cat2600TsDmnStationAddress=cat2600TsDmnStationAddress, cat2600=cat2600, cat2600TsPortAddrAgingTime=cat2600TsPortAddrAgingTime, cat2600TsDmnStationPort=cat2600TsDmnStationPort, cat2600TsPortResetTimer=cat2600TsPortResetTimer, cat2600TsPortTable=cat2600TsPortTable, cat2600TsInstalledMemory=cat2600TsInstalledMemory, cat2600TsObjects=cat2600TsObjects, cat2600TsInstallationDate=cat2600TsInstallationDate, cat2600TsDmnIpDefaultGateway=cat2600TsDmnIpDefaultGateway, cat2600TsPortStnDestnBytes=cat2600TsPortStnDestnBytes, cat2600TsPortIndex=cat2600TsPortIndex, cat2600TsFilterMask=cat2600TsFilterMask, cat2600TsDmnStationTable=cat2600TsDmnStationTable, cat2600TsFilterStatus=cat2600TsFilterStatus, cat2600TsNetMask=cat2600TsNetMask, cat2600TsDmnStationDmnIndex=cat2600TsDmnStationDmnIndex, dtrConcMIB=dtrConcMIB, cat2600TsNumStations=cat2600TsNumStations, cat2600TsFwCRC=cat2600TsFwCRC, cat2600TsPortEntry=cat2600TsPortEntry, cat2600TsPortStnTable=cat2600TsPortStnTable, cat2600TsPortStnSrcFrames=cat2600TsPortStnSrcFrames, cat2600TsPortCfgLossSamplingPeriod=cat2600TsPortCfgLossSamplingPeriod, cat2600TsFwSize=cat2600TsFwSize, cat2600TsUFCFwVer=cat2600TsUFCFwVer, cat2600TsPortDomain=cat2600TsPortDomain, cat2600TsDmnStationTraffic=cat2600TsDmnStationTraffic, cat2600TsFilterType=cat2600TsFilterType)
| (integer, octet_string, object_identifier) = mibBuilder.importSymbols('ASN1', 'Integer', 'OctetString', 'ObjectIdentifier')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(single_value_constraint, constraints_intersection, value_range_constraint, value_size_constraint, constraints_union) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'SingleValueConstraint', 'ConstraintsIntersection', 'ValueRangeConstraint', 'ValueSizeConstraint', 'ConstraintsUnion')
(module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup')
(bits, gauge32, mib_identifier, module_identity, time_ticks, iso, object_identity, enterprises, counter64, notification_type, unsigned32, counter32, integer32, ip_address, mib_scalar, mib_table, mib_table_row, mib_table_column) = mibBuilder.importSymbols('SNMPv2-SMI', 'Bits', 'Gauge32', 'MibIdentifier', 'ModuleIdentity', 'TimeTicks', 'iso', 'ObjectIdentity', 'enterprises', 'Counter64', 'NotificationType', 'Unsigned32', 'Counter32', 'Integer32', 'IpAddress', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn')
(textual_convention, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DisplayString')
class Macaddr(OctetString):
subtype_spec = OctetString.subtypeSpec + value_size_constraint(6, 6)
fixed_length = 6
cisco = mib_identifier((1, 3, 6, 1, 4, 1, 9))
cat_prod = mib_identifier((1, 3, 6, 1, 4, 1, 9, 1))
cat2600 = mib_identifier((1, 3, 6, 1, 4, 1, 9, 1, 111))
cat2600_ts = mib_identifier((1, 3, 6, 1, 4, 1, 9, 1, 111, 1))
cat2600_ts_object_id = mib_identifier((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 1))
cat2600_ts_objects = mib_identifier((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2))
dtr_mi_bs = mib_identifier((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 3))
dtr_conc_mib = mib_identifier((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 3, 1))
dtr_mac_mib = mib_identifier((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 3, 2))
cat2600_ts_main = mib_identifier((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1))
cat2600_ts_config = mib_identifier((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1))
cat2600_ts_sys = mib_identifier((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 2))
cat2600_ts_port = mib_identifier((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2))
cat2600_ts_dmns = mib_identifier((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3))
cat2600_ts_pipe = mib_identifier((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 4))
cat2600_ts_filter = mib_identifier((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 5))
cat2600_ts_ufc = mib_identifier((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 6))
cat2600_ts_sys_object_id = mib_identifier((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 1, 1))
cat2600_ts_fw_ver = mib_scalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 1), display_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsFwVer.setStatus('mandatory')
cat2600_ts_hw_ver = mib_scalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsHwVer.setStatus('mandatory')
cat2600_ts_serial_number = mib_scalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(16, 16)).setFixedLength(16)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsSerialNumber.setStatus('mandatory')
cat2600_ts_installation_date = mib_scalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 4), display_string().subtype(subtypeSpec=value_size_constraint(64, 64)).setFixedLength(64)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsInstallationDate.setStatus('mandatory')
cat2600_ts_fw_size = mib_scalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsFwSize.setStatus('mandatory')
cat2600_ts_fw_crc = mib_scalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsFwCRC.setStatus('mandatory')
cat2600_ts_fw_manufacturer = mib_scalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 7), display_string().subtype(subtypeSpec=value_size_constraint(16, 16)).setFixedLength(16)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsFwManufacturer.setStatus('mandatory')
cat2600_ts_ip_addr = mib_scalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 8), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsIpAddr.setStatus('mandatory')
cat2600_ts_net_mask = mib_scalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 9), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsNetMask.setStatus('mandatory')
cat2600_ts_default_gateway = mib_scalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 10), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsDefaultGateway.setStatus('mandatory')
cat2600_ts_trap_rcvr_table = mib_table((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 14))
if mibBuilder.loadTexts:
cat2600TsTrapRcvrTable.setStatus('mandatory')
cat2600_ts_trap_rcvr_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 14, 1)).setIndexNames((0, 'CAT2600-MIB', 'cat2600TsTrapRcvrIndex'))
if mibBuilder.loadTexts:
cat2600TsTrapRcvrEntry.setStatus('mandatory')
cat2600_ts_trap_rcvr_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 14, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsTrapRcvrIndex.setStatus('mandatory')
cat2600_ts_trap_rcvr_status = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 14, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('other', 1), ('valid', 2), ('invalid', 3), ('create', 4)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsTrapRcvrStatus.setStatus('mandatory')
cat2600_ts_trap_rcvr_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 14, 1, 3), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsTrapRcvrIpAddress.setStatus('mandatory')
cat2600_ts_trap_rcvr_comm = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 14, 1, 4), display_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsTrapRcvrComm.setStatus('mandatory')
cat2600_ts_trap_rcvr_dmns = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 14, 1, 5), octet_string().subtype(subtypeSpec=value_size_constraint(8, 8)).setFixedLength(8)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsTrapRcvrDmns.setStatus('mandatory')
cat2600_ts_ping_interval = mib_scalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 19), integer32().clone(600)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsPingInterval.setStatus('mandatory')
cat2600_ts_tap_port = mib_scalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 20), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsTapPort.setStatus('mandatory')
cat2600_ts_tap_monitored_port = mib_scalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 21), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsTapMonitoredPort.setStatus('mandatory')
cat2600_ts_crc_threshold_hi = mib_scalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 22), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsCrcThresholdHi.setStatus('mandatory')
cat2600_ts_crc_threshold_low = mib_scalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 23), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsCrcThresholdLow.setStatus('mandatory')
cat2600_ts_port_switch_mode_change_trap_enable = mib_scalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 24), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsPortSwitchModeChangeTrapEnable.setStatus('mandatory')
cat2600_ts_trend_threshold = mib_scalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 25), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsTrendThreshold.setStatus('mandatory')
cat2600_ts_sampling_period = mib_scalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 26), integer32().subtype(subtypeSpec=value_range_constraint(1, 120))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsSamplingPeriod.setStatus('mandatory')
cat2600_ts_number_ufc = mib_scalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 1, 27), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsNumberUFC.setStatus('mandatory')
cat2600_ts_num_ports = mib_scalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 2, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsNumPorts.setStatus('mandatory')
cat2600_ts_num_stations = mib_scalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 2, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsNumStations.setStatus('mandatory')
cat2600_ts_most_stations = mib_scalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 2, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsMostStations.setStatus('mandatory')
cat2600_ts_max_stations = mib_scalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 2, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsMaxStations.setStatus('mandatory')
cat2600_ts_reset = mib_scalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 2, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('running', 1), ('hardReset', 2), ('softReset', 3)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsReset.setStatus('mandatory')
cat2600_ts_num_resets = mib_scalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 2, 6), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsNumResets.setStatus('mandatory')
cat2600_ts_addr_aging_time = mib_scalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 2, 7), integer32().subtype(subtypeSpec=value_range_constraint(0, 9999))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsAddrAgingTime.setStatus('mandatory')
cat2600_ts_sys_temperature = mib_scalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 2, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('normal', 1), ('toohigh', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsSysTemperature.setStatus('mandatory')
cat2600_ts_installed_memory = mib_scalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 2, 12), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsInstalledMemory.setStatus('mandatory')
cat2600_ts_sys_cur_time = mib_scalar((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 1, 2, 13), display_string().subtype(subtypeSpec=value_size_constraint(1, 128))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsSysCurTime.setStatus('mandatory')
cat2600_ts_port_table = mib_table((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1))
if mibBuilder.loadTexts:
cat2600TsPortTable.setStatus('mandatory')
cat2600_ts_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1)).setIndexNames((0, 'CAT2600-MIB', 'cat2600TsPortIndex'))
if mibBuilder.loadTexts:
cat2600TsPortEntry.setStatus('mandatory')
cat2600_ts_port_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsPortIndex.setStatus('mandatory')
cat2600_ts_port_rcv_local_frames = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 2), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsPortRcvLocalFrames.setStatus('mandatory')
cat2600_ts_port_forwarded_frames = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 3), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsPortForwardedFrames.setStatus('mandatory')
cat2600_ts_port_most_stations = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 4), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsPortMostStations.setStatus('mandatory')
cat2600_ts_port_max_stations = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsPortMaxStations.setStatus('mandatory')
cat2600_ts_port_sw_handled_frames = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 6), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsPortSWHandledFrames.setStatus('mandatory')
cat2600_ts_port_local_stations = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 7), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsPortLocalStations.setStatus('mandatory')
cat2600_ts_port_remote_stations = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 8), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsPortRemoteStations.setStatus('mandatory')
cat2600_ts_port_unknown_sta_frames = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 9), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsPortUnknownStaFrames.setStatus('mandatory')
cat2600_ts_port_reset_stats = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('other', 1), ('running', 2), ('reset', 3)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsPortResetStats.setStatus('mandatory')
cat2600_ts_port_reset_timer = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 11), time_ticks()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsPortResetTimer.setStatus('mandatory')
cat2600_ts_port_reset_addrs = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('other', 1), ('running', 2), ('reset', 3)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsPortResetAddrs.setStatus('mandatory')
cat2600_ts_port_rcv_bcasts = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 13), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsPortRcvBcasts.setStatus('mandatory')
cat2600_ts_port_switched_frames = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 14), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsPortSwitchedFrames.setStatus('mandatory')
cat2600_ts_port_link_state = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 15), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('up', 1), ('down', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsPortLinkState.setStatus('mandatory')
cat2600_ts_port_hash_overflows = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 16), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsPortHashOverflows.setStatus('mandatory')
cat2600_ts_port_addr_aging_time = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 17), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsPortAddrAgingTime.setStatus('mandatory')
cat2600_ts_port_switch_mode = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 18), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('storeandforward', 1), ('cutthru', 2), ('auto', 3)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsPortSwitchMode.setStatus('mandatory')
cat2600_ts_port_fixed_cfg = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 19), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('auto-detect', 1), ('fixed', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsPortFixedCfg.setStatus('mandatory')
cat2600_ts_port_mode = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 20), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('adapter', 1), ('port', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsPortMode.setStatus('mandatory')
cat2600_ts_port_duplex = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 21), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('half-duplex', 1), ('full-duplex', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsPortDuplex.setStatus('mandatory')
cat2600_ts_port_cfg_loss = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 22), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsPortCfgLoss.setStatus('mandatory')
cat2600_ts_port_cfg_loss_rc = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 23), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=named_values(('wire-fault', 1), ('beacon-auto-removal', 2), ('force-remove-macaddr', 3), ('connection-lost', 4), ('adapter-check', 5), ('close-srb', 6), ('fdx-protocol-failure', 7)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsPortCfgLossRC.setStatus('mandatory')
cat2600_ts_port_crc_count = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 24), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsPortCRCCount.setStatus('mandatory')
cat2600_ts_port_hp_channel_frames = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 25), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsPortHPChannelFrames.setStatus('mandatory')
cat2600_ts_port_lp_channel_frames = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 26), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsPortLPChannelFrames.setStatus('mandatory')
cat2600_ts_port_hp_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 27), integer32().subtype(subtypeSpec=value_range_constraint(0, 6)).clone(4)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsPortHPThreshold.setStatus('mandatory')
cat2600_ts_port_cfg_ring_speed = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 28), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('speed-16megabit', 1), ('speed-4megabit', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsPortCfgRingSpeed.setStatus('mandatory')
cat2600_ts_port_cfg_rsa = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 29), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('rsa', 1), ('fixed', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsPortCfgRSA.setStatus('mandatory')
cat2600_ts_port_domain = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 30), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsPortDomain.setStatus('mandatory')
cat2600_ts_port_cfg_loss_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 31), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsPortCfgLossThreshold.setStatus('mandatory')
cat2600_ts_port_cfg_loss_sampling_period = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 32), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsPortCfgLossSamplingPeriod.setStatus('mandatory')
cat2600_ts_port_beacon_station_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 33), mac_addr())
if mibBuilder.loadTexts:
cat2600TsPortBeaconStationAddress.setStatus('mandatory')
cat2600_ts_port_beacon_naun = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 34), mac_addr())
if mibBuilder.loadTexts:
cat2600TsPortBeaconNAUN.setStatus('mandatory')
cat2600_ts_port_beacon_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 1, 1, 35), integer32())
if mibBuilder.loadTexts:
cat2600TsPortBeaconType.setStatus('mandatory')
cat2600_ts_port_stn_table = mib_table((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 3))
if mibBuilder.loadTexts:
cat2600TsPortStnTable.setStatus('mandatory')
cat2600_ts_port_stn_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 3, 1)).setIndexNames((0, 'CAT2600-MIB', 'cat2600TsPortStnPortNum'), (0, 'CAT2600-MIB', 'cat2600TsPortStnAddress'))
if mibBuilder.loadTexts:
cat2600TsPortStnEntry.setStatus('mandatory')
cat2600_ts_port_stn_port_num = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 3, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsPortStnPortNum.setStatus('mandatory')
cat2600_ts_port_stn_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 3, 1, 2), mac_addr()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsPortStnAddress.setStatus('mandatory')
cat2600_ts_port_stn_location = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 3, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('local', 1), ('remote', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsPortStnLocation.setStatus('mandatory')
cat2600_ts_port_stn_src_frames = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 3, 1, 4), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsPortStnSrcFrames.setStatus('mandatory')
cat2600_ts_port_stn_src_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 3, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsPortStnSrcBytes.setStatus('mandatory')
cat2600_ts_port_stn_destn_frames = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 3, 1, 6), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsPortStnDestnFrames.setStatus('mandatory')
cat2600_ts_port_stn_destn_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 3, 1, 7), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsPortStnDestnBytes.setStatus('mandatory')
cat2600_ts_opt_port_sta_table = mib_table((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 2))
if mibBuilder.loadTexts:
cat2600TsOptPortStaTable.setStatus('mandatory')
cat2600_ts_opt_port_sta_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 2, 1)).setIndexNames((0, 'CAT2600-MIB', 'cat2600TsPortIndex'), (0, 'CAT2600-MIB', 'cat2600TsOptPortStaPos'))
if mibBuilder.loadTexts:
cat2600TsOptPortStaEntry.setStatus('mandatory')
cat2600_ts_opt_port_sta_pos = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 2, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsOptPortStaPos.setStatus('mandatory')
cat2600_ts_opt_port_sta_val = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 2, 2, 1, 2), octet_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsOptPortStaVal.setStatus('mandatory')
cat2600_ts_dmn_table = mib_table((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 1))
if mibBuilder.loadTexts:
cat2600TsDmnTable.setStatus('mandatory')
cat2600_ts_dmn_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 1, 1)).setIndexNames((0, 'CAT2600-MIB', 'cat2600TsDmnIndex'))
if mibBuilder.loadTexts:
cat2600TsDmnEntry.setStatus('mandatory')
cat2600_ts_dmn_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 32))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsDmnIndex.setStatus('mandatory')
cat2600_ts_dmn_ports = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 1, 1, 2), octet_string()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsDmnPorts.setStatus('mandatory')
cat2600_ts_dmn_ip_state = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('disabled', 1), ('auto-bootp', 2), ('always-bootp', 3)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsDmnIpState.setStatus('mandatory')
cat2600_ts_dmn_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 1, 1, 4), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsDmnIpAddress.setStatus('mandatory')
cat2600_ts_dmn_ip_subnet_mask = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 1, 1, 5), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsDmnIpSubnetMask.setStatus('mandatory')
cat2600_ts_dmn_ip_default_gateway = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 1, 1, 6), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsDmnIpDefaultGateway.setStatus('mandatory')
cat2600_ts_dmn_stp = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 1, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('on', 1), ('off', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsDmnStp.setStatus('mandatory')
cat2600_ts_dmn_name = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 1, 1, 8), display_string().subtype(subtypeSpec=value_size_constraint(0, 48))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsDmnName.setStatus('mandatory')
cat2600_ts_dmn_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 1, 1, 9), integer32().subtype(subtypeSpec=value_range_constraint(1, 100))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsDmnIfIndex.setStatus('mandatory')
cat2600_ts_dmn_base_bridge_addr = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 1, 1, 10), mac_addr()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsDmnBaseBridgeAddr.setStatus('mandatory')
cat2600_ts_dmn_num_stations = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 1, 1, 11), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsDmnNumStations.setStatus('mandatory')
cat2600_ts_dmn_most_stations = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 1, 1, 12), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsDmnMostStations.setStatus('mandatory')
cat2600_ts_dmn_station_table = mib_table((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 5))
if mibBuilder.loadTexts:
cat2600TsDmnStationTable.setStatus('mandatory')
cat2600_ts_dmn_station_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 5, 1)).setIndexNames((0, 'CAT2600-MIB', 'cat2600TsDmnIndex'), (0, 'CAT2600-MIB', 'cat2600TsDmnStationAddress'))
if mibBuilder.loadTexts:
cat2600TsDmnStationEntry.setStatus('mandatory')
cat2600_ts_dmn_station_dmn_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 5, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsDmnStationDmnIndex.setStatus('mandatory')
cat2600_ts_dmn_station_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 5, 1, 2), octet_string().subtype(subtypeSpec=value_size_constraint(6, 6)).setFixedLength(6)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsDmnStationAddress.setStatus('mandatory')
cat2600_ts_dmn_station_port = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 5, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsDmnStationPort.setStatus('mandatory')
cat2600_ts_dmn_station_traffic = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 5, 1, 4), octet_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsDmnStationTraffic.setStatus('mandatory')
cat2600_ts_opt_dmn_sta_table = mib_table((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 6))
if mibBuilder.loadTexts:
cat2600TsOptDmnStaTable.setStatus('mandatory')
cat2600_ts_opt_dmn_sta_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 6, 1)).setIndexNames((0, 'CAT2600-MIB', 'cat2600TsDmnStationDmnIndex'), (0, 'CAT2600-MIB', 'cat2600TsOptDmnStaPos'))
if mibBuilder.loadTexts:
cat2600TsOptDmnStaEntry.setStatus('mandatory')
cat2600_ts_opt_dmn_sta_pos = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 6, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsOptDmnStaPos.setStatus('mandatory')
cat2600_ts_opt_dmn_sta_val = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 3, 6, 1, 2), octet_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsOptDmnStaVal.setStatus('mandatory')
cat2600_ts_pipe_table = mib_table((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 4, 1))
if mibBuilder.loadTexts:
cat2600TsPipeTable.setStatus('mandatory')
cat2600_ts_pipe_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 4, 1, 1)).setIndexNames((0, 'CAT2600-MIB', 'cat2600TsPipeNumber'))
if mibBuilder.loadTexts:
cat2600TsPipeEntry.setStatus('mandatory')
cat2600_ts_pipe_number = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 4, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 8))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsPipeNumber.setStatus('mandatory')
cat2600_ts_pipe_ports = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 4, 1, 1, 2), octet_string().subtype(subtypeSpec=value_size_constraint(4, 4)).setFixedLength(4)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsPipePorts.setStatus('mandatory')
cat2600_ts_filter_table = mib_table((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 5, 1))
if mibBuilder.loadTexts:
cat2600TsFilterTable.setStatus('mandatory')
cat2600_ts_filter_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 5, 1, 1)).setIndexNames((0, 'CAT2600-MIB', 'cat2600TsFilterStationAddress'), (0, 'CAT2600-MIB', 'cat2600TsFilterType'))
if mibBuilder.loadTexts:
cat2600TsFilterEntry.setStatus('mandatory')
cat2600_ts_filter_station_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 5, 1, 1, 1), mac_addr()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsFilterStationAddress.setStatus('mandatory')
cat2600_ts_filter_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 5, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('source-filter', 1), ('destination-filter', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsFilterType.setStatus('mandatory')
cat2600_ts_filter_status = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 5, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('valid', 1), ('invalid', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsFilterStatus.setStatus('mandatory')
cat2600_ts_filter_ports = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 5, 1, 1, 4), octet_string()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsFilterPorts.setStatus('mandatory')
cat2600_ts_filter_mask = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 5, 1, 1, 5), octet_string().subtype(subtypeSpec=value_size_constraint(4, 4)).setFixedLength(4)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsFilterMask.setStatus('mandatory')
cat2600_ts_ufc_table = mib_table((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 6, 1))
if mibBuilder.loadTexts:
cat2600TsUFCTable.setStatus('mandatory')
cat2600_ts_ufc_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 6, 1, 1)).setIndexNames((0, 'CAT2600-MIB', 'cat2600TsUFCSlotNum'))
if mibBuilder.loadTexts:
cat2600TsUFCEntry.setStatus('mandatory')
cat2600_ts_ufc_slot_num = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 6, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 32))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsUFCSlotNum.setStatus('mandatory')
cat2600_ts_ufc_num_phys_ifs = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 6, 1, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsUFCNumPhysIfs.setStatus('mandatory')
cat2600_ts_ufc_manufacturer = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 6, 1, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(16, 16)).setFixedLength(16)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsUFCManufacturer.setStatus('mandatory')
cat2600_ts_ufc_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 6, 1, 1, 4), octet_string().subtype(subtypeSpec=value_size_constraint(2, 2)).setFixedLength(2)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsUFCType.setStatus('mandatory')
cat2600_ts_ufc_type_desc = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 6, 1, 1, 5), display_string().subtype(subtypeSpec=value_size_constraint(0, 127))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsUFCTypeDesc.setStatus('mandatory')
cat2600_ts_ufc_hw_ver = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 6, 1, 1, 6), display_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsUFCHwVer.setStatus('mandatory')
cat2600_ts_ufc_fw_ver = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 6, 1, 1, 7), display_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsUFCFwVer.setStatus('mandatory')
cat2600_ts_ufc_status = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 6, 1, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('up', 1), ('down', 2), ('other', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cat2600TsUFCStatus.setStatus('mandatory')
cat2600_ts_ufc_reset = mib_table_column((1, 3, 6, 1, 4, 1, 9, 1, 111, 1, 2, 6, 1, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('running', 1), ('hardReset', 2), ('softReset', 3)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cat2600TsUFCReset.setStatus('mandatory')
mibBuilder.exportSymbols('CAT2600-MIB', cat2600TsOptPortStaVal=cat2600TsOptPortStaVal, cat2600TsAddrAgingTime=cat2600TsAddrAgingTime, cat2600TsSysCurTime=cat2600TsSysCurTime, cat2600TsSysObjectID=cat2600TsSysObjectID, cat2600TsUFCReset=cat2600TsUFCReset, cat2600TsOptDmnStaVal=cat2600TsOptDmnStaVal, cat2600TsPortRcvBcasts=cat2600TsPortRcvBcasts, cat2600TsPortStnPortNum=cat2600TsPortStnPortNum, cat2600TsDmnIpState=cat2600TsDmnIpState, cat2600TsPortForwardedFrames=cat2600TsPortForwardedFrames, cat2600TsSerialNumber=cat2600TsSerialNumber, cat2600TsNumResets=cat2600TsNumResets, cat2600TsPortStnDestnFrames=cat2600TsPortStnDestnFrames, cat2600TsFwManufacturer=cat2600TsFwManufacturer, cat2600TsCrcThresholdHi=cat2600TsCrcThresholdHi, cat2600TsDmnIpAddress=cat2600TsDmnIpAddress, cat2600TsPortLocalStations=cat2600TsPortLocalStations, MacAddr=MacAddr, cat2600TsPortUnknownStaFrames=cat2600TsPortUnknownStaFrames, cat2600TsPipeTable=cat2600TsPipeTable, cat2600TsTrapRcvrIndex=cat2600TsTrapRcvrIndex, cat2600TsPortStnAddress=cat2600TsPortStnAddress, cat2600TsPortMode=cat2600TsPortMode, cat2600TsTrapRcvrEntry=cat2600TsTrapRcvrEntry, cat2600TsPortStnLocation=cat2600TsPortStnLocation, cat2600TsPortMaxStations=cat2600TsPortMaxStations, cat2600TsObjectID=cat2600TsObjectID, cat2600TsDmnTable=cat2600TsDmnTable, cat2600TsPortCfgRingSpeed=cat2600TsPortCfgRingSpeed, cat2600TsDmnIfIndex=cat2600TsDmnIfIndex, cat2600TsOptPortStaEntry=cat2600TsOptPortStaEntry, cat2600TsPortFixedCfg=cat2600TsPortFixedCfg, cat2600TsOptDmnStaEntry=cat2600TsOptDmnStaEntry, cat2600TsReset=cat2600TsReset, cat2600TsPortSwitchMode=cat2600TsPortSwitchMode, cat2600TsPipe=cat2600TsPipe, cat2600TsTrendThreshold=cat2600TsTrendThreshold, cat2600TsOptDmnStaTable=cat2600TsOptDmnStaTable, cat2600TsDmnName=cat2600TsDmnName, cat2600TsDmnBaseBridgeAddr=cat2600TsDmnBaseBridgeAddr, cat2600TsUFCSlotNum=cat2600TsUFCSlotNum, cat2600TsPortBeaconNAUN=cat2600TsPortBeaconNAUN, cat2600TsUFCTypeDesc=cat2600TsUFCTypeDesc, cat2600TsUFC=cat2600TsUFC, cat2600TsDmnMostStations=cat2600TsDmnMostStations, cat2600TsPipeNumber=cat2600TsPipeNumber, cat2600TsPortStnSrcBytes=cat2600TsPortStnSrcBytes, cat2600TsUFCStatus=cat2600TsUFCStatus, cat2600TsDmnIpSubnetMask=cat2600TsDmnIpSubnetMask, cat2600TsSysTemperature=cat2600TsSysTemperature, cat2600TsOptDmnStaPos=cat2600TsOptDmnStaPos, cat2600TsPortCRCCount=cat2600TsPortCRCCount, cat2600TsDefaultGateway=cat2600TsDefaultGateway, dtrMIBs=dtrMIBs, cisco=cisco, cat2600TsTapPort=cat2600TsTapPort, cat2600TsNumPorts=cat2600TsNumPorts, cat2600TsHwVer=cat2600TsHwVer, cat2600TsFilterPorts=cat2600TsFilterPorts, cat2600TsPortRemoteStations=cat2600TsPortRemoteStations, cat2600TsPipePorts=cat2600TsPipePorts, cat2600TsPortCfgLossRC=cat2600TsPortCfgLossRC, cat2600TsPortHPThreshold=cat2600TsPortHPThreshold, cat2600TsFilterEntry=cat2600TsFilterEntry, cat2600TsPortLinkState=cat2600TsPortLinkState, cat2600TsFilter=cat2600TsFilter, cat2600TsPortLPChannelFrames=cat2600TsPortLPChannelFrames, cat2600TsPortCfgRSA=cat2600TsPortCfgRSA, cat2600TsFilterStationAddress=cat2600TsFilterStationAddress, cat2600TsTrapRcvrIpAddress=cat2600TsTrapRcvrIpAddress, dtrMacMIB=dtrMacMIB, cat2600TsSys=cat2600TsSys, cat2600TsTrapRcvrTable=cat2600TsTrapRcvrTable, cat2600TsNumberUFC=cat2600TsNumberUFC, cat2600TsPortSwitchedFrames=cat2600TsPortSwitchedFrames, cat2600TsDmnPorts=cat2600TsDmnPorts, cat2600TsPortBeaconStationAddress=cat2600TsPortBeaconStationAddress, cat2600TsPortSwitchModeChangeTrapEnable=cat2600TsPortSwitchModeChangeTrapEnable, cat2600TsPortMostStations=cat2600TsPortMostStations, cat2600TsPort=cat2600TsPort, cat2600TsDmnStp=cat2600TsDmnStp, cat2600TsPortCfgLoss=cat2600TsPortCfgLoss, cat2600TsPortBeaconType=cat2600TsPortBeaconType, cat2600TsFilterTable=cat2600TsFilterTable, cat2600TsUFCNumPhysIfs=cat2600TsUFCNumPhysIfs, cat2600TsConfig=cat2600TsConfig, cat2600TsPortStnEntry=cat2600TsPortStnEntry, cat2600TsMostStations=cat2600TsMostStations, cat2600TsDmnNumStations=cat2600TsDmnNumStations, cat2600TsPortHPChannelFrames=cat2600TsPortHPChannelFrames, cat2600TsPortResetStats=cat2600TsPortResetStats, cat2600TsPortCfgLossThreshold=cat2600TsPortCfgLossThreshold, cat2600TsFwVer=cat2600TsFwVer, cat2600TsTrapRcvrDmns=cat2600TsTrapRcvrDmns, cat2600TsPortSWHandledFrames=cat2600TsPortSWHandledFrames, cat2600TsCrcThresholdLow=cat2600TsCrcThresholdLow, cat2600TsDmnEntry=cat2600TsDmnEntry, cat2600TsUFCEntry=cat2600TsUFCEntry, cat2600TsTrapRcvrStatus=cat2600TsTrapRcvrStatus, cat2600TsOptPortStaPos=cat2600TsOptPortStaPos, cat2600TsUFCManufacturer=cat2600TsUFCManufacturer, catProd=catProd, cat2600TsUFCHwVer=cat2600TsUFCHwVer, cat2600TsPortDuplex=cat2600TsPortDuplex, cat2600TsPortResetAddrs=cat2600TsPortResetAddrs, cat2600TsMain=cat2600TsMain, cat2600TsPingInterval=cat2600TsPingInterval, cat2600Ts=cat2600Ts, cat2600TsIpAddr=cat2600TsIpAddr, cat2600TsDmnIndex=cat2600TsDmnIndex, cat2600TsTrapRcvrComm=cat2600TsTrapRcvrComm, cat2600TsPipeEntry=cat2600TsPipeEntry, cat2600TsDmnStationEntry=cat2600TsDmnStationEntry, cat2600TsUFCTable=cat2600TsUFCTable, cat2600TsSamplingPeriod=cat2600TsSamplingPeriod, cat2600TsUFCType=cat2600TsUFCType, cat2600TsDmns=cat2600TsDmns, cat2600TsPortHashOverflows=cat2600TsPortHashOverflows, cat2600TsOptPortStaTable=cat2600TsOptPortStaTable, cat2600TsTapMonitoredPort=cat2600TsTapMonitoredPort, cat2600TsMaxStations=cat2600TsMaxStations, cat2600TsPortRcvLocalFrames=cat2600TsPortRcvLocalFrames, cat2600TsDmnStationAddress=cat2600TsDmnStationAddress, cat2600=cat2600, cat2600TsPortAddrAgingTime=cat2600TsPortAddrAgingTime, cat2600TsDmnStationPort=cat2600TsDmnStationPort, cat2600TsPortResetTimer=cat2600TsPortResetTimer, cat2600TsPortTable=cat2600TsPortTable, cat2600TsInstalledMemory=cat2600TsInstalledMemory, cat2600TsObjects=cat2600TsObjects, cat2600TsInstallationDate=cat2600TsInstallationDate, cat2600TsDmnIpDefaultGateway=cat2600TsDmnIpDefaultGateway, cat2600TsPortStnDestnBytes=cat2600TsPortStnDestnBytes, cat2600TsPortIndex=cat2600TsPortIndex, cat2600TsFilterMask=cat2600TsFilterMask, cat2600TsDmnStationTable=cat2600TsDmnStationTable, cat2600TsFilterStatus=cat2600TsFilterStatus, cat2600TsNetMask=cat2600TsNetMask, cat2600TsDmnStationDmnIndex=cat2600TsDmnStationDmnIndex, dtrConcMIB=dtrConcMIB, cat2600TsNumStations=cat2600TsNumStations, cat2600TsFwCRC=cat2600TsFwCRC, cat2600TsPortEntry=cat2600TsPortEntry, cat2600TsPortStnTable=cat2600TsPortStnTable, cat2600TsPortStnSrcFrames=cat2600TsPortStnSrcFrames, cat2600TsPortCfgLossSamplingPeriod=cat2600TsPortCfgLossSamplingPeriod, cat2600TsFwSize=cat2600TsFwSize, cat2600TsUFCFwVer=cat2600TsUFCFwVer, cat2600TsPortDomain=cat2600TsPortDomain, cat2600TsDmnStationTraffic=cat2600TsDmnStationTraffic, cat2600TsFilterType=cat2600TsFilterType) |
class Solution(object):
def canJump(self, nums):
cur, last = 0, 0
for i in nums:
last, cur = max(last, cur + i), cur + 1
if cur > last:
break
return True if cur == len(nums) else False
| class Solution(object):
def can_jump(self, nums):
(cur, last) = (0, 0)
for i in nums:
(last, cur) = (max(last, cur + i), cur + 1)
if cur > last:
break
return True if cur == len(nums) else False |
class Kite(object):
def __init__(self):
self.code = "kite"
def foo(self):
print("bar!")
| class Kite(object):
def __init__(self):
self.code = 'kite'
def foo(self):
print('bar!') |
#
# PySNMP MIB module HPN-ICF-EPON-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/HPN-ICF-EPON-MIB
# Produced by pysmi-0.3.4 at Mon Apr 29 19:26:17 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
Integer, ObjectIdentifier, OctetString = mibBuilder.importSymbols("ASN1", "Integer", "ObjectIdentifier", "OctetString")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ValueRangeConstraint, ConstraintsUnion, SingleValueConstraint, ConstraintsIntersection, ValueSizeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueRangeConstraint", "ConstraintsUnion", "SingleValueConstraint", "ConstraintsIntersection", "ValueSizeConstraint")
hpnicfLswSlotIndex, hpnicfLswFrameIndex = mibBuilder.importSymbols("HPN-ICF-LSW-DEV-ADM-MIB", "hpnicfLswSlotIndex", "hpnicfLswFrameIndex")
hpnicfEpon, = mibBuilder.importSymbols("HPN-ICF-OID-MIB", "hpnicfEpon")
ifDescr, ifIndex = mibBuilder.importSymbols("IF-MIB", "ifDescr", "ifIndex")
InetAddressType, InetAddress = mibBuilder.importSymbols("INET-ADDRESS-MIB", "InetAddressType", "InetAddress")
NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance")
MibScalar, MibTable, MibTableRow, MibTableColumn, IpAddress, Integer32, ModuleIdentity, iso, ObjectIdentity, NotificationType, Counter32, TimeTicks, Counter64, Gauge32, Unsigned32, Bits, MibIdentifier = mibBuilder.importSymbols("SNMPv2-SMI", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "IpAddress", "Integer32", "ModuleIdentity", "iso", "ObjectIdentity", "NotificationType", "Counter32", "TimeTicks", "Counter64", "Gauge32", "Unsigned32", "Bits", "MibIdentifier")
DateAndTime, DisplayString, MacAddress, TextualConvention, RowStatus, TruthValue = mibBuilder.importSymbols("SNMPv2-TC", "DateAndTime", "DisplayString", "MacAddress", "TextualConvention", "RowStatus", "TruthValue")
hpnicfEponMibObjects = ModuleIdentity((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1))
if mibBuilder.loadTexts: hpnicfEponMibObjects.setLastUpdated('200705221008Z')
if mibBuilder.loadTexts: hpnicfEponMibObjects.setOrganization('')
hpnicfEponSysMan = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1))
hpnicfEponAutoAuthorize = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 1), TruthValue().clone('false')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfEponAutoAuthorize.setStatus('current')
hpnicfEponMonitorCycle = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfEponMonitorCycle.setStatus('current')
hpnicfEponMsgTimeOut = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 3), Integer32().clone(600)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfEponMsgTimeOut.setStatus('current')
hpnicfEponMsgLoseNum = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 4), Integer32().clone(20)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfEponMsgLoseNum.setStatus('current')
hpnicfEponSysHasEPONBoard = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 5), TruthValue()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfEponSysHasEPONBoard.setStatus('current')
hpnicfEponMonitorCycleEnable = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 6), TruthValue().clone('true')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfEponMonitorCycleEnable.setStatus('current')
hpnicfEponOltSoftwareErrAlmEnable = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 7), TruthValue().clone('true')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfEponOltSoftwareErrAlmEnable.setStatus('current')
hpnicfEponPortLoopBackAlmEnable = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 8), TruthValue().clone('true')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfEponPortLoopBackAlmEnable.setStatus('current')
hpnicfEponMonitorCycleMinVal = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 9), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfEponMonitorCycleMinVal.setStatus('current')
hpnicfEponMonitorCycleMaxVal = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 10), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfEponMonitorCycleMaxVal.setStatus('current')
hpnicfEponMsgTimeOutMinVal = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 11), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfEponMsgTimeOutMinVal.setStatus('current')
hpnicfEponMsgTimeOutMaxVal = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 12), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfEponMsgTimeOutMaxVal.setStatus('current')
hpnicfEponMsgLoseNumMinVal = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 13), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfEponMsgLoseNumMinVal.setStatus('current')
hpnicfEponMsgLoseNumMaxVal = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 14), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfEponMsgLoseNumMaxVal.setStatus('current')
hpnicfEponSysScalarGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 15))
hpnicfEponSysManTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 16), )
if mibBuilder.loadTexts: hpnicfEponSysManTable.setStatus('current')
hpnicfEponSysManEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 16, 1), ).setIndexNames((0, "HPN-ICF-EPON-MIB", "hpnicfEponSlotIndex"))
if mibBuilder.loadTexts: hpnicfEponSysManEntry.setStatus('current')
hpnicfEponSlotIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 16, 1, 1), Integer32())
if mibBuilder.loadTexts: hpnicfEponSlotIndex.setStatus('current')
hpnicfEponModeSwitch = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 16, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("cmode", 1), ("hmode", 2))).clone('cmode')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfEponModeSwitch.setStatus('current')
hpnicfEponAutomaticMode = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 16, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('enable')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfEponAutomaticMode.setStatus('current')
hpnicfEponOamDiscoveryTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 16, 1, 4), Integer32().clone(30)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfEponOamDiscoveryTimeout.setStatus('current')
hpnicfEponEncryptionNoReplyTimeOut = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 16, 1, 5), Integer32().clone(30)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfEponEncryptionNoReplyTimeOut.setStatus('current')
hpnicfEponEncryptionUpdateTime = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 16, 1, 6), Integer32().clone(10)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfEponEncryptionUpdateTime.setStatus('current')
hpnicfEponAutoBindStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 16, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfEponAutoBindStatus.setStatus('current')
hpnicfEponAutoUpdateTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 17), )
if mibBuilder.loadTexts: hpnicfEponAutoUpdateTable.setStatus('current')
hpnicfEponAutoUpdateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 17, 1), ).setIndexNames((0, "HPN-ICF-EPON-MIB", "hpnicfEponSlotIndex"))
if mibBuilder.loadTexts: hpnicfEponAutoUpdateEntry.setStatus('current')
hpnicfEponAutoUpdateFileName = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 17, 1, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfEponAutoUpdateFileName.setStatus('current')
hpnicfEponAutoUpdateSchedStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 17, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfEponAutoUpdateSchedStatus.setStatus('current')
hpnicfEponAutoUpdateSchedTime = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 17, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfEponAutoUpdateSchedTime.setStatus('current')
hpnicfEponAutoUpdateSchedType = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 17, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("daily", 1), ("weekly", 2), ("comingdate", 3)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfEponAutoUpdateSchedType.setStatus('current')
hpnicfEponAutoUpdateRealTimeStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 17, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfEponAutoUpdateRealTimeStatus.setStatus('current')
hpnicfEponOuiIndexNextTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 18), )
if mibBuilder.loadTexts: hpnicfEponOuiIndexNextTable.setStatus('current')
hpnicfEponOuiIndexNextEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 18, 1), ).setIndexNames((0, "HPN-ICF-EPON-MIB", "hpnicfEponSlotIndex"))
if mibBuilder.loadTexts: hpnicfEponOuiIndexNextEntry.setStatus('current')
hpnicfEponOuiIndexNext = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 18, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfEponOuiIndexNext.setStatus('current')
hpnicfEponOuiTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 19), )
if mibBuilder.loadTexts: hpnicfEponOuiTable.setStatus('current')
hpnicfEponOuiEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 19, 1), ).setIndexNames((0, "HPN-ICF-EPON-MIB", "hpnicfEponSlotIndex"), (0, "HPN-ICF-EPON-MIB", "hpnicfEponOuiIndex"))
if mibBuilder.loadTexts: hpnicfEponOuiEntry.setStatus('current')
hpnicfEponOuiIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 19, 1, 1), Integer32())
if mibBuilder.loadTexts: hpnicfEponOuiIndex.setStatus('current')
hpnicfEponOuiValue = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 19, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 512))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfEponOuiValue.setStatus('current')
hpnicfEponOamVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 19, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfEponOamVersion.setStatus('current')
hpnicfEponOuiRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 19, 1, 4), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfEponOuiRowStatus.setStatus('current')
hpnicfEponMulticastControlTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 20), )
if mibBuilder.loadTexts: hpnicfEponMulticastControlTable.setStatus('current')
hpnicfEponMulticastControlEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 20, 1), ).setIndexNames((0, "HPN-ICF-EPON-MIB", "hpnicfEponMulticastVlanId"))
if mibBuilder.loadTexts: hpnicfEponMulticastControlEntry.setStatus('current')
hpnicfEponMulticastVlanId = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 20, 1, 1), Integer32())
if mibBuilder.loadTexts: hpnicfEponMulticastVlanId.setStatus('current')
hpnicfEponMulticastAddressList = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 20, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfEponMulticastAddressList.setStatus('current')
hpnicfEponMulticastStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 20, 1, 3), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfEponMulticastStatus.setStatus('current')
hpnicfEponFileName = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 2))
hpnicfEponDbaUpdateFileName = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 2, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfEponDbaUpdateFileName.setStatus('current')
hpnicfEponOnuUpdateFileName = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 2, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfEponOnuUpdateFileName.setStatus('current')
hpnicfEponOltMan = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3))
hpnicfOltSysManTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 1), )
if mibBuilder.loadTexts: hpnicfOltSysManTable.setStatus('current')
hpnicfOltSysManEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: hpnicfOltSysManEntry.setStatus('current')
hpnicfOltLaserOnTime = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 1, 1, 1), Integer32().clone(96)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOltLaserOnTime.setStatus('current')
hpnicfOltLaserOffTime = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 1, 1, 2), Integer32().clone(96)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOltLaserOffTime.setStatus('current')
hpnicfOltMultiCopyBrdCast = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 1, 1, 3), TruthValue().clone('false')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOltMultiCopyBrdCast.setStatus('current')
hpnicfOltEnableDiscardPacket = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 1, 1, 4), TruthValue().clone('false')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOltEnableDiscardPacket.setStatus('current')
hpnicfOltSelfTest = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 1, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("selftest", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOltSelfTest.setStatus('current')
hpnicfOltSelfTestResult = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 1, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("other", 1), ("ok", 2), ("fail", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOltSelfTestResult.setStatus('current')
hpnicfOltMaxRtt = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 1, 1, 7), Unsigned32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOltMaxRtt.setStatus('current')
hpnicfOltInfoTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 2), )
if mibBuilder.loadTexts: hpnicfOltInfoTable.setStatus('current')
hpnicfOltInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 2, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: hpnicfOltInfoEntry.setStatus('current')
hpnicfOltFirmMajorVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 2, 1, 1), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOltFirmMajorVersion.setStatus('current')
hpnicfOltFirmMinorVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 2, 1, 2), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOltFirmMinorVersion.setStatus('current')
hpnicfOltHardMajorVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 2, 1, 3), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOltHardMajorVersion.setStatus('current')
hpnicfOltHardMinorVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 2, 1, 4), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOltHardMinorVersion.setStatus('current')
hpnicfOltAgcLockTime = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 2, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOltAgcLockTime.setStatus('current')
hpnicfOltAgcCdrTime = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 2, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOltAgcCdrTime.setStatus('current')
hpnicfOltMacAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 2, 1, 7), MacAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOltMacAddress.setStatus('current')
hpnicfOltWorkMode = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("other", 1), ("open", 2), ("reset", 3), ("closed", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOltWorkMode.setStatus('current')
hpnicfOltOpticalPowerTx = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 2, 1, 9), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOltOpticalPowerTx.setStatus('current')
hpnicfOltOpticalPowerRx = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 2, 1, 10), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOltOpticalPowerRx.setStatus('current')
hpnicfOltDbaManTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 3), )
if mibBuilder.loadTexts: hpnicfOltDbaManTable.setStatus('current')
hpnicfOltDbaManEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 3, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: hpnicfOltDbaManEntry.setStatus('current')
hpnicfOltDbaEnabledType = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 3, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("internal", 1), ("external", 2))).clone('internal')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOltDbaEnabledType.setStatus('current')
hpnicfOltDbaDiscoveryLength = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 3, 1, 2), Integer32().clone(41500)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOltDbaDiscoveryLength.setStatus('current')
hpnicfOltDbaDiscovryFrequency = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 3, 1, 3), Integer32().clone(50)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOltDbaDiscovryFrequency.setStatus('current')
hpnicfOltDbaCycleLength = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 3, 1, 4), Integer32().clone(65535)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOltDbaCycleLength.setStatus('current')
hpnicfOltDbaVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 3, 1, 5), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOltDbaVersion.setStatus('current')
hpnicfOltDbaUpdate = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 3, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("update", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOltDbaUpdate.setStatus('current')
hpnicfOltDbaUpdateResult = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 3, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("ok", 2), ("fail", 3), ("fileNotExist", 4), ("notSetFilename", 5)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOltDbaUpdateResult.setStatus('current')
hpnicfOltPortAlarmThresholdTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 4), )
if mibBuilder.loadTexts: hpnicfOltPortAlarmThresholdTable.setStatus('current')
hpnicfOltPortAlarmThresholdEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 4, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: hpnicfOltPortAlarmThresholdEntry.setStatus('current')
hpnicfOltPortAlarmBerEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 4, 1, 1), TruthValue().clone('true')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOltPortAlarmBerEnabled.setStatus('current')
hpnicfOltPortAlarmBerDirect = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 4, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("berUplink", 1), ("berDownlink", 2), ("berAll", 3))).clone('berAll')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOltPortAlarmBerDirect.setStatus('current')
hpnicfOltPortAlarmBerThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 4, 1, 3), Integer32().clone(10)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOltPortAlarmBerThreshold.setStatus('current')
hpnicfOltPortAlarmFerEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 4, 1, 4), TruthValue().clone('true')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOltPortAlarmFerEnabled.setStatus('current')
hpnicfOltPortAlarmFerDirect = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 4, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("ferUplink", 1), ("ferDownlink", 2), ("ferAll", 3))).clone('ferAll')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOltPortAlarmFerDirect.setStatus('current')
hpnicfOltPortAlarmFerThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 4, 1, 6), Integer32().clone(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOltPortAlarmFerThreshold.setStatus('current')
hpnicfOltPortAlarmLlidMismatchEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 4, 1, 7), TruthValue().clone('false')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOltPortAlarmLlidMismatchEnabled.setStatus('current')
hpnicfOltPortAlarmLlidMismatchThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 4, 1, 8), Integer32().clone(5000)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOltPortAlarmLlidMismatchThreshold.setStatus('current')
hpnicfOltPortAlarmRemoteStableEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 4, 1, 9), TruthValue().clone('true')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOltPortAlarmRemoteStableEnabled.setStatus('current')
hpnicfOltPortAlarmLocalStableEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 4, 1, 10), TruthValue().clone('true')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOltPortAlarmLocalStableEnabled.setStatus('current')
hpnicfOltPortAlarmRegistrationEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 4, 1, 11), TruthValue().clone('true')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOltPortAlarmRegistrationEnabled.setStatus('current')
hpnicfOltPortAlarmOamDisconnectionEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 4, 1, 12), TruthValue().clone('true')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOltPortAlarmOamDisconnectionEnabled.setStatus('current')
hpnicfOltPortAlarmEncryptionKeyEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 4, 1, 13), TruthValue().clone('true')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOltPortAlarmEncryptionKeyEnabled.setStatus('current')
hpnicfOltPortAlarmVendorSpecificEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 4, 1, 14), TruthValue().clone('true')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOltPortAlarmVendorSpecificEnabled.setStatus('current')
hpnicfOltPortAlarmRegExcessEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 4, 1, 15), TruthValue().clone('true')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOltPortAlarmRegExcessEnabled.setStatus('current')
hpnicfOltPortAlarmDFEEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 4, 1, 16), TruthValue().clone('true')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOltPortAlarmDFEEnabled.setStatus('current')
hpnicfOltLaserOnTimeMinVal = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOltLaserOnTimeMinVal.setStatus('current')
hpnicfOltLaserOnTimeMaxVal = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOltLaserOnTimeMaxVal.setStatus('current')
hpnicfOltLaserOffTimeMinVal = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 7), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOltLaserOffTimeMinVal.setStatus('current')
hpnicfOltLaserOffTimeMaxVal = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 8), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOltLaserOffTimeMaxVal.setStatus('current')
hpnicfOltDbaDiscoveryLengthMinVal = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 9), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOltDbaDiscoveryLengthMinVal.setStatus('current')
hpnicfOltDbaDiscoveryLengthMaxVal = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 10), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOltDbaDiscoveryLengthMaxVal.setStatus('current')
hpnicfOltDbaDiscovryFrequencyMinVal = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 11), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOltDbaDiscovryFrequencyMinVal.setStatus('current')
hpnicfOltDbaDiscovryFrequencyMaxVal = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 12), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOltDbaDiscovryFrequencyMaxVal.setStatus('current')
hpnicfOltDbaCycleLengthMinVal = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 13), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOltDbaCycleLengthMinVal.setStatus('current')
hpnicfOltDbaCycleLengthMaxVal = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 14), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOltDbaCycleLengthMaxVal.setStatus('current')
hpnicfOltPortAlarmLlidMisMinVal = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 15), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOltPortAlarmLlidMisMinVal.setStatus('current')
hpnicfOltPortAlarmLlidMisMaxVal = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 16), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOltPortAlarmLlidMisMaxVal.setStatus('current')
hpnicfOltPortAlarmBerMinVal = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 17), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOltPortAlarmBerMinVal.setStatus('current')
hpnicfOltPortAlarmBerMaxVal = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 18), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOltPortAlarmBerMaxVal.setStatus('current')
hpnicfOltPortAlarmFerMinVal = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 19), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOltPortAlarmFerMinVal.setStatus('current')
hpnicfOltPortAlarmFerMaxVal = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 20), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOltPortAlarmFerMaxVal.setStatus('current')
hpnicfOnuSilentTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 21), )
if mibBuilder.loadTexts: hpnicfOnuSilentTable.setStatus('current')
hpnicfOnuSilentEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 21, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "HPN-ICF-EPON-MIB", "hpnicfOnuSilentMacAddr"))
if mibBuilder.loadTexts: hpnicfOnuSilentEntry.setStatus('current')
hpnicfOnuSilentMacAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 21, 1, 1), MacAddress())
if mibBuilder.loadTexts: hpnicfOnuSilentMacAddr.setStatus('current')
hpnicfOnuSilentTime = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 21, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuSilentTime.setStatus('current')
hpnicfOltUsingOnuTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 22), )
if mibBuilder.loadTexts: hpnicfOltUsingOnuTable.setStatus('current')
hpnicfOltUsingOnuEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 22, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "HPN-ICF-EPON-MIB", "hpnicfOltUsingOnuNum"))
if mibBuilder.loadTexts: hpnicfOltUsingOnuEntry.setStatus('current')
hpnicfOltUsingOnuNum = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 22, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 64)))
if mibBuilder.loadTexts: hpnicfOltUsingOnuNum.setStatus('current')
hpnicfOltUsingOnuIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 22, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOltUsingOnuIfIndex.setStatus('current')
hpnicfOltUsingOnuRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 22, 1, 3), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfOltUsingOnuRowStatus.setStatus('current')
hpnicfEponOnuMan = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5))
hpnicfOnuSysManTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 1), )
if mibBuilder.loadTexts: hpnicfOnuSysManTable.setStatus('current')
hpnicfOnuSysManEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: hpnicfOnuSysManEntry.setStatus('current')
hpnicfOnuEncryptMan = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("off", 1), ("downlink", 2), ("updownlink", 3))).clone('downlink')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuEncryptMan.setStatus('current')
hpnicfOnuReAuthorize = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("reAuthorize", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuReAuthorize.setStatus('current')
hpnicfOnuMulticastFilterStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 1, 1, 3), TruthValue().clone('false')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuMulticastFilterStatus.setStatus('current')
hpnicfOnuDbaReportQueueSetNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 1, 1, 4), Integer32().clone(2)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuDbaReportQueueSetNumber.setStatus('current')
hpnicfOnuRemoteFecStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 1, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuRemoteFecStatus.setStatus('current')
hpnicfOnuPortBerStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 1, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('enable')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuPortBerStatus.setStatus('current')
hpnicfOnuReset = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 1, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("reset", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuReset.setStatus('current')
hpnicfOnuMulticastControlMode = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 1, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("igmpsnooping", 1), ("multicastcontrol", 2))).clone('igmpsnooping')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuMulticastControlMode.setStatus('current')
hpnicfOnuAccessVlan = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 1, 1, 9), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuAccessVlan.setStatus('current')
hpnicfOnuEncryptKey = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 1, 1, 10), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuEncryptKey.setStatus('current')
hpnicfOnuUniUpDownTrapStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 1, 1, 11), TruthValue().clone('false')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuUniUpDownTrapStatus.setStatus('current')
hpnicfOnuFecStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 1, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuFecStatus.setStatus('current')
hpnicfOnuMcastCtrlHostAgingTime = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 1, 1, 13), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuMcastCtrlHostAgingTime.setStatus('current')
hpnicfOnuMulticastFastLeaveEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 1, 1, 14), TruthValue()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuMulticastFastLeaveEnable.setStatus('current')
hpnicfOnuPortIsolateEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 1, 1, 15), TruthValue()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuPortIsolateEnable.setStatus('current')
hpnicfOnuLinkTestTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 2), )
if mibBuilder.loadTexts: hpnicfOnuLinkTestTable.setStatus('current')
hpnicfOnuLinkTestEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 2, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: hpnicfOnuLinkTestEntry.setStatus('current')
hpnicfOnuLinkTestFrameNum = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 2, 1, 1), Integer32().clone(20)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuLinkTestFrameNum.setStatus('current')
hpnicfOnuLinkTestFrameSize = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 2, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(60, 1514)).clone(1000)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuLinkTestFrameSize.setStatus('current')
hpnicfOnuLinkTestDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 2, 1, 3), TruthValue().clone('true')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuLinkTestDelay.setStatus('current')
hpnicfOnuLinkTestVlanTag = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 2, 1, 4), TruthValue().clone('true')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuLinkTestVlanTag.setStatus('current')
hpnicfOnuLinkTestVlanPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 2, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7)).clone(2)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuLinkTestVlanPriority.setStatus('current')
hpnicfOnuLinkTestVlanTagID = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 2, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4094)).clone(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuLinkTestVlanTagID.setStatus('current')
hpnicfOnuLinkTestResultSentFrameNum = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 2, 1, 7), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuLinkTestResultSentFrameNum.setStatus('current')
hpnicfOnuLinkTestResultRetFrameNum = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 2, 1, 8), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuLinkTestResultRetFrameNum.setStatus('current')
hpnicfOnuLinkTestResultRetErrFrameNum = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 2, 1, 9), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuLinkTestResultRetErrFrameNum.setStatus('current')
hpnicfOnuLinkTestResultMinDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 2, 1, 10), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuLinkTestResultMinDelay.setStatus('current')
hpnicfOnuLinkTestResultMeanDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 2, 1, 11), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuLinkTestResultMeanDelay.setStatus('current')
hpnicfOnuLinkTestResultMaxDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 2, 1, 12), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuLinkTestResultMaxDelay.setStatus('current')
hpnicfOnuBandWidthTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 3), )
if mibBuilder.loadTexts: hpnicfOnuBandWidthTable.setStatus('current')
hpnicfOnuBandWidthEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 3, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: hpnicfOnuBandWidthEntry.setStatus('current')
hpnicfOnuDownStreamBandWidthPolicy = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 3, 1, 1), TruthValue().clone('false')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuDownStreamBandWidthPolicy.setStatus('current')
hpnicfOnuDownStreamMaxBandWidth = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1000000)).clone(1000000)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuDownStreamMaxBandWidth.setStatus('current')
hpnicfOnuDownStreamMaxBurstSize = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 3, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 8388480)).clone(8388480)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuDownStreamMaxBurstSize.setStatus('current')
hpnicfOnuDownStreamHighPriorityFirst = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 3, 1, 4), TruthValue().clone('false')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuDownStreamHighPriorityFirst.setStatus('current')
hpnicfOnuDownStreamShortFrameFirst = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 3, 1, 5), TruthValue().clone('false')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuDownStreamShortFrameFirst.setStatus('current')
hpnicfOnuP2PBandWidthPolicy = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 3, 1, 6), TruthValue().clone('false')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuP2PBandWidthPolicy.setStatus('current')
hpnicfOnuP2PMaxBandWidth = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 3, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1000000)).clone(1000000)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuP2PMaxBandWidth.setStatus('current')
hpnicfOnuP2PMaxBurstSize = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 3, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 8388480)).clone(8388480)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuP2PMaxBurstSize.setStatus('current')
hpnicfOnuP2PHighPriorityFirst = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 3, 1, 9), TruthValue().clone('false')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuP2PHighPriorityFirst.setStatus('current')
hpnicfOnuP2PShortFrameFirst = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 3, 1, 10), TruthValue().clone('false')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuP2PShortFrameFirst.setStatus('current')
hpnicfOnuSlaManTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 4), )
if mibBuilder.loadTexts: hpnicfOnuSlaManTable.setStatus('current')
hpnicfOnuSlaManEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 4, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: hpnicfOnuSlaManEntry.setStatus('current')
hpnicfOnuSlaMaxBandWidth = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 4, 1, 1), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuSlaMaxBandWidth.setStatus('current')
hpnicfOnuSlaMinBandWidth = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 4, 1, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuSlaMinBandWidth.setStatus('current')
hpnicfOnuSlaBandWidthStepVal = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 4, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuSlaBandWidthStepVal.setStatus('current')
hpnicfOnuSlaDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 4, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("low", 1), ("high", 2))).clone('low')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuSlaDelay.setStatus('current')
hpnicfOnuSlaFixedBandWidth = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 4, 1, 5), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuSlaFixedBandWidth.setStatus('current')
hpnicfOnuSlaPriorityClass = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 4, 1, 6), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuSlaPriorityClass.setStatus('current')
hpnicfOnuSlaFixedPacketSize = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 4, 1, 7), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuSlaFixedPacketSize.setStatus('current')
hpnicfOnuInfoTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 5), )
if mibBuilder.loadTexts: hpnicfOnuInfoTable.setStatus('current')
hpnicfOnuInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 5, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: hpnicfOnuInfoEntry.setStatus('current')
hpnicfOnuHardMajorVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 5, 1, 1), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuHardMajorVersion.setStatus('current')
hpnicfOnuHardMinorVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 5, 1, 2), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuHardMinorVersion.setStatus('current')
hpnicfOnuSoftwareVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 5, 1, 3), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuSoftwareVersion.setStatus('current')
hpnicfOnuUniMacType = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 5, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("other", 1), ("mii", 2), ("gmii", 3), ("tbi", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuUniMacType.setStatus('current')
hpnicfOnuLaserOnTime = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 5, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuLaserOnTime.setStatus('current')
hpnicfOnuLaserOffTime = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 5, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuLaserOffTime.setStatus('current')
hpnicfOnuGrantFifoDep = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 5, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(1, 255), ValueRangeConstraint(2147483647, 2147483647), ))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuGrantFifoDep.setStatus('current')
hpnicfOnuWorkMode = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 5, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("other", 1), ("on", 2), ("pending", 3), ("off", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuWorkMode.setStatus('current')
hpnicfOnuPCBVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 5, 1, 9), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuPCBVersion.setStatus('current')
hpnicfOnuRtt = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 5, 1, 10), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuRtt.setStatus('current')
hpnicfOnuEEPROMVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 5, 1, 11), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuEEPROMVersion.setStatus('current')
hpnicfOnuRegType = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 5, 1, 12), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuRegType.setStatus('current')
hpnicfOnuHostType = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 5, 1, 13), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuHostType.setStatus('current')
hpnicfOnuDistance = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 5, 1, 14), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuDistance.setStatus('current')
hpnicfOnuLlid = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 5, 1, 15), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuLlid.setStatus('current')
hpnicfOnuVendorId = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 5, 1, 16), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuVendorId.setStatus('current')
hpnicfOnuFirmwareVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 5, 1, 17), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuFirmwareVersion.setStatus('current')
hpnicfOnuOpticalPowerReceivedByOlt = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 5, 1, 18), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuOpticalPowerReceivedByOlt.setStatus('current')
hpnicfOnuMacAddrInfoTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 6), )
if mibBuilder.loadTexts: hpnicfOnuMacAddrInfoTable.setStatus('current')
hpnicfOnuMacAddrInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 6, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "HPN-ICF-EPON-MIB", "hpnicfOnuMacIndex"))
if mibBuilder.loadTexts: hpnicfOnuMacAddrInfoEntry.setStatus('current')
hpnicfOnuMacIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 6, 1, 1), Integer32())
if mibBuilder.loadTexts: hpnicfOnuMacIndex.setStatus('current')
hpnicfOnuMacAddrFlag = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 6, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("bound", 1), ("registered", 2), ("run", 3), ("regIncorrect", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuMacAddrFlag.setStatus('current')
hpnicfOnuMacAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 6, 1, 3), MacAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuMacAddress.setStatus('current')
hpnicfOnuBindMacAddrTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 7), )
if mibBuilder.loadTexts: hpnicfOnuBindMacAddrTable.setStatus('current')
hpnicfOnuBindMacAddrEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 7, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: hpnicfOnuBindMacAddrEntry.setStatus('current')
hpnicfOnuBindMacAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 7, 1, 1), MacAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuBindMacAddress.setStatus('current')
hpnicfOnuBindType = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 7, 1, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuBindType.setStatus('current')
hpnicfOnuFirmwareUpdateTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 8), )
if mibBuilder.loadTexts: hpnicfOnuFirmwareUpdateTable.setStatus('current')
hpnicfOnuFirmwareUpdateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 8, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: hpnicfOnuFirmwareUpdateEntry.setStatus('current')
hpnicfOnuUpdate = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 8, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("update", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuUpdate.setStatus('current')
hpnicfOnuUpdateResult = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 8, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("updating", 1), ("ok", 2), ("fail", 3), ("fileNotExist", 4), ("notSetFilename", 5), ("fileNotMatchONU", 6), ("timeout", 7), ("otherError", 8)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuUpdateResult.setStatus('current')
hpnicfOnuUpdateFileName = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 8, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuUpdateFileName.setStatus('current')
hpnicfOnuLinkTestFrameNumMinVal = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 9), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuLinkTestFrameNumMinVal.setStatus('current')
hpnicfOnuLinkTestFrameNumMaxVal = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 10), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuLinkTestFrameNumMaxVal.setStatus('current')
hpnicfOnuSlaMaxBandWidthMinVal = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 11), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuSlaMaxBandWidthMinVal.setStatus('current')
hpnicfOnuSlaMaxBandWidthMaxVal = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 12), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuSlaMaxBandWidthMaxVal.setStatus('current')
hpnicfOnuSlaMinBandWidthMinVal = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 13), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuSlaMinBandWidthMinVal.setStatus('current')
hpnicfOnuSlaMinBandWidthMaxVal = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 14), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuSlaMinBandWidthMaxVal.setStatus('current')
hpnicfEponOnuTypeManTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 15), )
if mibBuilder.loadTexts: hpnicfEponOnuTypeManTable.setStatus('current')
hpnicfEponOnuTypeManEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 15, 1), ).setIndexNames((0, "HPN-ICF-EPON-MIB", "hpnicfEponOnuTypeIndex"))
if mibBuilder.loadTexts: hpnicfEponOnuTypeManEntry.setStatus('current')
hpnicfEponOnuTypeIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 15, 1, 1), Integer32())
if mibBuilder.loadTexts: hpnicfEponOnuTypeIndex.setStatus('current')
hpnicfEponOnuTypeDescr = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 15, 1, 2), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfEponOnuTypeDescr.setStatus('current')
hpnicfOnuPacketManTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 16), )
if mibBuilder.loadTexts: hpnicfOnuPacketManTable.setStatus('current')
hpnicfOnuPacketManEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 16, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: hpnicfOnuPacketManEntry.setStatus('current')
hpnicfOnuPriorityTrust = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 16, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("dscp", 1), ("ipprecedence", 2), ("cos", 3))).clone('cos')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuPriorityTrust.setStatus('current')
hpnicfOnuQueueScheduler = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 16, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("spq", 1), ("wfq", 2))).clone('spq')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuQueueScheduler.setStatus('current')
hpnicfOnuProtocolTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 17), )
if mibBuilder.loadTexts: hpnicfOnuProtocolTable.setStatus('current')
hpnicfOnuProtocolEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 17, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: hpnicfOnuProtocolEntry.setStatus('current')
hpnicfOnuStpStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 17, 1, 1), TruthValue().clone('true')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuStpStatus.setStatus('current')
hpnicfOnuIgmpSnoopingStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 17, 1, 2), TruthValue().clone('true')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuIgmpSnoopingStatus.setStatus('current')
hpnicfOnuDhcpsnoopingOption82 = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 17, 1, 3), TruthValue().clone('false')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuDhcpsnoopingOption82.setStatus('current')
hpnicfOnuDhcpsnooping = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 17, 1, 4), TruthValue().clone('false')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuDhcpsnooping.setStatus('current')
hpnicfOnuPppoe = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 17, 1, 5), TruthValue().clone('false')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuPppoe.setStatus('current')
hpnicfOnuIgmpSnoopingHostAgingT = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 17, 1, 6), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuIgmpSnoopingHostAgingT.setStatus('current')
hpnicfOnuIgmpSnoopingMaxRespT = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 17, 1, 7), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuIgmpSnoopingMaxRespT.setStatus('current')
hpnicfOnuIgmpSnoopingRouterAgingT = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 17, 1, 8), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuIgmpSnoopingRouterAgingT.setStatus('current')
hpnicfOnuIgmpSnoopingAggReportS = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 17, 1, 9), TruthValue().clone('false')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuIgmpSnoopingAggReportS.setStatus('current')
hpnicfOnuIgmpSnoopingAggLeaveS = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 17, 1, 10), TruthValue().clone('true')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuIgmpSnoopingAggLeaveS.setStatus('current')
hpnicfOnuDot1xTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 18), )
if mibBuilder.loadTexts: hpnicfOnuDot1xTable.setStatus('current')
hpnicfOnuDot1xEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 18, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: hpnicfOnuDot1xEntry.setStatus('current')
hpnicfOnuDot1xAccount = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 18, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuDot1xAccount.setStatus('current')
hpnicfOnuDot1xPassword = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 18, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuDot1xPassword.setStatus('current')
hpnicfEponBatchOperationMan = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 6))
hpnicfOnuPriorityQueueTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 19), )
if mibBuilder.loadTexts: hpnicfOnuPriorityQueueTable.setStatus('current')
hpnicfOnuPriorityQueueEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 19, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "HPN-ICF-EPON-MIB", "hpnicfOnuQueueDirection"), (0, "HPN-ICF-EPON-MIB", "hpnicfOnuQueueId"))
if mibBuilder.loadTexts: hpnicfOnuPriorityQueueEntry.setStatus('current')
hpnicfOnuQueueDirection = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 19, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("inbound", 1), ("outbound", 2))))
if mibBuilder.loadTexts: hpnicfOnuQueueDirection.setStatus('current')
hpnicfOnuQueueId = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 19, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7)))
if mibBuilder.loadTexts: hpnicfOnuQueueId.setStatus('current')
hpnicfOnuQueueSize = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 19, 1, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuQueueSize.setStatus('current')
hpnicfOnuCountTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 20), )
if mibBuilder.loadTexts: hpnicfOnuCountTable.setStatus('current')
hpnicfOnuCountEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 20, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: hpnicfOnuCountEntry.setStatus('current')
hpnicfOnuInCRCErrPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 20, 1, 1), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuInCRCErrPkts.setStatus('current')
hpnicfOnuOutDroppedFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 20, 1, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuOutDroppedFrames.setStatus('current')
hpnicfEponOnuScalarGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 21))
hpnicfOnuPriorityQueueSizeMinVal = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 21, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuPriorityQueueSizeMinVal.setStatus('current')
hpnicfOnuPriorityQueueSizeMaxVal = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 21, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuPriorityQueueSizeMaxVal.setStatus('current')
hpnicfOnuPriorityQueueBandwidthMinVal = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 21, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuPriorityQueueBandwidthMinVal.setStatus('current')
hpnicfOnuPriorityQueueBandwidthMaxVal = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 21, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuPriorityQueueBandwidthMaxVal.setStatus('current')
hpnicfOnuPriorityQueueBurstsizeMinVal = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 21, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuPriorityQueueBurstsizeMinVal.setStatus('current')
hpnicfOnuPriorityQueueBurstsizeMaxVal = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 21, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuPriorityQueueBurstsizeMaxVal.setStatus('current')
hpnicfOnuUpdateByTypeNextIndex = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 21, 7), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuUpdateByTypeNextIndex.setStatus('current')
hpnicfOnuQueueBandwidthTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 22), )
if mibBuilder.loadTexts: hpnicfOnuQueueBandwidthTable.setStatus('current')
hpnicfOnuQueueBandwidthEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 22, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "HPN-ICF-EPON-MIB", "hpnicfOnuQueueDirection"), (0, "HPN-ICF-EPON-MIB", "hpnicfOnuQueueId"))
if mibBuilder.loadTexts: hpnicfOnuQueueBandwidthEntry.setStatus('current')
hpnicfOnuQueueMaxBandwidth = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 22, 1, 1), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuQueueMaxBandwidth.setStatus('current')
hpnicfOnuQueueMaxBurstsize = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 22, 1, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuQueueMaxBurstsize.setStatus('current')
hpnicfOnuQueuePolicyStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 22, 1, 3), TruthValue()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuQueuePolicyStatus.setStatus('current')
hpnicfOnuIpAddressTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 23), )
if mibBuilder.loadTexts: hpnicfOnuIpAddressTable.setStatus('current')
hpnicfOnuIpAddressEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 23, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: hpnicfOnuIpAddressEntry.setStatus('current')
hpnicfOnuIpAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 23, 1, 1), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuIpAddress.setStatus('current')
hpnicfOnuIpAddressMask = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 23, 1, 2), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuIpAddressMask.setStatus('current')
hpnicfOnuIpAddressGateway = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 23, 1, 3), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuIpAddressGateway.setStatus('current')
hpnicfOnuDhcpallocate = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 23, 1, 4), TruthValue()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuDhcpallocate.setStatus('current')
hpnicfOnuManageVID = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 23, 1, 5), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuManageVID.setStatus('current')
hpnicfOnuManageVlanIntfS = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 23, 1, 6), TruthValue()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuManageVlanIntfS.setStatus('current')
hpnicfOnuChipSetInfoTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 24), )
if mibBuilder.loadTexts: hpnicfOnuChipSetInfoTable.setStatus('current')
hpnicfOnuChipSetInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 24, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: hpnicfOnuChipSetInfoEntry.setStatus('current')
hpnicfOnuChipSetVendorId = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 24, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuChipSetVendorId.setStatus('current')
hpnicfOnuChipSetModel = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 24, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuChipSetModel.setStatus('current')
hpnicfOnuChipSetRevision = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 24, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuChipSetRevision.setStatus('current')
hpnicfOnuChipSetDesignDate = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 24, 1, 4), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuChipSetDesignDate.setStatus('current')
hpnicfOnuCapabilityTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 25), )
if mibBuilder.loadTexts: hpnicfOnuCapabilityTable.setStatus('current')
hpnicfOnuCapabilityEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 25, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: hpnicfOnuCapabilityEntry.setStatus('current')
hpnicfOnuServiceSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 25, 1, 1), Bits().clone(namedValues=NamedValues(("geinterfacesupport", 0), ("feinterfacesupport", 1), ("voipservicesupport", 2), ("tdmservicesupport", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuServiceSupported.setStatus('current')
hpnicfOnuGEPortNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 25, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuGEPortNumber.setStatus('current')
hpnicfOnuFEPortNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 25, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuFEPortNumber.setStatus('current')
hpnicfOnuPOTSPortNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 25, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuPOTSPortNumber.setStatus('current')
hpnicfOnuE1PortsNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 25, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuE1PortsNumber.setStatus('current')
hpnicfOnuUpstreamQueueNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 25, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuUpstreamQueueNumber.setStatus('current')
hpnicfOnuMaxUpstreamQueuePerPort = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 25, 1, 7), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuMaxUpstreamQueuePerPort.setStatus('current')
hpnicfOnuDownstreamQueueNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 25, 1, 8), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuDownstreamQueueNumber.setStatus('current')
hpnicfOnuMaxDownstreamQueuePerPort = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 25, 1, 9), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuMaxDownstreamQueuePerPort.setStatus('current')
hpnicfOnuBatteryBackup = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 25, 1, 10), TruthValue()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuBatteryBackup.setStatus('current')
hpnicfOnuIgspFastLeaveSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 25, 1, 11), TruthValue()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuIgspFastLeaveSupported.setStatus('current')
hpnicfOnuMCtrlFastLeaveSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 25, 1, 12), TruthValue()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuMCtrlFastLeaveSupported.setStatus('current')
hpnicfOnuDbaReportTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 26), )
if mibBuilder.loadTexts: hpnicfOnuDbaReportTable.setStatus('current')
hpnicfOnuDbaReportEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 26, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "HPN-ICF-EPON-MIB", "hpnicfOnuDbaReportQueueId"))
if mibBuilder.loadTexts: hpnicfOnuDbaReportEntry.setStatus('current')
hpnicfOnuDbaReportQueueId = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 26, 1, 1), Integer32())
if mibBuilder.loadTexts: hpnicfOnuDbaReportQueueId.setStatus('current')
hpnicfOnuDbaReportThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 26, 1, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuDbaReportThreshold.setStatus('current')
hpnicfOnuDbaReportStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 26, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuDbaReportStatus.setStatus('current')
hpnicfOnuCosToLocalPrecedenceTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 27), )
if mibBuilder.loadTexts: hpnicfOnuCosToLocalPrecedenceTable.setStatus('current')
hpnicfOnuCosToLocalPrecedenceEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 27, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "HPN-ICF-EPON-MIB", "hpnicfOnuCosToLocalPrecedenceCosIndex"))
if mibBuilder.loadTexts: hpnicfOnuCosToLocalPrecedenceEntry.setStatus('current')
hpnicfOnuCosToLocalPrecedenceCosIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 27, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuCosToLocalPrecedenceCosIndex.setStatus('current')
hpnicfOnuCosToLocalPrecedenceValue = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 27, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuCosToLocalPrecedenceValue.setStatus('current')
hpnicfEponOnuStpPortTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 28), )
if mibBuilder.loadTexts: hpnicfEponOnuStpPortTable.setStatus('current')
hpnicfEponOnuStpPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 28, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "HPN-ICF-EPON-MIB", "hpnicfEponStpPortIndex"))
if mibBuilder.loadTexts: hpnicfEponOnuStpPortEntry.setStatus('current')
hpnicfEponStpPortIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 28, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 144))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hpnicfEponStpPortIndex.setStatus('current')
hpnicfEponStpPortDescr = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 28, 1, 2), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hpnicfEponStpPortDescr.setStatus('current')
hpnicfEponStpPortState = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 28, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("disabled", 1), ("discarding", 2), ("learning", 3), ("forwarding", 4)))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hpnicfEponStpPortState.setStatus('current')
hpnicfOnuPhysicalTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 29), )
if mibBuilder.loadTexts: hpnicfOnuPhysicalTable.setStatus('current')
hpnicfOnuPhysicalEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 29, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: hpnicfOnuPhysicalEntry.setStatus('current')
hpnicfOnuBridgeMac = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 29, 1, 1), MacAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuBridgeMac.setStatus('current')
hpnicfOnuFirstPonMac = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 29, 1, 2), MacAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuFirstPonMac.setStatus('current')
hpnicfOnuFirstPonRegState = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 29, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("notExist", 1), ("absent", 2), ("offline", 3), ("silent", 4), ("down", 5), ("up", 6)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuFirstPonRegState.setStatus('current')
hpnicfOnuSecondPonMac = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 29, 1, 4), MacAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuSecondPonMac.setStatus('current')
hpnicfOnuSecondPonRegState = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 29, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("notExist", 1), ("absent", 2), ("offline", 3), ("silent", 4), ("down", 5), ("up", 6)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuSecondPonRegState.setStatus('current')
hpnicfOnuSmlkTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 30), )
if mibBuilder.loadTexts: hpnicfOnuSmlkTable.setStatus('current')
hpnicfOnuSmlkEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 30, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "HPN-ICF-EPON-MIB", "hpnicfOnuSmlkGroupID"))
if mibBuilder.loadTexts: hpnicfOnuSmlkEntry.setStatus('current')
hpnicfOnuSmlkGroupID = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 30, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuSmlkGroupID.setStatus('current')
hpnicfOnuSmlkFirstPonRole = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 30, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("master", 1), ("slave", 2), ("null", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuSmlkFirstPonRole.setStatus('current')
hpnicfOnuSmlkFirstPonStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 30, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("active", 1), ("standby", 2), ("down", 3), ("null", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuSmlkFirstPonStatus.setStatus('current')
hpnicfOnuSmlkSecondPonRole = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 30, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("master", 1), ("slave", 2), ("null", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuSmlkSecondPonRole.setStatus('current')
hpnicfOnuSmlkSecondPonStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 30, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("active", 1), ("standby", 2), ("down", 3), ("null", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuSmlkSecondPonStatus.setStatus('current')
hpnicfOnuRS485PropertiesTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 31), )
if mibBuilder.loadTexts: hpnicfOnuRS485PropertiesTable.setStatus('current')
hpnicfOnuRS485PropertiesEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 31, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "HPN-ICF-EPON-MIB", "hpnicfOnuRS485SerialIndex"))
if mibBuilder.loadTexts: hpnicfOnuRS485PropertiesEntry.setStatus('current')
hpnicfOnuRS485SerialIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 31, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 64)))
if mibBuilder.loadTexts: hpnicfOnuRS485SerialIndex.setStatus('current')
hpnicfOnuRS485BaudRate = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 31, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=NamedValues(("baudRate300", 1), ("baudRate600", 2), ("baudRate1200", 3), ("baudRate2400", 4), ("baudRate4800", 5), ("baudRate9600", 6), ("baudRate19200", 7), ("baudRate38400", 8), ("baudRate57600", 9), ("baudRate115200", 10))).clone('baudRate9600')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuRS485BaudRate.setStatus('current')
hpnicfOnuRS485DataBits = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 31, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("five", 1), ("six", 2), ("seven", 3), ("eight", 4))).clone('eight')).setUnits('bit').setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuRS485DataBits.setStatus('current')
hpnicfOnuRS485Parity = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 31, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("none", 1), ("odd", 2), ("even", 3), ("mark", 4), ("space", 5))).clone('none')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuRS485Parity.setStatus('current')
hpnicfOnuRS485StopBits = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 31, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("one", 1), ("two", 2), ("oneAndHalf", 3))).clone('one')).setUnits('bit').setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuRS485StopBits.setStatus('current')
hpnicfOnuRS485FlowControl = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 31, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("none", 1), ("hardware", 2), ("xonOrxoff", 3))).clone('none')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuRS485FlowControl.setStatus('current')
hpnicfOnuRS485TXOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 31, 1, 7), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuRS485TXOctets.setStatus('current')
hpnicfOnuRS485RXOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 31, 1, 8), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuRS485RXOctets.setStatus('current')
hpnicfOnuRS485TXErrOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 31, 1, 9), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuRS485TXErrOctets.setStatus('current')
hpnicfOnuRS485RXErrOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 31, 1, 10), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuRS485RXErrOctets.setStatus('current')
hpnicfOnuRS485ResetStatistics = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 31, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("counting", 1), ("clear", 2))).clone('counting')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfOnuRS485ResetStatistics.setStatus('current')
hpnicfOnuRS485SessionSummaryTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 32), )
if mibBuilder.loadTexts: hpnicfOnuRS485SessionSummaryTable.setStatus('current')
hpnicfOnuRS485SessionSummaryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 32, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "HPN-ICF-EPON-MIB", "hpnicfOnuRS485SerialIndex"))
if mibBuilder.loadTexts: hpnicfOnuRS485SessionSummaryEntry.setStatus('current')
hpnicfOnuRS485SessionMaxNum = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 32, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 64))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuRS485SessionMaxNum.setStatus('current')
hpnicfOnuRS485SessionNextIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 32, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 64))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuRS485SessionNextIndex.setStatus('current')
hpnicfOnuRS485SessionTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 33), )
if mibBuilder.loadTexts: hpnicfOnuRS485SessionTable.setStatus('current')
hpnicfOnuRS485SessionEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 33, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "HPN-ICF-EPON-MIB", "hpnicfOnuRS485SerialIndex"), (0, "HPN-ICF-EPON-MIB", "hpnicfOnuRS485SessionIndex"))
if mibBuilder.loadTexts: hpnicfOnuRS485SessionEntry.setStatus('current')
hpnicfOnuRS485SessionIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 33, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 64)))
if mibBuilder.loadTexts: hpnicfOnuRS485SessionIndex.setStatus('current')
hpnicfOnuRS485SessionType = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 33, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("udp", 1), ("tcpClient", 2), ("tcpServer", 3)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfOnuRS485SessionType.setStatus('current')
hpnicfOnuRS485SessionAddType = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 33, 1, 3), InetAddressType()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfOnuRS485SessionAddType.setStatus('current')
hpnicfOnuRS485SessionRemoteIP = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 33, 1, 4), InetAddress()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfOnuRS485SessionRemoteIP.setStatus('current')
hpnicfOnuRS485SessionRemotePort = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 33, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1024, 65535))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfOnuRS485SessionRemotePort.setStatus('current')
hpnicfOnuRS485SessionLocalPort = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 33, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1024, 65535))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfOnuRS485SessionLocalPort.setStatus('current')
hpnicfOnuRS485SessionRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 33, 1, 7), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfOnuRS485SessionRowStatus.setStatus('current')
hpnicfOnuRS485SessionErrInfoTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 34), )
if mibBuilder.loadTexts: hpnicfOnuRS485SessionErrInfoTable.setStatus('current')
hpnicfOnuRS485SessionErrInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 34, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "HPN-ICF-EPON-MIB", "hpnicfOnuRS485SerialIndex"), (0, "HPN-ICF-EPON-MIB", "hpnicfOnuRS485SessionIndex"))
if mibBuilder.loadTexts: hpnicfOnuRS485SessionErrInfoEntry.setStatus('current')
hpnicfOnuRS485SessionErrInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 34, 1, 1), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfOnuRS485SessionErrInfo.setStatus('current')
hpnicfEponBatchOperationBySlotTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 6, 1), )
if mibBuilder.loadTexts: hpnicfEponBatchOperationBySlotTable.setStatus('current')
hpnicfEponBatchOperationBySlotEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 6, 1, 1), ).setIndexNames((0, "HPN-ICF-EPON-MIB", "hpnicfEponBatchOperationBySlotIndex"))
if mibBuilder.loadTexts: hpnicfEponBatchOperationBySlotEntry.setStatus('current')
hpnicfEponBatchOperationBySlotIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 6, 1, 1, 1), Integer32())
if mibBuilder.loadTexts: hpnicfEponBatchOperationBySlotIndex.setStatus('current')
hpnicfEponBatchOperationBySlotType = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 6, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 9, 10))).clone(namedValues=NamedValues(("resetUnknown", 1), ("updateDba", 9), ("updateONU", 10)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfEponBatchOperationBySlotType.setStatus('current')
hpnicfEponBatchOperationBySlot = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 6, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("batOpBySlot", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfEponBatchOperationBySlot.setStatus('current')
hpnicfEponBatchOperationBySlotResult = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 6, 1, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfEponBatchOperationBySlotResult.setStatus('current')
hpnicfEponBatchOperationByOLTTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 6, 2), )
if mibBuilder.loadTexts: hpnicfEponBatchOperationByOLTTable.setStatus('current')
hpnicfEponBatchOperationByOLTEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 6, 2, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: hpnicfEponBatchOperationByOLTEntry.setStatus('current')
hpnicfEponBatchOperationByOLTType = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 6, 2, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 5))).clone(namedValues=NamedValues(("resetUnknown", 1), ("updateONU", 5)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfEponBatchOperationByOLTType.setStatus('current')
hpnicfEponBatchOperationByOLT = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 6, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("batOpByOlt", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfEponBatchOperationByOLT.setStatus('current')
hpnicfEponBatchOperationByOLTResult = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 6, 2, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfEponBatchOperationByOLTResult.setStatus('current')
hpnicfOnuFirmwareUpdateByTypeTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 6, 3), )
if mibBuilder.loadTexts: hpnicfOnuFirmwareUpdateByTypeTable.setStatus('current')
hpnicfOnuFirmwareUpdateByTypeEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 6, 3, 1), ).setIndexNames((0, "HPN-ICF-EPON-MIB", "hpnicfOnuUpdateByOnuTypeIndex"))
if mibBuilder.loadTexts: hpnicfOnuFirmwareUpdateByTypeEntry.setStatus('current')
hpnicfOnuUpdateByOnuTypeIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 6, 3, 1, 1), Integer32())
if mibBuilder.loadTexts: hpnicfOnuUpdateByOnuTypeIndex.setStatus('current')
hpnicfOnuUpdateByTypeOnuType = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 6, 3, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 15))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfOnuUpdateByTypeOnuType.setStatus('current')
hpnicfOnuUpdateByTypeFileName = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 6, 3, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfOnuUpdateByTypeFileName.setStatus('current')
hpnicfOnuUpdateByTypeRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 6, 3, 1, 4), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfOnuUpdateByTypeRowStatus.setStatus('current')
hpnicfEponErrorInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 7))
hpnicfEponSoftwareErrorCode = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 7, 1), Integer32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hpnicfEponSoftwareErrorCode.setStatus('current')
hpnicfOamVendorSpecificAlarmCode = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 7, 2), Integer32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hpnicfOamVendorSpecificAlarmCode.setStatus('current')
hpnicfEponOnuRegErrorMacAddr = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 7, 3), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hpnicfEponOnuRegErrorMacAddr.setStatus('current')
hpnicfOamEventLogType = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 7, 4), Unsigned32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hpnicfOamEventLogType.setStatus('current')
hpnicfOamEventLogLocation = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 7, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("local", 1), ("remote", 2)))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hpnicfOamEventLogLocation.setStatus('current')
hpnicfEponLoopbackPortIndex = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 7, 6), Integer32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hpnicfEponLoopbackPortIndex.setStatus('current')
hpnicfEponLoopbackPortDescr = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 7, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hpnicfEponLoopbackPortDescr.setStatus('current')
hpnicfOltPortAlarmLlidMisFrames = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 7, 8), Unsigned32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hpnicfOltPortAlarmLlidMisFrames.setStatus('current')
hpnicfOltPortAlarmBer = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 7, 9), Unsigned32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hpnicfOltPortAlarmBer.setStatus('current')
hpnicfOltPortAlarmFer = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 7, 10), Unsigned32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hpnicfOltPortAlarmFer.setStatus('current')
hpnicfEponOnuRegSilentMac = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 7, 11), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hpnicfEponOnuRegSilentMac.setStatus('current')
hpnicfEponOperationResult = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 7, 12), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hpnicfEponOperationResult.setStatus('current')
hpnicfEponOnuLaserState = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 7, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("normal", 1), ("laserAlwaysOn", 2), ("signalDegradation", 3), ("endOfLife", 4)))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hpnicfEponOnuLaserState.setStatus('current')
hpnicfEponTrap = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8))
hpnicfEponTrapPrefix = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0))
hpnicfEponPortAlarmBerTrap = NotificationType((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 1)).setObjects(("IF-MIB", "ifIndex"), ("IF-MIB", "ifDescr"), ("HPN-ICF-EPON-MIB", "hpnicfOltPortAlarmBerDirect"), ("HPN-ICF-EPON-MIB", "hpnicfOltPortAlarmBer"), ("HPN-ICF-EPON-MIB", "hpnicfOltPortAlarmBerThreshold"))
if mibBuilder.loadTexts: hpnicfEponPortAlarmBerTrap.setStatus('current')
hpnicfEponPortAlarmFerTrap = NotificationType((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 2)).setObjects(("IF-MIB", "ifIndex"), ("IF-MIB", "ifDescr"), ("HPN-ICF-EPON-MIB", "hpnicfOltPortAlarmFerDirect"), ("HPN-ICF-EPON-MIB", "hpnicfOltPortAlarmFer"), ("HPN-ICF-EPON-MIB", "hpnicfOltPortAlarmFerThreshold"))
if mibBuilder.loadTexts: hpnicfEponPortAlarmFerTrap.setStatus('current')
hpnicfEponErrorLLIDFrameTrap = NotificationType((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 3)).setObjects(("IF-MIB", "ifIndex"), ("IF-MIB", "ifDescr"), ("HPN-ICF-EPON-MIB", "hpnicfOltPortAlarmLlidMisFrames"), ("HPN-ICF-EPON-MIB", "hpnicfOltPortAlarmLlidMismatchThreshold"))
if mibBuilder.loadTexts: hpnicfEponErrorLLIDFrameTrap.setStatus('current')
hpnicfEponLoopBackEnableTrap = NotificationType((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 4)).setObjects(("IF-MIB", "ifIndex"), ("IF-MIB", "ifDescr"), ("HPN-ICF-EPON-MIB", "hpnicfEponLoopbackPortIndex"), ("HPN-ICF-EPON-MIB", "hpnicfEponLoopbackPortDescr"))
if mibBuilder.loadTexts: hpnicfEponLoopBackEnableTrap.setStatus('current')
hpnicfEponOnuRegistrationErrTrap = NotificationType((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 5)).setObjects(("IF-MIB", "ifIndex"), ("IF-MIB", "ifDescr"), ("HPN-ICF-EPON-MIB", "hpnicfEponOnuRegErrorMacAddr"))
if mibBuilder.loadTexts: hpnicfEponOnuRegistrationErrTrap.setStatus('current')
hpnicfEponOamDisconnectionTrap = NotificationType((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 6)).setObjects(("IF-MIB", "ifIndex"), ("IF-MIB", "ifDescr"))
if mibBuilder.loadTexts: hpnicfEponOamDisconnectionTrap.setStatus('current')
hpnicfEponEncryptionKeyErrTrap = NotificationType((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 7)).setObjects(("IF-MIB", "ifIndex"), ("IF-MIB", "ifDescr"))
if mibBuilder.loadTexts: hpnicfEponEncryptionKeyErrTrap.setStatus('current')
hpnicfEponRemoteStableTrap = NotificationType((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 8)).setObjects(("IF-MIB", "ifIndex"), ("IF-MIB", "ifDescr"))
if mibBuilder.loadTexts: hpnicfEponRemoteStableTrap.setStatus('current')
hpnicfEponLocalStableTrap = NotificationType((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 9)).setObjects(("IF-MIB", "ifIndex"), ("IF-MIB", "ifDescr"))
if mibBuilder.loadTexts: hpnicfEponLocalStableTrap.setStatus('current')
hpnicfEponOamVendorSpecificTrap = NotificationType((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 10)).setObjects(("IF-MIB", "ifIndex"), ("IF-MIB", "ifDescr"), ("HPN-ICF-EPON-MIB", "hpnicfOamVendorSpecificAlarmCode"))
if mibBuilder.loadTexts: hpnicfEponOamVendorSpecificTrap.setStatus('current')
hpnicfEponSoftwareErrTrap = NotificationType((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 11)).setObjects(("HPN-ICF-LSW-DEV-ADM-MIB", "hpnicfLswFrameIndex"), ("HPN-ICF-LSW-DEV-ADM-MIB", "hpnicfLswSlotIndex"), ("HPN-ICF-EPON-MIB", "hpnicfEponSoftwareErrorCode"))
if mibBuilder.loadTexts: hpnicfEponSoftwareErrTrap.setStatus('current')
hpnicfEponPortAlarmBerRecoverTrap = NotificationType((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 12)).setObjects(("IF-MIB", "ifIndex"), ("IF-MIB", "ifDescr"), ("HPN-ICF-EPON-MIB", "hpnicfOltPortAlarmBerDirect"))
if mibBuilder.loadTexts: hpnicfEponPortAlarmBerRecoverTrap.setStatus('current')
hpnicfEponPortAlarmFerRecoverTrap = NotificationType((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 13)).setObjects(("IF-MIB", "ifIndex"), ("IF-MIB", "ifDescr"), ("HPN-ICF-EPON-MIB", "hpnicfOltPortAlarmFerDirect"))
if mibBuilder.loadTexts: hpnicfEponPortAlarmFerRecoverTrap.setStatus('current')
hpnicfEponErrorLLIDFrameRecoverTrap = NotificationType((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 14)).setObjects(("IF-MIB", "ifIndex"), ("IF-MIB", "ifDescr"))
if mibBuilder.loadTexts: hpnicfEponErrorLLIDFrameRecoverTrap.setStatus('current')
hpnicfEponLoopBackEnableRecoverTrap = NotificationType((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 15)).setObjects(("IF-MIB", "ifIndex"), ("IF-MIB", "ifDescr"))
if mibBuilder.loadTexts: hpnicfEponLoopBackEnableRecoverTrap.setStatus('current')
hpnicfEponOnuRegistrationErrRecoverTrap = NotificationType((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 16)).setObjects(("IF-MIB", "ifIndex"), ("IF-MIB", "ifDescr"), ("HPN-ICF-EPON-MIB", "hpnicfEponOnuRegErrorMacAddr"))
if mibBuilder.loadTexts: hpnicfEponOnuRegistrationErrRecoverTrap.setStatus('current')
hpnicfEponOamDisconnectionRecoverTrap = NotificationType((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 17)).setObjects(("IF-MIB", "ifIndex"), ("IF-MIB", "ifDescr"))
if mibBuilder.loadTexts: hpnicfEponOamDisconnectionRecoverTrap.setStatus('current')
hpnicfEponEncryptionKeyErrRecoverTrap = NotificationType((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 18)).setObjects(("IF-MIB", "ifIndex"), ("IF-MIB", "ifDescr"))
if mibBuilder.loadTexts: hpnicfEponEncryptionKeyErrRecoverTrap.setStatus('current')
hpnicfEponRemoteStableRecoverTrap = NotificationType((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 19)).setObjects(("IF-MIB", "ifIndex"), ("IF-MIB", "ifDescr"))
if mibBuilder.loadTexts: hpnicfEponRemoteStableRecoverTrap.setStatus('current')
hpnicfEponLocalStableRecoverTrap = NotificationType((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 20)).setObjects(("IF-MIB", "ifIndex"), ("IF-MIB", "ifDescr"))
if mibBuilder.loadTexts: hpnicfEponLocalStableRecoverTrap.setStatus('current')
hpnicfEponOamVendorSpecificRecoverTrap = NotificationType((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 21)).setObjects(("IF-MIB", "ifIndex"), ("IF-MIB", "ifDescr"), ("HPN-ICF-EPON-MIB", "hpnicfOamVendorSpecificAlarmCode"))
if mibBuilder.loadTexts: hpnicfEponOamVendorSpecificRecoverTrap.setStatus('current')
hpnicfEponSoftwareErrRecoverTrap = NotificationType((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 22)).setObjects(("HPN-ICF-LSW-DEV-ADM-MIB", "hpnicfLswFrameIndex"), ("HPN-ICF-LSW-DEV-ADM-MIB", "hpnicfLswSlotIndex"), ("HPN-ICF-EPON-MIB", "hpnicfEponSoftwareErrorCode"))
if mibBuilder.loadTexts: hpnicfEponSoftwareErrRecoverTrap.setStatus('current')
hpnicfDot3OamThresholdRecoverEvent = NotificationType((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 23)).setObjects(("IF-MIB", "ifIndex"), ("HPN-ICF-EPON-MIB", "hpnicfOamEventLogType"), ("HPN-ICF-EPON-MIB", "hpnicfOamEventLogLocation"))
if mibBuilder.loadTexts: hpnicfDot3OamThresholdRecoverEvent.setStatus('current')
hpnicfDot3OamNonThresholdRecoverEvent = NotificationType((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 24)).setObjects(("IF-MIB", "ifIndex"), ("HPN-ICF-EPON-MIB", "hpnicfOamEventLogType"), ("HPN-ICF-EPON-MIB", "hpnicfOamEventLogLocation"))
if mibBuilder.loadTexts: hpnicfDot3OamNonThresholdRecoverEvent.setStatus('current')
hpnicfEponOnuRegExcessTrap = NotificationType((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 25)).setObjects(("IF-MIB", "ifIndex"), ("IF-MIB", "ifDescr"))
if mibBuilder.loadTexts: hpnicfEponOnuRegExcessTrap.setStatus('current')
hpnicfEponOnuRegExcessRecoverTrap = NotificationType((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 26)).setObjects(("IF-MIB", "ifIndex"), ("IF-MIB", "ifDescr"))
if mibBuilder.loadTexts: hpnicfEponOnuRegExcessRecoverTrap.setStatus('current')
hpnicfEponOnuPowerOffTrap = NotificationType((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 27)).setObjects(("IF-MIB", "ifIndex"), ("IF-MIB", "ifDescr"))
if mibBuilder.loadTexts: hpnicfEponOnuPowerOffTrap.setStatus('current')
hpnicfEponOltSwitchoverTrap = NotificationType((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 28)).setObjects(("IF-MIB", "ifIndex"), ("IF-MIB", "ifDescr"))
if mibBuilder.loadTexts: hpnicfEponOltSwitchoverTrap.setStatus('current')
hpnicfEponOltDFETrap = NotificationType((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 29)).setObjects(("IF-MIB", "ifIndex"), ("IF-MIB", "ifDescr"))
if mibBuilder.loadTexts: hpnicfEponOltDFETrap.setStatus('current')
hpnicfEponOltDFERecoverTrap = NotificationType((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 30)).setObjects(("IF-MIB", "ifIndex"), ("IF-MIB", "ifDescr"))
if mibBuilder.loadTexts: hpnicfEponOltDFERecoverTrap.setStatus('current')
hpnicfEponOnuSilenceTrap = NotificationType((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 31)).setObjects(("IF-MIB", "ifIndex"), ("IF-MIB", "ifDescr"), ("HPN-ICF-EPON-MIB", "hpnicfEponOnuRegSilentMac"))
if mibBuilder.loadTexts: hpnicfEponOnuSilenceTrap.setStatus('current')
hpnicfEponOnuSilenceRecoverTrap = NotificationType((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 32)).setObjects(("IF-MIB", "ifIndex"), ("IF-MIB", "ifDescr"), ("HPN-ICF-EPON-MIB", "hpnicfEponOnuRegSilentMac"))
if mibBuilder.loadTexts: hpnicfEponOnuSilenceRecoverTrap.setStatus('current')
hpnicfEponOnuUpdateResultTrap = NotificationType((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 33)).setObjects(("IF-MIB", "ifIndex"), ("IF-MIB", "ifDescr"), ("HPN-ICF-EPON-MIB", "hpnicfOnuBindMacAddress"), ("HPN-ICF-EPON-MIB", "hpnicfOnuUpdateResult"), ("HPN-ICF-EPON-MIB", "hpnicfOnuRegType"), ("HPN-ICF-EPON-MIB", "hpnicfOnuUpdateFileName"))
if mibBuilder.loadTexts: hpnicfEponOnuUpdateResultTrap.setStatus('current')
hpnicfEponOnuAutoBindTrap = NotificationType((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 34)).setObjects(("IF-MIB", "ifIndex"), ("IF-MIB", "ifDescr"), ("HPN-ICF-EPON-MIB", "hpnicfOnuBindMacAddress"), ("HPN-ICF-EPON-MIB", "hpnicfEponOperationResult"))
if mibBuilder.loadTexts: hpnicfEponOnuAutoBindTrap.setStatus('current')
hpnicfEponOnuPortStpStateTrap = NotificationType((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 35)).setObjects(("IF-MIB", "ifIndex"), ("IF-MIB", "ifDescr"), ("HPN-ICF-EPON-MIB", "hpnicfEponStpPortIndex"), ("HPN-ICF-EPON-MIB", "hpnicfEponStpPortDescr"), ("HPN-ICF-EPON-MIB", "hpnicfEponStpPortState"))
if mibBuilder.loadTexts: hpnicfEponOnuPortStpStateTrap.setStatus('current')
hpnicfEponOnuLaserFailedTrap = NotificationType((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 36)).setObjects(("IF-MIB", "ifIndex"), ("IF-MIB", "ifDescr"), ("HPN-ICF-EPON-MIB", "hpnicfEponOnuLaserState"))
if mibBuilder.loadTexts: hpnicfEponOnuLaserFailedTrap.setStatus('current')
hpnicfOnuSmlkSwitchoverTrap = NotificationType((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 37)).setObjects(("IF-MIB", "ifIndex"), ("IF-MIB", "ifDescr"), ("HPN-ICF-EPON-MIB", "hpnicfOnuSmlkGroupID"), ("HPN-ICF-EPON-MIB", "hpnicfOnuSmlkFirstPonStatus"), ("HPN-ICF-EPON-MIB", "hpnicfOnuSmlkSecondPonStatus"))
if mibBuilder.loadTexts: hpnicfOnuSmlkSwitchoverTrap.setStatus('current')
hpnicfEponStat = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 9))
hpnicfEponStatTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 9, 1), )
if mibBuilder.loadTexts: hpnicfEponStatTable.setStatus('current')
hpnicfEponStatEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 9, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: hpnicfEponStatEntry.setStatus('current')
hpnicfEponStatFER = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 9, 1, 1, 1), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfEponStatFER.setStatus('current')
hpnicfEponStatBER = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 9, 1, 1, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfEponStatBER.setStatus('current')
mibBuilder.exportSymbols("HPN-ICF-EPON-MIB", hpnicfEponBatchOperationByOLTEntry=hpnicfEponBatchOperationByOLTEntry, hpnicfEponStatBER=hpnicfEponStatBER, hpnicfOnuQueueBandwidthTable=hpnicfOnuQueueBandwidthTable, hpnicfOnuPhysicalTable=hpnicfOnuPhysicalTable, hpnicfOltPortAlarmBer=hpnicfOltPortAlarmBer, hpnicfEponBatchOperationBySlotIndex=hpnicfEponBatchOperationBySlotIndex, hpnicfEponLocalStableRecoverTrap=hpnicfEponLocalStableRecoverTrap, hpnicfOnuRS485SerialIndex=hpnicfOnuRS485SerialIndex, hpnicfOnuRS485TXErrOctets=hpnicfOnuRS485TXErrOctets, hpnicfEponMonitorCycle=hpnicfEponMonitorCycle, hpnicfOnuSlaMinBandWidthMinVal=hpnicfOnuSlaMinBandWidthMinVal, hpnicfEponOuiEntry=hpnicfEponOuiEntry, hpnicfOltAgcCdrTime=hpnicfOltAgcCdrTime, hpnicfOamEventLogType=hpnicfOamEventLogType, hpnicfEponTrap=hpnicfEponTrap, hpnicfOltDbaDiscovryFrequencyMinVal=hpnicfOltDbaDiscovryFrequencyMinVal, hpnicfEponOnuMan=hpnicfEponOnuMan, hpnicfEponOnuRegSilentMac=hpnicfEponOnuRegSilentMac, hpnicfEponOnuLaserState=hpnicfEponOnuLaserState, hpnicfOnuIgmpSnoopingHostAgingT=hpnicfOnuIgmpSnoopingHostAgingT, hpnicfOnuDbaReportTable=hpnicfOnuDbaReportTable, hpnicfOnuUpdateByTypeRowStatus=hpnicfOnuUpdateByTypeRowStatus, hpnicfEponAutoUpdateSchedStatus=hpnicfEponAutoUpdateSchedStatus, hpnicfEponEncryptionKeyErrTrap=hpnicfEponEncryptionKeyErrTrap, hpnicfEponAutoUpdateFileName=hpnicfEponAutoUpdateFileName, hpnicfOnuUniMacType=hpnicfOnuUniMacType, hpnicfOnuSlaMaxBandWidthMinVal=hpnicfOnuSlaMaxBandWidthMinVal, hpnicfEponMsgLoseNumMinVal=hpnicfEponMsgLoseNumMinVal, hpnicfOltPortAlarmRemoteStableEnabled=hpnicfOltPortAlarmRemoteStableEnabled, hpnicfOnuCountTable=hpnicfOnuCountTable, hpnicfOnuIgmpSnoopingAggLeaveS=hpnicfOnuIgmpSnoopingAggLeaveS, hpnicfEponPortAlarmBerRecoverTrap=hpnicfEponPortAlarmBerRecoverTrap, hpnicfOnuRS485RXErrOctets=hpnicfOnuRS485RXErrOctets, hpnicfEponSysHasEPONBoard=hpnicfEponSysHasEPONBoard, hpnicfEponMulticastAddressList=hpnicfEponMulticastAddressList, hpnicfOltLaserOnTime=hpnicfOltLaserOnTime, hpnicfOnuFirstPonMac=hpnicfOnuFirstPonMac, hpnicfOnuRS485RXOctets=hpnicfOnuRS485RXOctets, hpnicfOnuRS485TXOctets=hpnicfOnuRS485TXOctets, hpnicfEponOnuRegErrorMacAddr=hpnicfEponOnuRegErrorMacAddr, hpnicfEponMonitorCycleMaxVal=hpnicfEponMonitorCycleMaxVal, hpnicfOnuCosToLocalPrecedenceValue=hpnicfOnuCosToLocalPrecedenceValue, hpnicfOnuDot1xAccount=hpnicfOnuDot1xAccount, hpnicfOltPortAlarmFer=hpnicfOltPortAlarmFer, hpnicfOnuSmlkSecondPonRole=hpnicfOnuSmlkSecondPonRole, hpnicfEponLoopbackPortDescr=hpnicfEponLoopbackPortDescr, hpnicfOnuRS485SessionRowStatus=hpnicfOnuRS485SessionRowStatus, hpnicfOltPortAlarmThresholdEntry=hpnicfOltPortAlarmThresholdEntry, hpnicfOnuSmlkSecondPonStatus=hpnicfOnuSmlkSecondPonStatus, hpnicfOltPortAlarmFerThreshold=hpnicfOltPortAlarmFerThreshold, hpnicfOnuLinkTestResultSentFrameNum=hpnicfOnuLinkTestResultSentFrameNum, hpnicfOltOpticalPowerTx=hpnicfOltOpticalPowerTx, hpnicfOnuP2PMaxBurstSize=hpnicfOnuP2PMaxBurstSize, hpnicfOltPortAlarmVendorSpecificEnabled=hpnicfOltPortAlarmVendorSpecificEnabled, hpnicfOnuBindMacAddress=hpnicfOnuBindMacAddress, hpnicfOltHardMajorVersion=hpnicfOltHardMajorVersion, hpnicfEponBatchOperationBySlotType=hpnicfEponBatchOperationBySlotType, hpnicfOnuRegType=hpnicfOnuRegType, hpnicfOnuSmlkFirstPonRole=hpnicfOnuSmlkFirstPonRole, hpnicfOnuDbaReportEntry=hpnicfOnuDbaReportEntry, hpnicfEponOnuPowerOffTrap=hpnicfEponOnuPowerOffTrap, hpnicfOnuLinkTestFrameNumMinVal=hpnicfOnuLinkTestFrameNumMinVal, hpnicfOnuPriorityQueueEntry=hpnicfOnuPriorityQueueEntry, hpnicfOnuChipSetInfoTable=hpnicfOnuChipSetInfoTable, hpnicfEponSlotIndex=hpnicfEponSlotIndex, hpnicfOnuSoftwareVersion=hpnicfOnuSoftwareVersion, hpnicfOnuCountEntry=hpnicfOnuCountEntry, hpnicfOnuMacAddress=hpnicfOnuMacAddress, hpnicfOnuMacIndex=hpnicfOnuMacIndex, hpnicfOnuQueueDirection=hpnicfOnuQueueDirection, hpnicfOnuQueueMaxBandwidth=hpnicfOnuQueueMaxBandwidth, hpnicfOnuFecStatus=hpnicfOnuFecStatus, hpnicfOltPortAlarmRegExcessEnabled=hpnicfOltPortAlarmRegExcessEnabled, hpnicfOnuSmlkSwitchoverTrap=hpnicfOnuSmlkSwitchoverTrap, hpnicfOamEventLogLocation=hpnicfOamEventLogLocation, hpnicfOnuRS485StopBits=hpnicfOnuRS485StopBits, hpnicfOamVendorSpecificAlarmCode=hpnicfOamVendorSpecificAlarmCode, hpnicfEponStatEntry=hpnicfEponStatEntry, hpnicfEponAutoAuthorize=hpnicfEponAutoAuthorize, hpnicfEponOnuTypeManTable=hpnicfEponOnuTypeManTable, hpnicfOnuRS485SessionErrInfoTable=hpnicfOnuRS485SessionErrInfoTable, hpnicfOnuBandWidthTable=hpnicfOnuBandWidthTable, hpnicfEponSysScalarGroup=hpnicfEponSysScalarGroup, hpnicfOltAgcLockTime=hpnicfOltAgcLockTime, hpnicfOltUsingOnuEntry=hpnicfOltUsingOnuEntry, hpnicfOnuP2PShortFrameFirst=hpnicfOnuP2PShortFrameFirst, hpnicfOltDbaDiscoveryLengthMinVal=hpnicfOltDbaDiscoveryLengthMinVal, hpnicfOnuPCBVersion=hpnicfOnuPCBVersion, hpnicfOnuLinkTestVlanPriority=hpnicfOnuLinkTestVlanPriority, hpnicfOnuUpdateByOnuTypeIndex=hpnicfOnuUpdateByOnuTypeIndex, hpnicfEponOnuUpdateResultTrap=hpnicfEponOnuUpdateResultTrap, hpnicfOltPortAlarmLlidMisMinVal=hpnicfOltPortAlarmLlidMisMinVal, hpnicfEponEncryptionUpdateTime=hpnicfEponEncryptionUpdateTime, hpnicfOnuQueueScheduler=hpnicfOnuQueueScheduler, hpnicfEponOltDFERecoverTrap=hpnicfEponOltDFERecoverTrap, hpnicfOnuBandWidthEntry=hpnicfOnuBandWidthEntry, hpnicfEponStpPortDescr=hpnicfEponStpPortDescr, hpnicfOnuSilentTable=hpnicfOnuSilentTable, hpnicfEponBatchOperationMan=hpnicfEponBatchOperationMan, hpnicfOnuSilentMacAddr=hpnicfOnuSilentMacAddr, hpnicfOnuChipSetModel=hpnicfOnuChipSetModel, hpnicfOltPortAlarmBerDirect=hpnicfOltPortAlarmBerDirect, hpnicfEponSysManTable=hpnicfEponSysManTable, hpnicfOltSelfTestResult=hpnicfOltSelfTestResult, hpnicfEponLoopBackEnableTrap=hpnicfEponLoopBackEnableTrap, hpnicfEponAutoBindStatus=hpnicfEponAutoBindStatus, hpnicfOnuSmlkTable=hpnicfOnuSmlkTable, hpnicfOnuDhcpsnoopingOption82=hpnicfOnuDhcpsnoopingOption82, hpnicfEponMulticastVlanId=hpnicfEponMulticastVlanId, hpnicfEponOamDisconnectionRecoverTrap=hpnicfEponOamDisconnectionRecoverTrap, hpnicfEponPortLoopBackAlmEnable=hpnicfEponPortLoopBackAlmEnable, hpnicfOltPortAlarmBerMaxVal=hpnicfOltPortAlarmBerMaxVal, hpnicfOnuRS485SessionMaxNum=hpnicfOnuRS485SessionMaxNum, hpnicfEponMsgTimeOutMaxVal=hpnicfEponMsgTimeOutMaxVal, hpnicfOnuSlaManEntry=hpnicfOnuSlaManEntry, hpnicfOnuBindMacAddrEntry=hpnicfOnuBindMacAddrEntry, hpnicfEponOltMan=hpnicfEponOltMan, hpnicfOnuRS485SessionSummaryEntry=hpnicfOnuRS485SessionSummaryEntry, hpnicfEponMibObjects=hpnicfEponMibObjects, hpnicfOnuP2PHighPriorityFirst=hpnicfOnuP2PHighPriorityFirst, hpnicfOnuBindType=hpnicfOnuBindType, hpnicfEponMsgTimeOutMinVal=hpnicfEponMsgTimeOutMinVal, hpnicfEponBatchOperationByOLTTable=hpnicfEponBatchOperationByOLTTable, hpnicfEponStat=hpnicfEponStat, hpnicfOnuBatteryBackup=hpnicfOnuBatteryBackup, hpnicfEponOltSoftwareErrAlmEnable=hpnicfEponOltSoftwareErrAlmEnable, hpnicfOnuDhcpsnooping=hpnicfOnuDhcpsnooping, hpnicfOnuManageVlanIntfS=hpnicfOnuManageVlanIntfS, hpnicfEponOnuPortStpStateTrap=hpnicfEponOnuPortStpStateTrap, hpnicfOnuSlaMaxBandWidth=hpnicfOnuSlaMaxBandWidth, hpnicfOltPortAlarmBerEnabled=hpnicfOltPortAlarmBerEnabled, hpnicfEponOamDiscoveryTimeout=hpnicfEponOamDiscoveryTimeout, hpnicfEponOnuRegExcessRecoverTrap=hpnicfEponOnuRegExcessRecoverTrap, hpnicfEponOnuTypeManEntry=hpnicfEponOnuTypeManEntry, hpnicfOnuQueueMaxBurstsize=hpnicfOnuQueueMaxBurstsize, hpnicfOltDbaCycleLengthMaxVal=hpnicfOltDbaCycleLengthMaxVal, hpnicfOnuDownstreamQueueNumber=hpnicfOnuDownstreamQueueNumber, hpnicfOnuRS485SessionType=hpnicfOnuRS485SessionType, hpnicfDot3OamThresholdRecoverEvent=hpnicfDot3OamThresholdRecoverEvent, hpnicfEponOnuRegExcessTrap=hpnicfEponOnuRegExcessTrap, hpnicfOnuHostType=hpnicfOnuHostType, hpnicfOnuLlid=hpnicfOnuLlid, hpnicfOnuInfoEntry=hpnicfOnuInfoEntry, hpnicfOnuManageVID=hpnicfOnuManageVID, hpnicfOltPortAlarmOamDisconnectionEnabled=hpnicfOltPortAlarmOamDisconnectionEnabled, hpnicfOnuRS485SessionSummaryTable=hpnicfOnuRS485SessionSummaryTable, hpnicfOnuRS485SessionAddType=hpnicfOnuRS485SessionAddType, hpnicfOltDbaCycleLengthMinVal=hpnicfOltDbaCycleLengthMinVal, hpnicfOnuGEPortNumber=hpnicfOnuGEPortNumber, hpnicfOltPortAlarmLlidMisMaxVal=hpnicfOltPortAlarmLlidMisMaxVal, hpnicfOnuDownStreamShortFrameFirst=hpnicfOnuDownStreamShortFrameFirst, hpnicfOnuPppoe=hpnicfOnuPppoe, hpnicfOltPortAlarmBerMinVal=hpnicfOltPortAlarmBerMinVal, hpnicfEponRemoteStableTrap=hpnicfEponRemoteStableTrap, hpnicfOnuUpdate=hpnicfOnuUpdate, hpnicfEponTrapPrefix=hpnicfEponTrapPrefix, hpnicfEponErrorLLIDFrameRecoverTrap=hpnicfEponErrorLLIDFrameRecoverTrap, hpnicfOltDbaDiscoveryLengthMaxVal=hpnicfOltDbaDiscoveryLengthMaxVal, hpnicfEponAutoUpdateSchedTime=hpnicfEponAutoUpdateSchedTime, hpnicfOnuDownStreamMaxBandWidth=hpnicfOnuDownStreamMaxBandWidth, hpnicfEponOamDisconnectionTrap=hpnicfEponOamDisconnectionTrap, hpnicfOnuQueueBandwidthEntry=hpnicfOnuQueueBandwidthEntry, hpnicfOnuP2PMaxBandWidth=hpnicfOnuP2PMaxBandWidth, hpnicfOltMacAddress=hpnicfOltMacAddress, hpnicfOltUsingOnuTable=hpnicfOltUsingOnuTable, hpnicfOnuRS485DataBits=hpnicfOnuRS485DataBits, hpnicfOnuMaxUpstreamQueuePerPort=hpnicfOnuMaxUpstreamQueuePerPort, hpnicfOltPortAlarmLlidMismatchThreshold=hpnicfOltPortAlarmLlidMismatchThreshold, hpnicfOltDbaEnabledType=hpnicfOltDbaEnabledType, hpnicfOnuSlaFixedPacketSize=hpnicfOnuSlaFixedPacketSize, hpnicfOnuRS485SessionLocalPort=hpnicfOnuRS485SessionLocalPort, hpnicfEponMonitorCycleMinVal=hpnicfEponMonitorCycleMinVal, hpnicfOltPortAlarmLlidMismatchEnabled=hpnicfOltPortAlarmLlidMismatchEnabled, hpnicfEponEncryptionKeyErrRecoverTrap=hpnicfEponEncryptionKeyErrRecoverTrap, hpnicfOnuHardMinorVersion=hpnicfOnuHardMinorVersion, hpnicfOnuChipSetVendorId=hpnicfOnuChipSetVendorId, hpnicfOnuFEPortNumber=hpnicfOnuFEPortNumber, hpnicfOnuLinkTestFrameSize=hpnicfOnuLinkTestFrameSize, hpnicfEponPortAlarmFerTrap=hpnicfEponPortAlarmFerTrap, hpnicfOnuWorkMode=hpnicfOnuWorkMode, hpnicfOnuLinkTestResultMinDelay=hpnicfOnuLinkTestResultMinDelay, hpnicfEponDbaUpdateFileName=hpnicfEponDbaUpdateFileName, hpnicfOnuMcastCtrlHostAgingTime=hpnicfOnuMcastCtrlHostAgingTime, hpnicfOnuEncryptKey=hpnicfOnuEncryptKey, hpnicfOnuSlaMinBandWidthMaxVal=hpnicfOnuSlaMinBandWidthMaxVal, hpnicfOnuFirmwareUpdateByTypeTable=hpnicfOnuFirmwareUpdateByTypeTable, hpnicfEponOnuRegistrationErrTrap=hpnicfEponOnuRegistrationErrTrap, hpnicfOltPortAlarmFerMaxVal=hpnicfOltPortAlarmFerMaxVal, hpnicfEponBatchOperationBySlotResult=hpnicfEponBatchOperationBySlotResult, hpnicfOnuHardMajorVersion=hpnicfOnuHardMajorVersion, hpnicfOnuDownStreamHighPriorityFirst=hpnicfOnuDownStreamHighPriorityFirst, hpnicfOltDbaDiscoveryLength=hpnicfOltDbaDiscoveryLength, hpnicfOltDbaDiscovryFrequency=hpnicfOltDbaDiscovryFrequency, hpnicfEponMulticastControlTable=hpnicfEponMulticastControlTable, hpnicfOnuSlaMinBandWidth=hpnicfOnuSlaMinBandWidth, hpnicfEponStpPortState=hpnicfEponStpPortState, hpnicfOltHardMinorVersion=hpnicfOltHardMinorVersion, hpnicfOnuSlaFixedBandWidth=hpnicfOnuSlaFixedBandWidth, hpnicfOltDbaCycleLength=hpnicfOltDbaCycleLength, hpnicfEponOamVersion=hpnicfEponOamVersion, hpnicfEponAutomaticMode=hpnicfEponAutomaticMode, hpnicfOnuAccessVlan=hpnicfOnuAccessVlan, hpnicfEponBatchOperationByOLTType=hpnicfEponBatchOperationByOLTType, hpnicfEponMsgLoseNum=hpnicfEponMsgLoseNum, hpnicfOnuGrantFifoDep=hpnicfOnuGrantFifoDep, hpnicfOnuSilentEntry=hpnicfOnuSilentEntry, hpnicfOnuSlaMaxBandWidthMaxVal=hpnicfOnuSlaMaxBandWidthMaxVal, hpnicfEponOnuRegistrationErrRecoverTrap=hpnicfEponOnuRegistrationErrRecoverTrap, hpnicfOltDbaUpdateResult=hpnicfOltDbaUpdateResult, hpnicfOnuFirmwareUpdateEntry=hpnicfOnuFirmwareUpdateEntry, hpnicfOnuIpAddressEntry=hpnicfOnuIpAddressEntry, hpnicfEponOnuTypeDescr=hpnicfEponOnuTypeDescr, hpnicfOnuP2PBandWidthPolicy=hpnicfOnuP2PBandWidthPolicy, hpnicfOltLaserOnTimeMaxVal=hpnicfOltLaserOnTimeMaxVal, hpnicfEponLoopBackEnableRecoverTrap=hpnicfEponLoopBackEnableRecoverTrap, hpnicfOnuRS485FlowControl=hpnicfOnuRS485FlowControl, hpnicfEponOnuAutoBindTrap=hpnicfEponOnuAutoBindTrap, hpnicfOnuBindMacAddrTable=hpnicfOnuBindMacAddrTable, hpnicfEponMonitorCycleEnable=hpnicfEponMonitorCycleEnable, hpnicfOnuEncryptMan=hpnicfOnuEncryptMan, hpnicfEponOuiRowStatus=hpnicfEponOuiRowStatus, hpnicfOnuPOTSPortNumber=hpnicfOnuPOTSPortNumber, hpnicfOnuDownStreamBandWidthPolicy=hpnicfOnuDownStreamBandWidthPolicy, hpnicfOnuFirmwareVersion=hpnicfOnuFirmwareVersion, hpnicfOnuRS485SessionErrInfoEntry=hpnicfOnuRS485SessionErrInfoEntry, hpnicfOnuRS485SessionErrInfo=hpnicfOnuRS485SessionErrInfo, hpnicfOnuQueueSize=hpnicfOnuQueueSize, hpnicfOnuSmlkGroupID=hpnicfOnuSmlkGroupID, hpnicfOnuRS485SessionEntry=hpnicfOnuRS485SessionEntry, hpnicfOnuMacAddrInfoEntry=hpnicfOnuMacAddrInfoEntry, hpnicfOnuLinkTestResultRetFrameNum=hpnicfOnuLinkTestResultRetFrameNum, hpnicfOnuSlaPriorityClass=hpnicfOnuSlaPriorityClass, hpnicfEponOuiIndex=hpnicfEponOuiIndex, hpnicfOltPortAlarmFerDirect=hpnicfOltPortAlarmFerDirect, hpnicfOnuPacketManEntry=hpnicfOnuPacketManEntry, hpnicfOnuChipSetRevision=hpnicfOnuChipSetRevision, hpnicfOnuInfoTable=hpnicfOnuInfoTable, hpnicfOnuRS485SessionRemotePort=hpnicfOnuRS485SessionRemotePort, hpnicfOnuFirstPonRegState=hpnicfOnuFirstPonRegState, hpnicfOnuProtocolEntry=hpnicfOnuProtocolEntry, hpnicfOnuLinkTestResultMeanDelay=hpnicfOnuLinkTestResultMeanDelay, hpnicfOnuIgmpSnoopingStatus=hpnicfOnuIgmpSnoopingStatus, hpnicfOnuPriorityQueueBandwidthMinVal=hpnicfOnuPriorityQueueBandwidthMinVal, hpnicfOltFirmMinorVersion=hpnicfOltFirmMinorVersion, hpnicfOltInfoTable=hpnicfOltInfoTable, hpnicfOltPortAlarmBerThreshold=hpnicfOltPortAlarmBerThreshold, hpnicfEponErrorLLIDFrameTrap=hpnicfEponErrorLLIDFrameTrap, hpnicfOltMaxRtt=hpnicfOltMaxRtt, hpnicfOltPortAlarmThresholdTable=hpnicfOltPortAlarmThresholdTable, hpnicfOnuCosToLocalPrecedenceEntry=hpnicfOnuCosToLocalPrecedenceEntry, hpnicfOnuIgmpSnoopingAggReportS=hpnicfOnuIgmpSnoopingAggReportS, hpnicfOnuPriorityTrust=hpnicfOnuPriorityTrust, hpnicfOnuEEPROMVersion=hpnicfOnuEEPROMVersion, hpnicfOnuPriorityQueueBurstsizeMaxVal=hpnicfOnuPriorityQueueBurstsizeMaxVal)
mibBuilder.exportSymbols("HPN-ICF-EPON-MIB", hpnicfOltPortAlarmLlidMisFrames=hpnicfOltPortAlarmLlidMisFrames, hpnicfEponSoftwareErrTrap=hpnicfEponSoftwareErrTrap, hpnicfOnuUpstreamQueueNumber=hpnicfOnuUpstreamQueueNumber, hpnicfOnuFirmwareUpdateTable=hpnicfOnuFirmwareUpdateTable, hpnicfOnuChipSetDesignDate=hpnicfOnuChipSetDesignDate, hpnicfEponOnuSilenceRecoverTrap=hpnicfEponOnuSilenceRecoverTrap, hpnicfOltEnableDiscardPacket=hpnicfOltEnableDiscardPacket, hpnicfOnuCosToLocalPrecedenceTable=hpnicfOnuCosToLocalPrecedenceTable, hpnicfOnuMaxDownstreamQueuePerPort=hpnicfOnuMaxDownstreamQueuePerPort, hpnicfEponAutoUpdateSchedType=hpnicfEponAutoUpdateSchedType, hpnicfEponOnuTypeIndex=hpnicfEponOnuTypeIndex, hpnicfEponOuiIndexNext=hpnicfEponOuiIndexNext, hpnicfOnuSilentTime=hpnicfOnuSilentTime, hpnicfOnuSlaBandWidthStepVal=hpnicfOnuSlaBandWidthStepVal, hpnicfOnuLinkTestResultRetErrFrameNum=hpnicfOnuLinkTestResultRetErrFrameNum, hpnicfOnuMacAddrFlag=hpnicfOnuMacAddrFlag, hpnicfOnuRS485PropertiesEntry=hpnicfOnuRS485PropertiesEntry, hpnicfOnuIpAddressTable=hpnicfOnuIpAddressTable, hpnicfOltWorkMode=hpnicfOltWorkMode, hpnicfEponSoftwareErrorCode=hpnicfEponSoftwareErrorCode, hpnicfEponMsgTimeOut=hpnicfEponMsgTimeOut, hpnicfEponOuiTable=hpnicfEponOuiTable, hpnicfOltPortAlarmFerEnabled=hpnicfOltPortAlarmFerEnabled, hpnicfOnuRtt=hpnicfOnuRtt, hpnicfEponOltDFETrap=hpnicfEponOltDFETrap, hpnicfOnuIpAddressGateway=hpnicfOnuIpAddressGateway, hpnicfEponOperationResult=hpnicfEponOperationResult, hpnicfOnuLinkTestVlanTag=hpnicfOnuLinkTestVlanTag, hpnicfOnuMCtrlFastLeaveSupported=hpnicfOnuMCtrlFastLeaveSupported, hpnicfOnuServiceSupported=hpnicfOnuServiceSupported, hpnicfOnuDhcpallocate=hpnicfOnuDhcpallocate, hpnicfOnuPriorityQueueTable=hpnicfOnuPriorityQueueTable, hpnicfEponLoopbackPortIndex=hpnicfEponLoopbackPortIndex, hpnicfEponMulticastControlEntry=hpnicfEponMulticastControlEntry, hpnicfOnuBridgeMac=hpnicfOnuBridgeMac, hpnicfOnuIpAddressMask=hpnicfOnuIpAddressMask, hpnicfOnuPriorityQueueBurstsizeMinVal=hpnicfOnuPriorityQueueBurstsizeMinVal, hpnicfEponAutoUpdateEntry=hpnicfEponAutoUpdateEntry, hpnicfOnuPriorityQueueSizeMinVal=hpnicfOnuPriorityQueueSizeMinVal, hpnicfOnuRS485BaudRate=hpnicfOnuRS485BaudRate, hpnicfOnuDistance=hpnicfOnuDistance, hpnicfOnuInCRCErrPkts=hpnicfOnuInCRCErrPkts, hpnicfEponRemoteStableRecoverTrap=hpnicfEponRemoteStableRecoverTrap, hpnicfOnuCapabilityEntry=hpnicfOnuCapabilityEntry, hpnicfOnuSysManEntry=hpnicfOnuSysManEntry, hpnicfOltDbaManEntry=hpnicfOltDbaManEntry, hpnicfOnuPortBerStatus=hpnicfOnuPortBerStatus, hpnicfOnuSlaManTable=hpnicfOnuSlaManTable, hpnicfOnuMulticastFastLeaveEnable=hpnicfOnuMulticastFastLeaveEnable, hpnicfOltUsingOnuRowStatus=hpnicfOltUsingOnuRowStatus, hpnicfOnuSecondPonRegState=hpnicfOnuSecondPonRegState, hpnicfOnuSlaDelay=hpnicfOnuSlaDelay, hpnicfOnuLinkTestEntry=hpnicfOnuLinkTestEntry, hpnicfEponStpPortIndex=hpnicfEponStpPortIndex, hpnicfOnuSmlkEntry=hpnicfOnuSmlkEntry, hpnicfEponAutoUpdateRealTimeStatus=hpnicfEponAutoUpdateRealTimeStatus, hpnicfOnuMulticastControlMode=hpnicfOnuMulticastControlMode, hpnicfOltLaserOffTimeMinVal=hpnicfOltLaserOffTimeMinVal, hpnicfEponOnuStpPortTable=hpnicfEponOnuStpPortTable, hpnicfEponAutoUpdateTable=hpnicfEponAutoUpdateTable, hpnicfOnuPhysicalEntry=hpnicfOnuPhysicalEntry, hpnicfOnuDbaReportThreshold=hpnicfOnuDbaReportThreshold, hpnicfOnuRemoteFecStatus=hpnicfOnuRemoteFecStatus, hpnicfOltDbaVersion=hpnicfOltDbaVersion, hpnicfOnuDownStreamMaxBurstSize=hpnicfOnuDownStreamMaxBurstSize, hpnicfOnuPriorityQueueSizeMaxVal=hpnicfOnuPriorityQueueSizeMaxVal, hpnicfEponStatFER=hpnicfEponStatFER, hpnicfEponMsgLoseNumMaxVal=hpnicfEponMsgLoseNumMaxVal, hpnicfOnuLinkTestTable=hpnicfOnuLinkTestTable, hpnicfOnuE1PortsNumber=hpnicfOnuE1PortsNumber, hpnicfOltDbaManTable=hpnicfOltDbaManTable, hpnicfOltPortAlarmRegistrationEnabled=hpnicfOltPortAlarmRegistrationEnabled, hpnicfEponModeSwitch=hpnicfEponModeSwitch, hpnicfEponLocalStableTrap=hpnicfEponLocalStableTrap, hpnicfOltPortAlarmLocalStableEnabled=hpnicfOltPortAlarmLocalStableEnabled, hpnicfOltOpticalPowerRx=hpnicfOltOpticalPowerRx, hpnicfEponSysMan=hpnicfEponSysMan, hpnicfOnuUpdateByTypeOnuType=hpnicfOnuUpdateByTypeOnuType, hpnicfEponSysManEntry=hpnicfEponSysManEntry, hpnicfEponBatchOperationByOLTResult=hpnicfEponBatchOperationByOLTResult, hpnicfEponOnuUpdateFileName=hpnicfEponOnuUpdateFileName, hpnicfEponOnuLaserFailedTrap=hpnicfEponOnuLaserFailedTrap, hpnicfOnuIgmpSnoopingMaxRespT=hpnicfOnuIgmpSnoopingMaxRespT, hpnicfOnuRS485PropertiesTable=hpnicfOnuRS485PropertiesTable, hpnicfEponBatchOperationBySlotTable=hpnicfEponBatchOperationBySlotTable, hpnicfOnuChipSetInfoEntry=hpnicfOnuChipSetInfoEntry, hpnicfOnuLinkTestResultMaxDelay=hpnicfOnuLinkTestResultMaxDelay, hpnicfEponBatchOperationByOLT=hpnicfEponBatchOperationByOLT, hpnicfOnuDbaReportStatus=hpnicfOnuDbaReportStatus, hpnicfEponOnuSilenceTrap=hpnicfEponOnuSilenceTrap, hpnicfEponOltSwitchoverTrap=hpnicfEponOltSwitchoverTrap, hpnicfOnuSecondPonMac=hpnicfOnuSecondPonMac, hpnicfOnuVendorId=hpnicfOnuVendorId, hpnicfOltLaserOffTime=hpnicfOltLaserOffTime, hpnicfEponOnuStpPortEntry=hpnicfEponOnuStpPortEntry, hpnicfOltDbaUpdate=hpnicfOltDbaUpdate, hpnicfOnuOpticalPowerReceivedByOlt=hpnicfOnuOpticalPowerReceivedByOlt, hpnicfOnuDbaReportQueueId=hpnicfOnuDbaReportQueueId, hpnicfEponOnuScalarGroup=hpnicfEponOnuScalarGroup, hpnicfOnuCapabilityTable=hpnicfOnuCapabilityTable, hpnicfOltDbaDiscovryFrequencyMaxVal=hpnicfOltDbaDiscovryFrequencyMaxVal, hpnicfEponOamVendorSpecificTrap=hpnicfEponOamVendorSpecificTrap, hpnicfOnuRS485SessionTable=hpnicfOnuRS485SessionTable, hpnicfOltUsingOnuNum=hpnicfOltUsingOnuNum, hpnicfOnuProtocolTable=hpnicfOnuProtocolTable, hpnicfOltSelfTest=hpnicfOltSelfTest, hpnicfEponOuiValue=hpnicfEponOuiValue, hpnicfOnuIpAddress=hpnicfOnuIpAddress, hpnicfOnuRS485SessionRemoteIP=hpnicfOnuRS485SessionRemoteIP, hpnicfOnuUniUpDownTrapStatus=hpnicfOnuUniUpDownTrapStatus, hpnicfOnuOutDroppedFrames=hpnicfOnuOutDroppedFrames, hpnicfEponPortAlarmFerRecoverTrap=hpnicfEponPortAlarmFerRecoverTrap, hpnicfEponEncryptionNoReplyTimeOut=hpnicfEponEncryptionNoReplyTimeOut, hpnicfOltPortAlarmEncryptionKeyEnabled=hpnicfOltPortAlarmEncryptionKeyEnabled, hpnicfOnuDbaReportQueueSetNumber=hpnicfOnuDbaReportQueueSetNumber, hpnicfOltUsingOnuIfIndex=hpnicfOltUsingOnuIfIndex, hpnicfOnuMacAddrInfoTable=hpnicfOnuMacAddrInfoTable, hpnicfOnuMulticastFilterStatus=hpnicfOnuMulticastFilterStatus, hpnicfOnuDot1xPassword=hpnicfOnuDot1xPassword, hpnicfOnuPriorityQueueBandwidthMaxVal=hpnicfOnuPriorityQueueBandwidthMaxVal, hpnicfOnuQueueId=hpnicfOnuQueueId, hpnicfOnuSmlkFirstPonStatus=hpnicfOnuSmlkFirstPonStatus, hpnicfOnuUpdateFileName=hpnicfOnuUpdateFileName, hpnicfEponSoftwareErrRecoverTrap=hpnicfEponSoftwareErrRecoverTrap, hpnicfEponBatchOperationBySlotEntry=hpnicfEponBatchOperationBySlotEntry, hpnicfOnuSysManTable=hpnicfOnuSysManTable, hpnicfOltMultiCopyBrdCast=hpnicfOltMultiCopyBrdCast, hpnicfOnuFirmwareUpdateByTypeEntry=hpnicfOnuFirmwareUpdateByTypeEntry, hpnicfOltPortAlarmFerMinVal=hpnicfOltPortAlarmFerMinVal, hpnicfOnuUpdateByTypeNextIndex=hpnicfOnuUpdateByTypeNextIndex, hpnicfEponPortAlarmBerTrap=hpnicfEponPortAlarmBerTrap, hpnicfOnuDot1xTable=hpnicfOnuDot1xTable, hpnicfEponMulticastStatus=hpnicfEponMulticastStatus, hpnicfOnuLinkTestFrameNum=hpnicfOnuLinkTestFrameNum, hpnicfOltSysManEntry=hpnicfOltSysManEntry, hpnicfOnuRS485Parity=hpnicfOnuRS485Parity, hpnicfOnuQueuePolicyStatus=hpnicfOnuQueuePolicyStatus, hpnicfOltLaserOnTimeMinVal=hpnicfOltLaserOnTimeMinVal, hpnicfOnuReAuthorize=hpnicfOnuReAuthorize, hpnicfOnuLinkTestDelay=hpnicfOnuLinkTestDelay, hpnicfOnuIgmpSnoopingRouterAgingT=hpnicfOnuIgmpSnoopingRouterAgingT, hpnicfOnuLaserOffTime=hpnicfOnuLaserOffTime, hpnicfOltInfoEntry=hpnicfOltInfoEntry, hpnicfEponOuiIndexNextTable=hpnicfEponOuiIndexNextTable, hpnicfOnuLaserOnTime=hpnicfOnuLaserOnTime, hpnicfEponOuiIndexNextEntry=hpnicfEponOuiIndexNextEntry, hpnicfEponOamVendorSpecificRecoverTrap=hpnicfEponOamVendorSpecificRecoverTrap, hpnicfOnuLinkTestFrameNumMaxVal=hpnicfOnuLinkTestFrameNumMaxVal, hpnicfEponFileName=hpnicfEponFileName, hpnicfOnuIgspFastLeaveSupported=hpnicfOnuIgspFastLeaveSupported, hpnicfOltSysManTable=hpnicfOltSysManTable, hpnicfOnuPacketManTable=hpnicfOnuPacketManTable, hpnicfOnuRS485ResetStatistics=hpnicfOnuRS485ResetStatistics, hpnicfOnuLinkTestVlanTagID=hpnicfOnuLinkTestVlanTagID, hpnicfOnuRS485SessionNextIndex=hpnicfOnuRS485SessionNextIndex, hpnicfOltLaserOffTimeMaxVal=hpnicfOltLaserOffTimeMaxVal, hpnicfOnuUpdateResult=hpnicfOnuUpdateResult, hpnicfOltPortAlarmDFEEnabled=hpnicfOltPortAlarmDFEEnabled, hpnicfOnuStpStatus=hpnicfOnuStpStatus, hpnicfOnuCosToLocalPrecedenceCosIndex=hpnicfOnuCosToLocalPrecedenceCosIndex, PYSNMP_MODULE_ID=hpnicfEponMibObjects, hpnicfOnuUpdateByTypeFileName=hpnicfOnuUpdateByTypeFileName, hpnicfEponBatchOperationBySlot=hpnicfEponBatchOperationBySlot, hpnicfOnuPortIsolateEnable=hpnicfOnuPortIsolateEnable, hpnicfEponStatTable=hpnicfEponStatTable, hpnicfOnuReset=hpnicfOnuReset, hpnicfEponErrorInfo=hpnicfEponErrorInfo, hpnicfOltFirmMajorVersion=hpnicfOltFirmMajorVersion, hpnicfOnuRS485SessionIndex=hpnicfOnuRS485SessionIndex, hpnicfOnuDot1xEntry=hpnicfOnuDot1xEntry, hpnicfDot3OamNonThresholdRecoverEvent=hpnicfDot3OamNonThresholdRecoverEvent)
| (integer, object_identifier, octet_string) = mibBuilder.importSymbols('ASN1', 'Integer', 'ObjectIdentifier', 'OctetString')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(value_range_constraint, constraints_union, single_value_constraint, constraints_intersection, value_size_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueRangeConstraint', 'ConstraintsUnion', 'SingleValueConstraint', 'ConstraintsIntersection', 'ValueSizeConstraint')
(hpnicf_lsw_slot_index, hpnicf_lsw_frame_index) = mibBuilder.importSymbols('HPN-ICF-LSW-DEV-ADM-MIB', 'hpnicfLswSlotIndex', 'hpnicfLswFrameIndex')
(hpnicf_epon,) = mibBuilder.importSymbols('HPN-ICF-OID-MIB', 'hpnicfEpon')
(if_descr, if_index) = mibBuilder.importSymbols('IF-MIB', 'ifDescr', 'ifIndex')
(inet_address_type, inet_address) = mibBuilder.importSymbols('INET-ADDRESS-MIB', 'InetAddressType', 'InetAddress')
(notification_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance')
(mib_scalar, mib_table, mib_table_row, mib_table_column, ip_address, integer32, module_identity, iso, object_identity, notification_type, counter32, time_ticks, counter64, gauge32, unsigned32, bits, mib_identifier) = mibBuilder.importSymbols('SNMPv2-SMI', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'IpAddress', 'Integer32', 'ModuleIdentity', 'iso', 'ObjectIdentity', 'NotificationType', 'Counter32', 'TimeTicks', 'Counter64', 'Gauge32', 'Unsigned32', 'Bits', 'MibIdentifier')
(date_and_time, display_string, mac_address, textual_convention, row_status, truth_value) = mibBuilder.importSymbols('SNMPv2-TC', 'DateAndTime', 'DisplayString', 'MacAddress', 'TextualConvention', 'RowStatus', 'TruthValue')
hpnicf_epon_mib_objects = module_identity((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1))
if mibBuilder.loadTexts:
hpnicfEponMibObjects.setLastUpdated('200705221008Z')
if mibBuilder.loadTexts:
hpnicfEponMibObjects.setOrganization('')
hpnicf_epon_sys_man = mib_identifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1))
hpnicf_epon_auto_authorize = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 1), truth_value().clone('false')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfEponAutoAuthorize.setStatus('current')
hpnicf_epon_monitor_cycle = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 2), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfEponMonitorCycle.setStatus('current')
hpnicf_epon_msg_time_out = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 3), integer32().clone(600)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfEponMsgTimeOut.setStatus('current')
hpnicf_epon_msg_lose_num = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 4), integer32().clone(20)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfEponMsgLoseNum.setStatus('current')
hpnicf_epon_sys_has_epon_board = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 5), truth_value()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfEponSysHasEPONBoard.setStatus('current')
hpnicf_epon_monitor_cycle_enable = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 6), truth_value().clone('true')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfEponMonitorCycleEnable.setStatus('current')
hpnicf_epon_olt_software_err_alm_enable = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 7), truth_value().clone('true')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfEponOltSoftwareErrAlmEnable.setStatus('current')
hpnicf_epon_port_loop_back_alm_enable = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 8), truth_value().clone('true')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfEponPortLoopBackAlmEnable.setStatus('current')
hpnicf_epon_monitor_cycle_min_val = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 9), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfEponMonitorCycleMinVal.setStatus('current')
hpnicf_epon_monitor_cycle_max_val = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 10), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfEponMonitorCycleMaxVal.setStatus('current')
hpnicf_epon_msg_time_out_min_val = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 11), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfEponMsgTimeOutMinVal.setStatus('current')
hpnicf_epon_msg_time_out_max_val = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 12), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfEponMsgTimeOutMaxVal.setStatus('current')
hpnicf_epon_msg_lose_num_min_val = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 13), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfEponMsgLoseNumMinVal.setStatus('current')
hpnicf_epon_msg_lose_num_max_val = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 14), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfEponMsgLoseNumMaxVal.setStatus('current')
hpnicf_epon_sys_scalar_group = mib_identifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 15))
hpnicf_epon_sys_man_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 16))
if mibBuilder.loadTexts:
hpnicfEponSysManTable.setStatus('current')
hpnicf_epon_sys_man_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 16, 1)).setIndexNames((0, 'HPN-ICF-EPON-MIB', 'hpnicfEponSlotIndex'))
if mibBuilder.loadTexts:
hpnicfEponSysManEntry.setStatus('current')
hpnicf_epon_slot_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 16, 1, 1), integer32())
if mibBuilder.loadTexts:
hpnicfEponSlotIndex.setStatus('current')
hpnicf_epon_mode_switch = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 16, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('cmode', 1), ('hmode', 2))).clone('cmode')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfEponModeSwitch.setStatus('current')
hpnicf_epon_automatic_mode = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 16, 1, 3), 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:
hpnicfEponAutomaticMode.setStatus('current')
hpnicf_epon_oam_discovery_timeout = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 16, 1, 4), integer32().clone(30)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfEponOamDiscoveryTimeout.setStatus('current')
hpnicf_epon_encryption_no_reply_time_out = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 16, 1, 5), integer32().clone(30)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfEponEncryptionNoReplyTimeOut.setStatus('current')
hpnicf_epon_encryption_update_time = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 16, 1, 6), integer32().clone(10)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfEponEncryptionUpdateTime.setStatus('current')
hpnicf_epon_auto_bind_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 16, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2))).clone('disable')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfEponAutoBindStatus.setStatus('current')
hpnicf_epon_auto_update_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 17))
if mibBuilder.loadTexts:
hpnicfEponAutoUpdateTable.setStatus('current')
hpnicf_epon_auto_update_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 17, 1)).setIndexNames((0, 'HPN-ICF-EPON-MIB', 'hpnicfEponSlotIndex'))
if mibBuilder.loadTexts:
hpnicfEponAutoUpdateEntry.setStatus('current')
hpnicf_epon_auto_update_file_name = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 17, 1, 1), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfEponAutoUpdateFileName.setStatus('current')
hpnicf_epon_auto_update_sched_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 17, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2))).clone('disable')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfEponAutoUpdateSchedStatus.setStatus('current')
hpnicf_epon_auto_update_sched_time = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 17, 1, 3), octet_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfEponAutoUpdateSchedTime.setStatus('current')
hpnicf_epon_auto_update_sched_type = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 17, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('daily', 1), ('weekly', 2), ('comingdate', 3)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfEponAutoUpdateSchedType.setStatus('current')
hpnicf_epon_auto_update_real_time_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 17, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2))).clone('disable')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfEponAutoUpdateRealTimeStatus.setStatus('current')
hpnicf_epon_oui_index_next_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 18))
if mibBuilder.loadTexts:
hpnicfEponOuiIndexNextTable.setStatus('current')
hpnicf_epon_oui_index_next_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 18, 1)).setIndexNames((0, 'HPN-ICF-EPON-MIB', 'hpnicfEponSlotIndex'))
if mibBuilder.loadTexts:
hpnicfEponOuiIndexNextEntry.setStatus('current')
hpnicf_epon_oui_index_next = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 18, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfEponOuiIndexNext.setStatus('current')
hpnicf_epon_oui_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 19))
if mibBuilder.loadTexts:
hpnicfEponOuiTable.setStatus('current')
hpnicf_epon_oui_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 19, 1)).setIndexNames((0, 'HPN-ICF-EPON-MIB', 'hpnicfEponSlotIndex'), (0, 'HPN-ICF-EPON-MIB', 'hpnicfEponOuiIndex'))
if mibBuilder.loadTexts:
hpnicfEponOuiEntry.setStatus('current')
hpnicf_epon_oui_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 19, 1, 1), integer32())
if mibBuilder.loadTexts:
hpnicfEponOuiIndex.setStatus('current')
hpnicf_epon_oui_value = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 19, 1, 2), octet_string().subtype(subtypeSpec=value_size_constraint(0, 512))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfEponOuiValue.setStatus('current')
hpnicf_epon_oam_version = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 19, 1, 3), octet_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfEponOamVersion.setStatus('current')
hpnicf_epon_oui_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 19, 1, 4), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfEponOuiRowStatus.setStatus('current')
hpnicf_epon_multicast_control_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 20))
if mibBuilder.loadTexts:
hpnicfEponMulticastControlTable.setStatus('current')
hpnicf_epon_multicast_control_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 20, 1)).setIndexNames((0, 'HPN-ICF-EPON-MIB', 'hpnicfEponMulticastVlanId'))
if mibBuilder.loadTexts:
hpnicfEponMulticastControlEntry.setStatus('current')
hpnicf_epon_multicast_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 20, 1, 1), integer32())
if mibBuilder.loadTexts:
hpnicfEponMulticastVlanId.setStatus('current')
hpnicf_epon_multicast_address_list = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 20, 1, 2), octet_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfEponMulticastAddressList.setStatus('current')
hpnicf_epon_multicast_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 1, 20, 1, 3), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfEponMulticastStatus.setStatus('current')
hpnicf_epon_file_name = mib_identifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 2))
hpnicf_epon_dba_update_file_name = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 2, 1), octet_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfEponDbaUpdateFileName.setStatus('current')
hpnicf_epon_onu_update_file_name = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 2, 2), octet_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfEponOnuUpdateFileName.setStatus('current')
hpnicf_epon_olt_man = mib_identifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3))
hpnicf_olt_sys_man_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 1))
if mibBuilder.loadTexts:
hpnicfOltSysManTable.setStatus('current')
hpnicf_olt_sys_man_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 1, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'))
if mibBuilder.loadTexts:
hpnicfOltSysManEntry.setStatus('current')
hpnicf_olt_laser_on_time = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 1, 1, 1), integer32().clone(96)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOltLaserOnTime.setStatus('current')
hpnicf_olt_laser_off_time = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 1, 1, 2), integer32().clone(96)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOltLaserOffTime.setStatus('current')
hpnicf_olt_multi_copy_brd_cast = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 1, 1, 3), truth_value().clone('false')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOltMultiCopyBrdCast.setStatus('current')
hpnicf_olt_enable_discard_packet = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 1, 1, 4), truth_value().clone('false')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOltEnableDiscardPacket.setStatus('current')
hpnicf_olt_self_test = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 1, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('selftest', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOltSelfTest.setStatus('current')
hpnicf_olt_self_test_result = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 1, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('other', 1), ('ok', 2), ('fail', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOltSelfTestResult.setStatus('current')
hpnicf_olt_max_rtt = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 1, 1, 7), unsigned32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOltMaxRtt.setStatus('current')
hpnicf_olt_info_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 2))
if mibBuilder.loadTexts:
hpnicfOltInfoTable.setStatus('current')
hpnicf_olt_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 2, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'))
if mibBuilder.loadTexts:
hpnicfOltInfoEntry.setStatus('current')
hpnicf_olt_firm_major_version = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 2, 1, 1), octet_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOltFirmMajorVersion.setStatus('current')
hpnicf_olt_firm_minor_version = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 2, 1, 2), octet_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOltFirmMinorVersion.setStatus('current')
hpnicf_olt_hard_major_version = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 2, 1, 3), octet_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOltHardMajorVersion.setStatus('current')
hpnicf_olt_hard_minor_version = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 2, 1, 4), octet_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOltHardMinorVersion.setStatus('current')
hpnicf_olt_agc_lock_time = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 2, 1, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOltAgcLockTime.setStatus('current')
hpnicf_olt_agc_cdr_time = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 2, 1, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOltAgcCdrTime.setStatus('current')
hpnicf_olt_mac_address = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 2, 1, 7), mac_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOltMacAddress.setStatus('current')
hpnicf_olt_work_mode = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 2, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('other', 1), ('open', 2), ('reset', 3), ('closed', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOltWorkMode.setStatus('current')
hpnicf_olt_optical_power_tx = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 2, 1, 9), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOltOpticalPowerTx.setStatus('current')
hpnicf_olt_optical_power_rx = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 2, 1, 10), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOltOpticalPowerRx.setStatus('current')
hpnicf_olt_dba_man_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 3))
if mibBuilder.loadTexts:
hpnicfOltDbaManTable.setStatus('current')
hpnicf_olt_dba_man_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 3, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'))
if mibBuilder.loadTexts:
hpnicfOltDbaManEntry.setStatus('current')
hpnicf_olt_dba_enabled_type = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 3, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('internal', 1), ('external', 2))).clone('internal')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOltDbaEnabledType.setStatus('current')
hpnicf_olt_dba_discovery_length = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 3, 1, 2), integer32().clone(41500)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOltDbaDiscoveryLength.setStatus('current')
hpnicf_olt_dba_discovry_frequency = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 3, 1, 3), integer32().clone(50)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOltDbaDiscovryFrequency.setStatus('current')
hpnicf_olt_dba_cycle_length = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 3, 1, 4), integer32().clone(65535)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOltDbaCycleLength.setStatus('current')
hpnicf_olt_dba_version = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 3, 1, 5), octet_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOltDbaVersion.setStatus('current')
hpnicf_olt_dba_update = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 3, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('update', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOltDbaUpdate.setStatus('current')
hpnicf_olt_dba_update_result = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 3, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('other', 1), ('ok', 2), ('fail', 3), ('fileNotExist', 4), ('notSetFilename', 5)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOltDbaUpdateResult.setStatus('current')
hpnicf_olt_port_alarm_threshold_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 4))
if mibBuilder.loadTexts:
hpnicfOltPortAlarmThresholdTable.setStatus('current')
hpnicf_olt_port_alarm_threshold_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 4, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'))
if mibBuilder.loadTexts:
hpnicfOltPortAlarmThresholdEntry.setStatus('current')
hpnicf_olt_port_alarm_ber_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 4, 1, 1), truth_value().clone('true')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOltPortAlarmBerEnabled.setStatus('current')
hpnicf_olt_port_alarm_ber_direct = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 4, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('berUplink', 1), ('berDownlink', 2), ('berAll', 3))).clone('berAll')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOltPortAlarmBerDirect.setStatus('current')
hpnicf_olt_port_alarm_ber_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 4, 1, 3), integer32().clone(10)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOltPortAlarmBerThreshold.setStatus('current')
hpnicf_olt_port_alarm_fer_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 4, 1, 4), truth_value().clone('true')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOltPortAlarmFerEnabled.setStatus('current')
hpnicf_olt_port_alarm_fer_direct = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 4, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('ferUplink', 1), ('ferDownlink', 2), ('ferAll', 3))).clone('ferAll')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOltPortAlarmFerDirect.setStatus('current')
hpnicf_olt_port_alarm_fer_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 4, 1, 6), integer32().clone(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOltPortAlarmFerThreshold.setStatus('current')
hpnicf_olt_port_alarm_llid_mismatch_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 4, 1, 7), truth_value().clone('false')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOltPortAlarmLlidMismatchEnabled.setStatus('current')
hpnicf_olt_port_alarm_llid_mismatch_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 4, 1, 8), integer32().clone(5000)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOltPortAlarmLlidMismatchThreshold.setStatus('current')
hpnicf_olt_port_alarm_remote_stable_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 4, 1, 9), truth_value().clone('true')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOltPortAlarmRemoteStableEnabled.setStatus('current')
hpnicf_olt_port_alarm_local_stable_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 4, 1, 10), truth_value().clone('true')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOltPortAlarmLocalStableEnabled.setStatus('current')
hpnicf_olt_port_alarm_registration_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 4, 1, 11), truth_value().clone('true')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOltPortAlarmRegistrationEnabled.setStatus('current')
hpnicf_olt_port_alarm_oam_disconnection_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 4, 1, 12), truth_value().clone('true')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOltPortAlarmOamDisconnectionEnabled.setStatus('current')
hpnicf_olt_port_alarm_encryption_key_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 4, 1, 13), truth_value().clone('true')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOltPortAlarmEncryptionKeyEnabled.setStatus('current')
hpnicf_olt_port_alarm_vendor_specific_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 4, 1, 14), truth_value().clone('true')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOltPortAlarmVendorSpecificEnabled.setStatus('current')
hpnicf_olt_port_alarm_reg_excess_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 4, 1, 15), truth_value().clone('true')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOltPortAlarmRegExcessEnabled.setStatus('current')
hpnicf_olt_port_alarm_dfe_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 4, 1, 16), truth_value().clone('true')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOltPortAlarmDFEEnabled.setStatus('current')
hpnicf_olt_laser_on_time_min_val = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOltLaserOnTimeMinVal.setStatus('current')
hpnicf_olt_laser_on_time_max_val = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOltLaserOnTimeMaxVal.setStatus('current')
hpnicf_olt_laser_off_time_min_val = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 7), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOltLaserOffTimeMinVal.setStatus('current')
hpnicf_olt_laser_off_time_max_val = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 8), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOltLaserOffTimeMaxVal.setStatus('current')
hpnicf_olt_dba_discovery_length_min_val = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 9), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOltDbaDiscoveryLengthMinVal.setStatus('current')
hpnicf_olt_dba_discovery_length_max_val = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 10), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOltDbaDiscoveryLengthMaxVal.setStatus('current')
hpnicf_olt_dba_discovry_frequency_min_val = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 11), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOltDbaDiscovryFrequencyMinVal.setStatus('current')
hpnicf_olt_dba_discovry_frequency_max_val = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 12), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOltDbaDiscovryFrequencyMaxVal.setStatus('current')
hpnicf_olt_dba_cycle_length_min_val = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 13), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOltDbaCycleLengthMinVal.setStatus('current')
hpnicf_olt_dba_cycle_length_max_val = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 14), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOltDbaCycleLengthMaxVal.setStatus('current')
hpnicf_olt_port_alarm_llid_mis_min_val = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 15), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOltPortAlarmLlidMisMinVal.setStatus('current')
hpnicf_olt_port_alarm_llid_mis_max_val = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 16), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOltPortAlarmLlidMisMaxVal.setStatus('current')
hpnicf_olt_port_alarm_ber_min_val = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 17), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOltPortAlarmBerMinVal.setStatus('current')
hpnicf_olt_port_alarm_ber_max_val = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 18), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOltPortAlarmBerMaxVal.setStatus('current')
hpnicf_olt_port_alarm_fer_min_val = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 19), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOltPortAlarmFerMinVal.setStatus('current')
hpnicf_olt_port_alarm_fer_max_val = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 20), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOltPortAlarmFerMaxVal.setStatus('current')
hpnicf_onu_silent_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 21))
if mibBuilder.loadTexts:
hpnicfOnuSilentTable.setStatus('current')
hpnicf_onu_silent_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 21, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'HPN-ICF-EPON-MIB', 'hpnicfOnuSilentMacAddr'))
if mibBuilder.loadTexts:
hpnicfOnuSilentEntry.setStatus('current')
hpnicf_onu_silent_mac_addr = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 21, 1, 1), mac_address())
if mibBuilder.loadTexts:
hpnicfOnuSilentMacAddr.setStatus('current')
hpnicf_onu_silent_time = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 21, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuSilentTime.setStatus('current')
hpnicf_olt_using_onu_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 22))
if mibBuilder.loadTexts:
hpnicfOltUsingOnuTable.setStatus('current')
hpnicf_olt_using_onu_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 22, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'HPN-ICF-EPON-MIB', 'hpnicfOltUsingOnuNum'))
if mibBuilder.loadTexts:
hpnicfOltUsingOnuEntry.setStatus('current')
hpnicf_olt_using_onu_num = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 22, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 64)))
if mibBuilder.loadTexts:
hpnicfOltUsingOnuNum.setStatus('current')
hpnicf_olt_using_onu_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 22, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOltUsingOnuIfIndex.setStatus('current')
hpnicf_olt_using_onu_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 3, 22, 1, 3), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfOltUsingOnuRowStatus.setStatus('current')
hpnicf_epon_onu_man = mib_identifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5))
hpnicf_onu_sys_man_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 1))
if mibBuilder.loadTexts:
hpnicfOnuSysManTable.setStatus('current')
hpnicf_onu_sys_man_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 1, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'))
if mibBuilder.loadTexts:
hpnicfOnuSysManEntry.setStatus('current')
hpnicf_onu_encrypt_man = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 1, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('off', 1), ('downlink', 2), ('updownlink', 3))).clone('downlink')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuEncryptMan.setStatus('current')
hpnicf_onu_re_authorize = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('reAuthorize', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuReAuthorize.setStatus('current')
hpnicf_onu_multicast_filter_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 1, 1, 3), truth_value().clone('false')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuMulticastFilterStatus.setStatus('current')
hpnicf_onu_dba_report_queue_set_number = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 1, 1, 4), integer32().clone(2)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuDbaReportQueueSetNumber.setStatus('current')
hpnicf_onu_remote_fec_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 1, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2))).clone('disable')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuRemoteFecStatus.setStatus('current')
hpnicf_onu_port_ber_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 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:
hpnicfOnuPortBerStatus.setStatus('current')
hpnicf_onu_reset = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 1, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('reset', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuReset.setStatus('current')
hpnicf_onu_multicast_control_mode = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 1, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('igmpsnooping', 1), ('multicastcontrol', 2))).clone('igmpsnooping')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuMulticastControlMode.setStatus('current')
hpnicf_onu_access_vlan = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 1, 1, 9), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuAccessVlan.setStatus('current')
hpnicf_onu_encrypt_key = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 1, 1, 10), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuEncryptKey.setStatus('current')
hpnicf_onu_uni_up_down_trap_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 1, 1, 11), truth_value().clone('false')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuUniUpDownTrapStatus.setStatus('current')
hpnicf_onu_fec_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 1, 1, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2))).clone('disable')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuFecStatus.setStatus('current')
hpnicf_onu_mcast_ctrl_host_aging_time = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 1, 1, 13), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuMcastCtrlHostAgingTime.setStatus('current')
hpnicf_onu_multicast_fast_leave_enable = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 1, 1, 14), truth_value()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuMulticastFastLeaveEnable.setStatus('current')
hpnicf_onu_port_isolate_enable = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 1, 1, 15), truth_value()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuPortIsolateEnable.setStatus('current')
hpnicf_onu_link_test_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 2))
if mibBuilder.loadTexts:
hpnicfOnuLinkTestTable.setStatus('current')
hpnicf_onu_link_test_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 2, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'))
if mibBuilder.loadTexts:
hpnicfOnuLinkTestEntry.setStatus('current')
hpnicf_onu_link_test_frame_num = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 2, 1, 1), integer32().clone(20)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuLinkTestFrameNum.setStatus('current')
hpnicf_onu_link_test_frame_size = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 2, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(60, 1514)).clone(1000)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuLinkTestFrameSize.setStatus('current')
hpnicf_onu_link_test_delay = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 2, 1, 3), truth_value().clone('true')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuLinkTestDelay.setStatus('current')
hpnicf_onu_link_test_vlan_tag = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 2, 1, 4), truth_value().clone('true')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuLinkTestVlanTag.setStatus('current')
hpnicf_onu_link_test_vlan_priority = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 2, 1, 5), integer32().subtype(subtypeSpec=value_range_constraint(0, 7)).clone(2)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuLinkTestVlanPriority.setStatus('current')
hpnicf_onu_link_test_vlan_tag_id = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 2, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(1, 4094)).clone(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuLinkTestVlanTagID.setStatus('current')
hpnicf_onu_link_test_result_sent_frame_num = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 2, 1, 7), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuLinkTestResultSentFrameNum.setStatus('current')
hpnicf_onu_link_test_result_ret_frame_num = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 2, 1, 8), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuLinkTestResultRetFrameNum.setStatus('current')
hpnicf_onu_link_test_result_ret_err_frame_num = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 2, 1, 9), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuLinkTestResultRetErrFrameNum.setStatus('current')
hpnicf_onu_link_test_result_min_delay = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 2, 1, 10), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuLinkTestResultMinDelay.setStatus('current')
hpnicf_onu_link_test_result_mean_delay = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 2, 1, 11), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuLinkTestResultMeanDelay.setStatus('current')
hpnicf_onu_link_test_result_max_delay = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 2, 1, 12), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuLinkTestResultMaxDelay.setStatus('current')
hpnicf_onu_band_width_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 3))
if mibBuilder.loadTexts:
hpnicfOnuBandWidthTable.setStatus('current')
hpnicf_onu_band_width_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 3, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'))
if mibBuilder.loadTexts:
hpnicfOnuBandWidthEntry.setStatus('current')
hpnicf_onu_down_stream_band_width_policy = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 3, 1, 1), truth_value().clone('false')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuDownStreamBandWidthPolicy.setStatus('current')
hpnicf_onu_down_stream_max_band_width = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 3, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 1000000)).clone(1000000)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuDownStreamMaxBandWidth.setStatus('current')
hpnicf_onu_down_stream_max_burst_size = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 3, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 8388480)).clone(8388480)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuDownStreamMaxBurstSize.setStatus('current')
hpnicf_onu_down_stream_high_priority_first = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 3, 1, 4), truth_value().clone('false')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuDownStreamHighPriorityFirst.setStatus('current')
hpnicf_onu_down_stream_short_frame_first = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 3, 1, 5), truth_value().clone('false')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuDownStreamShortFrameFirst.setStatus('current')
hpnicf_onu_p2_p_band_width_policy = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 3, 1, 6), truth_value().clone('false')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuP2PBandWidthPolicy.setStatus('current')
hpnicf_onu_p2_p_max_band_width = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 3, 1, 7), integer32().subtype(subtypeSpec=value_range_constraint(0, 1000000)).clone(1000000)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuP2PMaxBandWidth.setStatus('current')
hpnicf_onu_p2_p_max_burst_size = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 3, 1, 8), integer32().subtype(subtypeSpec=value_range_constraint(0, 8388480)).clone(8388480)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuP2PMaxBurstSize.setStatus('current')
hpnicf_onu_p2_p_high_priority_first = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 3, 1, 9), truth_value().clone('false')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuP2PHighPriorityFirst.setStatus('current')
hpnicf_onu_p2_p_short_frame_first = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 3, 1, 10), truth_value().clone('false')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuP2PShortFrameFirst.setStatus('current')
hpnicf_onu_sla_man_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 4))
if mibBuilder.loadTexts:
hpnicfOnuSlaManTable.setStatus('current')
hpnicf_onu_sla_man_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 4, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'))
if mibBuilder.loadTexts:
hpnicfOnuSlaManEntry.setStatus('current')
hpnicf_onu_sla_max_band_width = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 4, 1, 1), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuSlaMaxBandWidth.setStatus('current')
hpnicf_onu_sla_min_band_width = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 4, 1, 2), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuSlaMinBandWidth.setStatus('current')
hpnicf_onu_sla_band_width_step_val = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 4, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuSlaBandWidthStepVal.setStatus('current')
hpnicf_onu_sla_delay = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 4, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('low', 1), ('high', 2))).clone('low')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuSlaDelay.setStatus('current')
hpnicf_onu_sla_fixed_band_width = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 4, 1, 5), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuSlaFixedBandWidth.setStatus('current')
hpnicf_onu_sla_priority_class = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 4, 1, 6), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuSlaPriorityClass.setStatus('current')
hpnicf_onu_sla_fixed_packet_size = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 4, 1, 7), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuSlaFixedPacketSize.setStatus('current')
hpnicf_onu_info_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 5))
if mibBuilder.loadTexts:
hpnicfOnuInfoTable.setStatus('current')
hpnicf_onu_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 5, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'))
if mibBuilder.loadTexts:
hpnicfOnuInfoEntry.setStatus('current')
hpnicf_onu_hard_major_version = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 5, 1, 1), octet_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuHardMajorVersion.setStatus('current')
hpnicf_onu_hard_minor_version = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 5, 1, 2), octet_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuHardMinorVersion.setStatus('current')
hpnicf_onu_software_version = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 5, 1, 3), octet_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuSoftwareVersion.setStatus('current')
hpnicf_onu_uni_mac_type = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 5, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('other', 1), ('mii', 2), ('gmii', 3), ('tbi', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuUniMacType.setStatus('current')
hpnicf_onu_laser_on_time = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 5, 1, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuLaserOnTime.setStatus('current')
hpnicf_onu_laser_off_time = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 5, 1, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuLaserOffTime.setStatus('current')
hpnicf_onu_grant_fifo_dep = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 5, 1, 7), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(1, 255), value_range_constraint(2147483647, 2147483647)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuGrantFifoDep.setStatus('current')
hpnicf_onu_work_mode = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 5, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('other', 1), ('on', 2), ('pending', 3), ('off', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuWorkMode.setStatus('current')
hpnicf_onu_pcb_version = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 5, 1, 9), octet_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuPCBVersion.setStatus('current')
hpnicf_onu_rtt = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 5, 1, 10), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuRtt.setStatus('current')
hpnicf_onu_eeprom_version = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 5, 1, 11), octet_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuEEPROMVersion.setStatus('current')
hpnicf_onu_reg_type = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 5, 1, 12), octet_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuRegType.setStatus('current')
hpnicf_onu_host_type = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 5, 1, 13), octet_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuHostType.setStatus('current')
hpnicf_onu_distance = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 5, 1, 14), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuDistance.setStatus('current')
hpnicf_onu_llid = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 5, 1, 15), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuLlid.setStatus('current')
hpnicf_onu_vendor_id = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 5, 1, 16), octet_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuVendorId.setStatus('current')
hpnicf_onu_firmware_version = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 5, 1, 17), octet_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuFirmwareVersion.setStatus('current')
hpnicf_onu_optical_power_received_by_olt = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 5, 1, 18), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuOpticalPowerReceivedByOlt.setStatus('current')
hpnicf_onu_mac_addr_info_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 6))
if mibBuilder.loadTexts:
hpnicfOnuMacAddrInfoTable.setStatus('current')
hpnicf_onu_mac_addr_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 6, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'HPN-ICF-EPON-MIB', 'hpnicfOnuMacIndex'))
if mibBuilder.loadTexts:
hpnicfOnuMacAddrInfoEntry.setStatus('current')
hpnicf_onu_mac_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 6, 1, 1), integer32())
if mibBuilder.loadTexts:
hpnicfOnuMacIndex.setStatus('current')
hpnicf_onu_mac_addr_flag = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 6, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('bound', 1), ('registered', 2), ('run', 3), ('regIncorrect', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuMacAddrFlag.setStatus('current')
hpnicf_onu_mac_address = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 6, 1, 3), mac_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuMacAddress.setStatus('current')
hpnicf_onu_bind_mac_addr_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 7))
if mibBuilder.loadTexts:
hpnicfOnuBindMacAddrTable.setStatus('current')
hpnicf_onu_bind_mac_addr_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 7, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'))
if mibBuilder.loadTexts:
hpnicfOnuBindMacAddrEntry.setStatus('current')
hpnicf_onu_bind_mac_address = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 7, 1, 1), mac_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuBindMacAddress.setStatus('current')
hpnicf_onu_bind_type = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 7, 1, 2), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuBindType.setStatus('current')
hpnicf_onu_firmware_update_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 8))
if mibBuilder.loadTexts:
hpnicfOnuFirmwareUpdateTable.setStatus('current')
hpnicf_onu_firmware_update_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 8, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'))
if mibBuilder.loadTexts:
hpnicfOnuFirmwareUpdateEntry.setStatus('current')
hpnicf_onu_update = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 8, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('update', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuUpdate.setStatus('current')
hpnicf_onu_update_result = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 8, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('updating', 1), ('ok', 2), ('fail', 3), ('fileNotExist', 4), ('notSetFilename', 5), ('fileNotMatchONU', 6), ('timeout', 7), ('otherError', 8)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuUpdateResult.setStatus('current')
hpnicf_onu_update_file_name = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 8, 1, 3), octet_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuUpdateFileName.setStatus('current')
hpnicf_onu_link_test_frame_num_min_val = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 9), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuLinkTestFrameNumMinVal.setStatus('current')
hpnicf_onu_link_test_frame_num_max_val = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 10), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuLinkTestFrameNumMaxVal.setStatus('current')
hpnicf_onu_sla_max_band_width_min_val = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 11), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuSlaMaxBandWidthMinVal.setStatus('current')
hpnicf_onu_sla_max_band_width_max_val = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 12), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuSlaMaxBandWidthMaxVal.setStatus('current')
hpnicf_onu_sla_min_band_width_min_val = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 13), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuSlaMinBandWidthMinVal.setStatus('current')
hpnicf_onu_sla_min_band_width_max_val = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 14), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuSlaMinBandWidthMaxVal.setStatus('current')
hpnicf_epon_onu_type_man_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 15))
if mibBuilder.loadTexts:
hpnicfEponOnuTypeManTable.setStatus('current')
hpnicf_epon_onu_type_man_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 15, 1)).setIndexNames((0, 'HPN-ICF-EPON-MIB', 'hpnicfEponOnuTypeIndex'))
if mibBuilder.loadTexts:
hpnicfEponOnuTypeManEntry.setStatus('current')
hpnicf_epon_onu_type_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 15, 1, 1), integer32())
if mibBuilder.loadTexts:
hpnicfEponOnuTypeIndex.setStatus('current')
hpnicf_epon_onu_type_descr = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 15, 1, 2), octet_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfEponOnuTypeDescr.setStatus('current')
hpnicf_onu_packet_man_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 16))
if mibBuilder.loadTexts:
hpnicfOnuPacketManTable.setStatus('current')
hpnicf_onu_packet_man_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 16, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'))
if mibBuilder.loadTexts:
hpnicfOnuPacketManEntry.setStatus('current')
hpnicf_onu_priority_trust = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 16, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('dscp', 1), ('ipprecedence', 2), ('cos', 3))).clone('cos')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuPriorityTrust.setStatus('current')
hpnicf_onu_queue_scheduler = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 16, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('spq', 1), ('wfq', 2))).clone('spq')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuQueueScheduler.setStatus('current')
hpnicf_onu_protocol_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 17))
if mibBuilder.loadTexts:
hpnicfOnuProtocolTable.setStatus('current')
hpnicf_onu_protocol_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 17, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'))
if mibBuilder.loadTexts:
hpnicfOnuProtocolEntry.setStatus('current')
hpnicf_onu_stp_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 17, 1, 1), truth_value().clone('true')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuStpStatus.setStatus('current')
hpnicf_onu_igmp_snooping_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 17, 1, 2), truth_value().clone('true')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuIgmpSnoopingStatus.setStatus('current')
hpnicf_onu_dhcpsnooping_option82 = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 17, 1, 3), truth_value().clone('false')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuDhcpsnoopingOption82.setStatus('current')
hpnicf_onu_dhcpsnooping = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 17, 1, 4), truth_value().clone('false')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuDhcpsnooping.setStatus('current')
hpnicf_onu_pppoe = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 17, 1, 5), truth_value().clone('false')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuPppoe.setStatus('current')
hpnicf_onu_igmp_snooping_host_aging_t = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 17, 1, 6), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuIgmpSnoopingHostAgingT.setStatus('current')
hpnicf_onu_igmp_snooping_max_resp_t = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 17, 1, 7), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuIgmpSnoopingMaxRespT.setStatus('current')
hpnicf_onu_igmp_snooping_router_aging_t = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 17, 1, 8), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuIgmpSnoopingRouterAgingT.setStatus('current')
hpnicf_onu_igmp_snooping_agg_report_s = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 17, 1, 9), truth_value().clone('false')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuIgmpSnoopingAggReportS.setStatus('current')
hpnicf_onu_igmp_snooping_agg_leave_s = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 17, 1, 10), truth_value().clone('true')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuIgmpSnoopingAggLeaveS.setStatus('current')
hpnicf_onu_dot1x_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 18))
if mibBuilder.loadTexts:
hpnicfOnuDot1xTable.setStatus('current')
hpnicf_onu_dot1x_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 18, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'))
if mibBuilder.loadTexts:
hpnicfOnuDot1xEntry.setStatus('current')
hpnicf_onu_dot1x_account = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 18, 1, 1), octet_string()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuDot1xAccount.setStatus('current')
hpnicf_onu_dot1x_password = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 18, 1, 2), octet_string()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuDot1xPassword.setStatus('current')
hpnicf_epon_batch_operation_man = mib_identifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 6))
hpnicf_onu_priority_queue_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 19))
if mibBuilder.loadTexts:
hpnicfOnuPriorityQueueTable.setStatus('current')
hpnicf_onu_priority_queue_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 19, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'HPN-ICF-EPON-MIB', 'hpnicfOnuQueueDirection'), (0, 'HPN-ICF-EPON-MIB', 'hpnicfOnuQueueId'))
if mibBuilder.loadTexts:
hpnicfOnuPriorityQueueEntry.setStatus('current')
hpnicf_onu_queue_direction = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 19, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('inbound', 1), ('outbound', 2))))
if mibBuilder.loadTexts:
hpnicfOnuQueueDirection.setStatus('current')
hpnicf_onu_queue_id = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 19, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 7)))
if mibBuilder.loadTexts:
hpnicfOnuQueueId.setStatus('current')
hpnicf_onu_queue_size = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 19, 1, 3), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuQueueSize.setStatus('current')
hpnicf_onu_count_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 20))
if mibBuilder.loadTexts:
hpnicfOnuCountTable.setStatus('current')
hpnicf_onu_count_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 20, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'))
if mibBuilder.loadTexts:
hpnicfOnuCountEntry.setStatus('current')
hpnicf_onu_in_crc_err_pkts = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 20, 1, 1), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuInCRCErrPkts.setStatus('current')
hpnicf_onu_out_dropped_frames = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 20, 1, 2), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuOutDroppedFrames.setStatus('current')
hpnicf_epon_onu_scalar_group = mib_identifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 21))
hpnicf_onu_priority_queue_size_min_val = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 21, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuPriorityQueueSizeMinVal.setStatus('current')
hpnicf_onu_priority_queue_size_max_val = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 21, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuPriorityQueueSizeMaxVal.setStatus('current')
hpnicf_onu_priority_queue_bandwidth_min_val = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 21, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuPriorityQueueBandwidthMinVal.setStatus('current')
hpnicf_onu_priority_queue_bandwidth_max_val = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 21, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuPriorityQueueBandwidthMaxVal.setStatus('current')
hpnicf_onu_priority_queue_burstsize_min_val = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 21, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuPriorityQueueBurstsizeMinVal.setStatus('current')
hpnicf_onu_priority_queue_burstsize_max_val = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 21, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuPriorityQueueBurstsizeMaxVal.setStatus('current')
hpnicf_onu_update_by_type_next_index = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 21, 7), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuUpdateByTypeNextIndex.setStatus('current')
hpnicf_onu_queue_bandwidth_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 22))
if mibBuilder.loadTexts:
hpnicfOnuQueueBandwidthTable.setStatus('current')
hpnicf_onu_queue_bandwidth_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 22, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'HPN-ICF-EPON-MIB', 'hpnicfOnuQueueDirection'), (0, 'HPN-ICF-EPON-MIB', 'hpnicfOnuQueueId'))
if mibBuilder.loadTexts:
hpnicfOnuQueueBandwidthEntry.setStatus('current')
hpnicf_onu_queue_max_bandwidth = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 22, 1, 1), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuQueueMaxBandwidth.setStatus('current')
hpnicf_onu_queue_max_burstsize = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 22, 1, 2), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuQueueMaxBurstsize.setStatus('current')
hpnicf_onu_queue_policy_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 22, 1, 3), truth_value()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuQueuePolicyStatus.setStatus('current')
hpnicf_onu_ip_address_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 23))
if mibBuilder.loadTexts:
hpnicfOnuIpAddressTable.setStatus('current')
hpnicf_onu_ip_address_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 23, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'))
if mibBuilder.loadTexts:
hpnicfOnuIpAddressEntry.setStatus('current')
hpnicf_onu_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 23, 1, 1), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuIpAddress.setStatus('current')
hpnicf_onu_ip_address_mask = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 23, 1, 2), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuIpAddressMask.setStatus('current')
hpnicf_onu_ip_address_gateway = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 23, 1, 3), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuIpAddressGateway.setStatus('current')
hpnicf_onu_dhcpallocate = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 23, 1, 4), truth_value()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuDhcpallocate.setStatus('current')
hpnicf_onu_manage_vid = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 23, 1, 5), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuManageVID.setStatus('current')
hpnicf_onu_manage_vlan_intf_s = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 23, 1, 6), truth_value()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuManageVlanIntfS.setStatus('current')
hpnicf_onu_chip_set_info_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 24))
if mibBuilder.loadTexts:
hpnicfOnuChipSetInfoTable.setStatus('current')
hpnicf_onu_chip_set_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 24, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'))
if mibBuilder.loadTexts:
hpnicfOnuChipSetInfoEntry.setStatus('current')
hpnicf_onu_chip_set_vendor_id = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 24, 1, 1), octet_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuChipSetVendorId.setStatus('current')
hpnicf_onu_chip_set_model = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 24, 1, 2), octet_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuChipSetModel.setStatus('current')
hpnicf_onu_chip_set_revision = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 24, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuChipSetRevision.setStatus('current')
hpnicf_onu_chip_set_design_date = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 24, 1, 4), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuChipSetDesignDate.setStatus('current')
hpnicf_onu_capability_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 25))
if mibBuilder.loadTexts:
hpnicfOnuCapabilityTable.setStatus('current')
hpnicf_onu_capability_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 25, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'))
if mibBuilder.loadTexts:
hpnicfOnuCapabilityEntry.setStatus('current')
hpnicf_onu_service_supported = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 25, 1, 1), bits().clone(namedValues=named_values(('geinterfacesupport', 0), ('feinterfacesupport', 1), ('voipservicesupport', 2), ('tdmservicesupport', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuServiceSupported.setStatus('current')
hpnicf_onu_ge_port_number = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 25, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuGEPortNumber.setStatus('current')
hpnicf_onu_fe_port_number = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 25, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuFEPortNumber.setStatus('current')
hpnicf_onu_pots_port_number = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 25, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuPOTSPortNumber.setStatus('current')
hpnicf_onu_e1_ports_number = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 25, 1, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuE1PortsNumber.setStatus('current')
hpnicf_onu_upstream_queue_number = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 25, 1, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuUpstreamQueueNumber.setStatus('current')
hpnicf_onu_max_upstream_queue_per_port = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 25, 1, 7), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuMaxUpstreamQueuePerPort.setStatus('current')
hpnicf_onu_downstream_queue_number = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 25, 1, 8), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuDownstreamQueueNumber.setStatus('current')
hpnicf_onu_max_downstream_queue_per_port = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 25, 1, 9), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuMaxDownstreamQueuePerPort.setStatus('current')
hpnicf_onu_battery_backup = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 25, 1, 10), truth_value()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuBatteryBackup.setStatus('current')
hpnicf_onu_igsp_fast_leave_supported = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 25, 1, 11), truth_value()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuIgspFastLeaveSupported.setStatus('current')
hpnicf_onu_m_ctrl_fast_leave_supported = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 25, 1, 12), truth_value()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuMCtrlFastLeaveSupported.setStatus('current')
hpnicf_onu_dba_report_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 26))
if mibBuilder.loadTexts:
hpnicfOnuDbaReportTable.setStatus('current')
hpnicf_onu_dba_report_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 26, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'HPN-ICF-EPON-MIB', 'hpnicfOnuDbaReportQueueId'))
if mibBuilder.loadTexts:
hpnicfOnuDbaReportEntry.setStatus('current')
hpnicf_onu_dba_report_queue_id = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 26, 1, 1), integer32())
if mibBuilder.loadTexts:
hpnicfOnuDbaReportQueueId.setStatus('current')
hpnicf_onu_dba_report_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 26, 1, 2), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuDbaReportThreshold.setStatus('current')
hpnicf_onu_dba_report_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 26, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2))).clone('disable')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuDbaReportStatus.setStatus('current')
hpnicf_onu_cos_to_local_precedence_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 27))
if mibBuilder.loadTexts:
hpnicfOnuCosToLocalPrecedenceTable.setStatus('current')
hpnicf_onu_cos_to_local_precedence_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 27, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'HPN-ICF-EPON-MIB', 'hpnicfOnuCosToLocalPrecedenceCosIndex'))
if mibBuilder.loadTexts:
hpnicfOnuCosToLocalPrecedenceEntry.setStatus('current')
hpnicf_onu_cos_to_local_precedence_cos_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 27, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 7))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuCosToLocalPrecedenceCosIndex.setStatus('current')
hpnicf_onu_cos_to_local_precedence_value = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 27, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 7))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuCosToLocalPrecedenceValue.setStatus('current')
hpnicf_epon_onu_stp_port_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 28))
if mibBuilder.loadTexts:
hpnicfEponOnuStpPortTable.setStatus('current')
hpnicf_epon_onu_stp_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 28, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'HPN-ICF-EPON-MIB', 'hpnicfEponStpPortIndex'))
if mibBuilder.loadTexts:
hpnicfEponOnuStpPortEntry.setStatus('current')
hpnicf_epon_stp_port_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 28, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 144))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hpnicfEponStpPortIndex.setStatus('current')
hpnicf_epon_stp_port_descr = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 28, 1, 2), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hpnicfEponStpPortDescr.setStatus('current')
hpnicf_epon_stp_port_state = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 28, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('disabled', 1), ('discarding', 2), ('learning', 3), ('forwarding', 4)))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hpnicfEponStpPortState.setStatus('current')
hpnicf_onu_physical_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 29))
if mibBuilder.loadTexts:
hpnicfOnuPhysicalTable.setStatus('current')
hpnicf_onu_physical_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 29, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'))
if mibBuilder.loadTexts:
hpnicfOnuPhysicalEntry.setStatus('current')
hpnicf_onu_bridge_mac = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 29, 1, 1), mac_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuBridgeMac.setStatus('current')
hpnicf_onu_first_pon_mac = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 29, 1, 2), mac_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuFirstPonMac.setStatus('current')
hpnicf_onu_first_pon_reg_state = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 29, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('notExist', 1), ('absent', 2), ('offline', 3), ('silent', 4), ('down', 5), ('up', 6)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuFirstPonRegState.setStatus('current')
hpnicf_onu_second_pon_mac = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 29, 1, 4), mac_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuSecondPonMac.setStatus('current')
hpnicf_onu_second_pon_reg_state = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 29, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('notExist', 1), ('absent', 2), ('offline', 3), ('silent', 4), ('down', 5), ('up', 6)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuSecondPonRegState.setStatus('current')
hpnicf_onu_smlk_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 30))
if mibBuilder.loadTexts:
hpnicfOnuSmlkTable.setStatus('current')
hpnicf_onu_smlk_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 30, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'HPN-ICF-EPON-MIB', 'hpnicfOnuSmlkGroupID'))
if mibBuilder.loadTexts:
hpnicfOnuSmlkEntry.setStatus('current')
hpnicf_onu_smlk_group_id = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 30, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuSmlkGroupID.setStatus('current')
hpnicf_onu_smlk_first_pon_role = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 30, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('master', 1), ('slave', 2), ('null', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuSmlkFirstPonRole.setStatus('current')
hpnicf_onu_smlk_first_pon_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 30, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('active', 1), ('standby', 2), ('down', 3), ('null', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuSmlkFirstPonStatus.setStatus('current')
hpnicf_onu_smlk_second_pon_role = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 30, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('master', 1), ('slave', 2), ('null', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuSmlkSecondPonRole.setStatus('current')
hpnicf_onu_smlk_second_pon_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 30, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('active', 1), ('standby', 2), ('down', 3), ('null', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuSmlkSecondPonStatus.setStatus('current')
hpnicf_onu_rs485_properties_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 31))
if mibBuilder.loadTexts:
hpnicfOnuRS485PropertiesTable.setStatus('current')
hpnicf_onu_rs485_properties_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 31, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'HPN-ICF-EPON-MIB', 'hpnicfOnuRS485SerialIndex'))
if mibBuilder.loadTexts:
hpnicfOnuRS485PropertiesEntry.setStatus('current')
hpnicf_onu_rs485_serial_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 31, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 64)))
if mibBuilder.loadTexts:
hpnicfOnuRS485SerialIndex.setStatus('current')
hpnicf_onu_rs485_baud_rate = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 31, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=named_values(('baudRate300', 1), ('baudRate600', 2), ('baudRate1200', 3), ('baudRate2400', 4), ('baudRate4800', 5), ('baudRate9600', 6), ('baudRate19200', 7), ('baudRate38400', 8), ('baudRate57600', 9), ('baudRate115200', 10))).clone('baudRate9600')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuRS485BaudRate.setStatus('current')
hpnicf_onu_rs485_data_bits = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 31, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('five', 1), ('six', 2), ('seven', 3), ('eight', 4))).clone('eight')).setUnits('bit').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuRS485DataBits.setStatus('current')
hpnicf_onu_rs485_parity = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 31, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('none', 1), ('odd', 2), ('even', 3), ('mark', 4), ('space', 5))).clone('none')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuRS485Parity.setStatus('current')
hpnicf_onu_rs485_stop_bits = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 31, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('one', 1), ('two', 2), ('oneAndHalf', 3))).clone('one')).setUnits('bit').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuRS485StopBits.setStatus('current')
hpnicf_onu_rs485_flow_control = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 31, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('none', 1), ('hardware', 2), ('xonOrxoff', 3))).clone('none')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuRS485FlowControl.setStatus('current')
hpnicf_onu_rs485_tx_octets = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 31, 1, 7), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuRS485TXOctets.setStatus('current')
hpnicf_onu_rs485_rx_octets = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 31, 1, 8), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuRS485RXOctets.setStatus('current')
hpnicf_onu_rs485_tx_err_octets = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 31, 1, 9), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuRS485TXErrOctets.setStatus('current')
hpnicf_onu_rs485_rx_err_octets = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 31, 1, 10), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuRS485RXErrOctets.setStatus('current')
hpnicf_onu_rs485_reset_statistics = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 31, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('counting', 1), ('clear', 2))).clone('counting')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfOnuRS485ResetStatistics.setStatus('current')
hpnicf_onu_rs485_session_summary_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 32))
if mibBuilder.loadTexts:
hpnicfOnuRS485SessionSummaryTable.setStatus('current')
hpnicf_onu_rs485_session_summary_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 32, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'HPN-ICF-EPON-MIB', 'hpnicfOnuRS485SerialIndex'))
if mibBuilder.loadTexts:
hpnicfOnuRS485SessionSummaryEntry.setStatus('current')
hpnicf_onu_rs485_session_max_num = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 32, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 64))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuRS485SessionMaxNum.setStatus('current')
hpnicf_onu_rs485_session_next_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 32, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 64))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuRS485SessionNextIndex.setStatus('current')
hpnicf_onu_rs485_session_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 33))
if mibBuilder.loadTexts:
hpnicfOnuRS485SessionTable.setStatus('current')
hpnicf_onu_rs485_session_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 33, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'HPN-ICF-EPON-MIB', 'hpnicfOnuRS485SerialIndex'), (0, 'HPN-ICF-EPON-MIB', 'hpnicfOnuRS485SessionIndex'))
if mibBuilder.loadTexts:
hpnicfOnuRS485SessionEntry.setStatus('current')
hpnicf_onu_rs485_session_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 33, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 64)))
if mibBuilder.loadTexts:
hpnicfOnuRS485SessionIndex.setStatus('current')
hpnicf_onu_rs485_session_type = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 33, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('udp', 1), ('tcpClient', 2), ('tcpServer', 3)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfOnuRS485SessionType.setStatus('current')
hpnicf_onu_rs485_session_add_type = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 33, 1, 3), inet_address_type()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfOnuRS485SessionAddType.setStatus('current')
hpnicf_onu_rs485_session_remote_ip = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 33, 1, 4), inet_address()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfOnuRS485SessionRemoteIP.setStatus('current')
hpnicf_onu_rs485_session_remote_port = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 33, 1, 5), integer32().subtype(subtypeSpec=value_range_constraint(1024, 65535))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfOnuRS485SessionRemotePort.setStatus('current')
hpnicf_onu_rs485_session_local_port = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 33, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(1024, 65535))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfOnuRS485SessionLocalPort.setStatus('current')
hpnicf_onu_rs485_session_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 33, 1, 7), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfOnuRS485SessionRowStatus.setStatus('current')
hpnicf_onu_rs485_session_err_info_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 34))
if mibBuilder.loadTexts:
hpnicfOnuRS485SessionErrInfoTable.setStatus('current')
hpnicf_onu_rs485_session_err_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 34, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'HPN-ICF-EPON-MIB', 'hpnicfOnuRS485SerialIndex'), (0, 'HPN-ICF-EPON-MIB', 'hpnicfOnuRS485SessionIndex'))
if mibBuilder.loadTexts:
hpnicfOnuRS485SessionErrInfoEntry.setStatus('current')
hpnicf_onu_rs485_session_err_info = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 5, 34, 1, 1), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfOnuRS485SessionErrInfo.setStatus('current')
hpnicf_epon_batch_operation_by_slot_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 6, 1))
if mibBuilder.loadTexts:
hpnicfEponBatchOperationBySlotTable.setStatus('current')
hpnicf_epon_batch_operation_by_slot_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 6, 1, 1)).setIndexNames((0, 'HPN-ICF-EPON-MIB', 'hpnicfEponBatchOperationBySlotIndex'))
if mibBuilder.loadTexts:
hpnicfEponBatchOperationBySlotEntry.setStatus('current')
hpnicf_epon_batch_operation_by_slot_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 6, 1, 1, 1), integer32())
if mibBuilder.loadTexts:
hpnicfEponBatchOperationBySlotIndex.setStatus('current')
hpnicf_epon_batch_operation_by_slot_type = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 6, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 9, 10))).clone(namedValues=named_values(('resetUnknown', 1), ('updateDba', 9), ('updateONU', 10)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfEponBatchOperationBySlotType.setStatus('current')
hpnicf_epon_batch_operation_by_slot = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 6, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('batOpBySlot', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfEponBatchOperationBySlot.setStatus('current')
hpnicf_epon_batch_operation_by_slot_result = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 6, 1, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfEponBatchOperationBySlotResult.setStatus('current')
hpnicf_epon_batch_operation_by_olt_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 6, 2))
if mibBuilder.loadTexts:
hpnicfEponBatchOperationByOLTTable.setStatus('current')
hpnicf_epon_batch_operation_by_olt_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 6, 2, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'))
if mibBuilder.loadTexts:
hpnicfEponBatchOperationByOLTEntry.setStatus('current')
hpnicf_epon_batch_operation_by_olt_type = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 6, 2, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 5))).clone(namedValues=named_values(('resetUnknown', 1), ('updateONU', 5)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfEponBatchOperationByOLTType.setStatus('current')
hpnicf_epon_batch_operation_by_olt = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 6, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('batOpByOlt', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfEponBatchOperationByOLT.setStatus('current')
hpnicf_epon_batch_operation_by_olt_result = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 6, 2, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfEponBatchOperationByOLTResult.setStatus('current')
hpnicf_onu_firmware_update_by_type_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 6, 3))
if mibBuilder.loadTexts:
hpnicfOnuFirmwareUpdateByTypeTable.setStatus('current')
hpnicf_onu_firmware_update_by_type_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 6, 3, 1)).setIndexNames((0, 'HPN-ICF-EPON-MIB', 'hpnicfOnuUpdateByOnuTypeIndex'))
if mibBuilder.loadTexts:
hpnicfOnuFirmwareUpdateByTypeEntry.setStatus('current')
hpnicf_onu_update_by_onu_type_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 6, 3, 1, 1), integer32())
if mibBuilder.loadTexts:
hpnicfOnuUpdateByOnuTypeIndex.setStatus('current')
hpnicf_onu_update_by_type_onu_type = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 6, 3, 1, 2), octet_string().subtype(subtypeSpec=value_size_constraint(0, 15))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfOnuUpdateByTypeOnuType.setStatus('current')
hpnicf_onu_update_by_type_file_name = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 6, 3, 1, 3), octet_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfOnuUpdateByTypeFileName.setStatus('current')
hpnicf_onu_update_by_type_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 6, 3, 1, 4), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfOnuUpdateByTypeRowStatus.setStatus('current')
hpnicf_epon_error_info = mib_identifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 7))
hpnicf_epon_software_error_code = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 7, 1), integer32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hpnicfEponSoftwareErrorCode.setStatus('current')
hpnicf_oam_vendor_specific_alarm_code = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 7, 2), integer32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hpnicfOamVendorSpecificAlarmCode.setStatus('current')
hpnicf_epon_onu_reg_error_mac_addr = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 7, 3), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hpnicfEponOnuRegErrorMacAddr.setStatus('current')
hpnicf_oam_event_log_type = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 7, 4), unsigned32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hpnicfOamEventLogType.setStatus('current')
hpnicf_oam_event_log_location = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 7, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('local', 1), ('remote', 2)))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hpnicfOamEventLogLocation.setStatus('current')
hpnicf_epon_loopback_port_index = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 7, 6), integer32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hpnicfEponLoopbackPortIndex.setStatus('current')
hpnicf_epon_loopback_port_descr = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 7, 7), octet_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hpnicfEponLoopbackPortDescr.setStatus('current')
hpnicf_olt_port_alarm_llid_mis_frames = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 7, 8), unsigned32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hpnicfOltPortAlarmLlidMisFrames.setStatus('current')
hpnicf_olt_port_alarm_ber = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 7, 9), unsigned32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hpnicfOltPortAlarmBer.setStatus('current')
hpnicf_olt_port_alarm_fer = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 7, 10), unsigned32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hpnicfOltPortAlarmFer.setStatus('current')
hpnicf_epon_onu_reg_silent_mac = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 7, 11), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hpnicfEponOnuRegSilentMac.setStatus('current')
hpnicf_epon_operation_result = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 7, 12), octet_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hpnicfEponOperationResult.setStatus('current')
hpnicf_epon_onu_laser_state = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 7, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('normal', 1), ('laserAlwaysOn', 2), ('signalDegradation', 3), ('endOfLife', 4)))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hpnicfEponOnuLaserState.setStatus('current')
hpnicf_epon_trap = mib_identifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8))
hpnicf_epon_trap_prefix = mib_identifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0))
hpnicf_epon_port_alarm_ber_trap = notification_type((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 1)).setObjects(('IF-MIB', 'ifIndex'), ('IF-MIB', 'ifDescr'), ('HPN-ICF-EPON-MIB', 'hpnicfOltPortAlarmBerDirect'), ('HPN-ICF-EPON-MIB', 'hpnicfOltPortAlarmBer'), ('HPN-ICF-EPON-MIB', 'hpnicfOltPortAlarmBerThreshold'))
if mibBuilder.loadTexts:
hpnicfEponPortAlarmBerTrap.setStatus('current')
hpnicf_epon_port_alarm_fer_trap = notification_type((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 2)).setObjects(('IF-MIB', 'ifIndex'), ('IF-MIB', 'ifDescr'), ('HPN-ICF-EPON-MIB', 'hpnicfOltPortAlarmFerDirect'), ('HPN-ICF-EPON-MIB', 'hpnicfOltPortAlarmFer'), ('HPN-ICF-EPON-MIB', 'hpnicfOltPortAlarmFerThreshold'))
if mibBuilder.loadTexts:
hpnicfEponPortAlarmFerTrap.setStatus('current')
hpnicf_epon_error_llid_frame_trap = notification_type((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 3)).setObjects(('IF-MIB', 'ifIndex'), ('IF-MIB', 'ifDescr'), ('HPN-ICF-EPON-MIB', 'hpnicfOltPortAlarmLlidMisFrames'), ('HPN-ICF-EPON-MIB', 'hpnicfOltPortAlarmLlidMismatchThreshold'))
if mibBuilder.loadTexts:
hpnicfEponErrorLLIDFrameTrap.setStatus('current')
hpnicf_epon_loop_back_enable_trap = notification_type((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 4)).setObjects(('IF-MIB', 'ifIndex'), ('IF-MIB', 'ifDescr'), ('HPN-ICF-EPON-MIB', 'hpnicfEponLoopbackPortIndex'), ('HPN-ICF-EPON-MIB', 'hpnicfEponLoopbackPortDescr'))
if mibBuilder.loadTexts:
hpnicfEponLoopBackEnableTrap.setStatus('current')
hpnicf_epon_onu_registration_err_trap = notification_type((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 5)).setObjects(('IF-MIB', 'ifIndex'), ('IF-MIB', 'ifDescr'), ('HPN-ICF-EPON-MIB', 'hpnicfEponOnuRegErrorMacAddr'))
if mibBuilder.loadTexts:
hpnicfEponOnuRegistrationErrTrap.setStatus('current')
hpnicf_epon_oam_disconnection_trap = notification_type((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 6)).setObjects(('IF-MIB', 'ifIndex'), ('IF-MIB', 'ifDescr'))
if mibBuilder.loadTexts:
hpnicfEponOamDisconnectionTrap.setStatus('current')
hpnicf_epon_encryption_key_err_trap = notification_type((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 7)).setObjects(('IF-MIB', 'ifIndex'), ('IF-MIB', 'ifDescr'))
if mibBuilder.loadTexts:
hpnicfEponEncryptionKeyErrTrap.setStatus('current')
hpnicf_epon_remote_stable_trap = notification_type((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 8)).setObjects(('IF-MIB', 'ifIndex'), ('IF-MIB', 'ifDescr'))
if mibBuilder.loadTexts:
hpnicfEponRemoteStableTrap.setStatus('current')
hpnicf_epon_local_stable_trap = notification_type((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 9)).setObjects(('IF-MIB', 'ifIndex'), ('IF-MIB', 'ifDescr'))
if mibBuilder.loadTexts:
hpnicfEponLocalStableTrap.setStatus('current')
hpnicf_epon_oam_vendor_specific_trap = notification_type((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 10)).setObjects(('IF-MIB', 'ifIndex'), ('IF-MIB', 'ifDescr'), ('HPN-ICF-EPON-MIB', 'hpnicfOamVendorSpecificAlarmCode'))
if mibBuilder.loadTexts:
hpnicfEponOamVendorSpecificTrap.setStatus('current')
hpnicf_epon_software_err_trap = notification_type((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 11)).setObjects(('HPN-ICF-LSW-DEV-ADM-MIB', 'hpnicfLswFrameIndex'), ('HPN-ICF-LSW-DEV-ADM-MIB', 'hpnicfLswSlotIndex'), ('HPN-ICF-EPON-MIB', 'hpnicfEponSoftwareErrorCode'))
if mibBuilder.loadTexts:
hpnicfEponSoftwareErrTrap.setStatus('current')
hpnicf_epon_port_alarm_ber_recover_trap = notification_type((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 12)).setObjects(('IF-MIB', 'ifIndex'), ('IF-MIB', 'ifDescr'), ('HPN-ICF-EPON-MIB', 'hpnicfOltPortAlarmBerDirect'))
if mibBuilder.loadTexts:
hpnicfEponPortAlarmBerRecoverTrap.setStatus('current')
hpnicf_epon_port_alarm_fer_recover_trap = notification_type((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 13)).setObjects(('IF-MIB', 'ifIndex'), ('IF-MIB', 'ifDescr'), ('HPN-ICF-EPON-MIB', 'hpnicfOltPortAlarmFerDirect'))
if mibBuilder.loadTexts:
hpnicfEponPortAlarmFerRecoverTrap.setStatus('current')
hpnicf_epon_error_llid_frame_recover_trap = notification_type((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 14)).setObjects(('IF-MIB', 'ifIndex'), ('IF-MIB', 'ifDescr'))
if mibBuilder.loadTexts:
hpnicfEponErrorLLIDFrameRecoverTrap.setStatus('current')
hpnicf_epon_loop_back_enable_recover_trap = notification_type((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 15)).setObjects(('IF-MIB', 'ifIndex'), ('IF-MIB', 'ifDescr'))
if mibBuilder.loadTexts:
hpnicfEponLoopBackEnableRecoverTrap.setStatus('current')
hpnicf_epon_onu_registration_err_recover_trap = notification_type((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 16)).setObjects(('IF-MIB', 'ifIndex'), ('IF-MIB', 'ifDescr'), ('HPN-ICF-EPON-MIB', 'hpnicfEponOnuRegErrorMacAddr'))
if mibBuilder.loadTexts:
hpnicfEponOnuRegistrationErrRecoverTrap.setStatus('current')
hpnicf_epon_oam_disconnection_recover_trap = notification_type((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 17)).setObjects(('IF-MIB', 'ifIndex'), ('IF-MIB', 'ifDescr'))
if mibBuilder.loadTexts:
hpnicfEponOamDisconnectionRecoverTrap.setStatus('current')
hpnicf_epon_encryption_key_err_recover_trap = notification_type((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 18)).setObjects(('IF-MIB', 'ifIndex'), ('IF-MIB', 'ifDescr'))
if mibBuilder.loadTexts:
hpnicfEponEncryptionKeyErrRecoverTrap.setStatus('current')
hpnicf_epon_remote_stable_recover_trap = notification_type((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 19)).setObjects(('IF-MIB', 'ifIndex'), ('IF-MIB', 'ifDescr'))
if mibBuilder.loadTexts:
hpnicfEponRemoteStableRecoverTrap.setStatus('current')
hpnicf_epon_local_stable_recover_trap = notification_type((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 20)).setObjects(('IF-MIB', 'ifIndex'), ('IF-MIB', 'ifDescr'))
if mibBuilder.loadTexts:
hpnicfEponLocalStableRecoverTrap.setStatus('current')
hpnicf_epon_oam_vendor_specific_recover_trap = notification_type((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 21)).setObjects(('IF-MIB', 'ifIndex'), ('IF-MIB', 'ifDescr'), ('HPN-ICF-EPON-MIB', 'hpnicfOamVendorSpecificAlarmCode'))
if mibBuilder.loadTexts:
hpnicfEponOamVendorSpecificRecoverTrap.setStatus('current')
hpnicf_epon_software_err_recover_trap = notification_type((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 22)).setObjects(('HPN-ICF-LSW-DEV-ADM-MIB', 'hpnicfLswFrameIndex'), ('HPN-ICF-LSW-DEV-ADM-MIB', 'hpnicfLswSlotIndex'), ('HPN-ICF-EPON-MIB', 'hpnicfEponSoftwareErrorCode'))
if mibBuilder.loadTexts:
hpnicfEponSoftwareErrRecoverTrap.setStatus('current')
hpnicf_dot3_oam_threshold_recover_event = notification_type((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 23)).setObjects(('IF-MIB', 'ifIndex'), ('HPN-ICF-EPON-MIB', 'hpnicfOamEventLogType'), ('HPN-ICF-EPON-MIB', 'hpnicfOamEventLogLocation'))
if mibBuilder.loadTexts:
hpnicfDot3OamThresholdRecoverEvent.setStatus('current')
hpnicf_dot3_oam_non_threshold_recover_event = notification_type((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 24)).setObjects(('IF-MIB', 'ifIndex'), ('HPN-ICF-EPON-MIB', 'hpnicfOamEventLogType'), ('HPN-ICF-EPON-MIB', 'hpnicfOamEventLogLocation'))
if mibBuilder.loadTexts:
hpnicfDot3OamNonThresholdRecoverEvent.setStatus('current')
hpnicf_epon_onu_reg_excess_trap = notification_type((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 25)).setObjects(('IF-MIB', 'ifIndex'), ('IF-MIB', 'ifDescr'))
if mibBuilder.loadTexts:
hpnicfEponOnuRegExcessTrap.setStatus('current')
hpnicf_epon_onu_reg_excess_recover_trap = notification_type((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 26)).setObjects(('IF-MIB', 'ifIndex'), ('IF-MIB', 'ifDescr'))
if mibBuilder.loadTexts:
hpnicfEponOnuRegExcessRecoverTrap.setStatus('current')
hpnicf_epon_onu_power_off_trap = notification_type((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 27)).setObjects(('IF-MIB', 'ifIndex'), ('IF-MIB', 'ifDescr'))
if mibBuilder.loadTexts:
hpnicfEponOnuPowerOffTrap.setStatus('current')
hpnicf_epon_olt_switchover_trap = notification_type((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 28)).setObjects(('IF-MIB', 'ifIndex'), ('IF-MIB', 'ifDescr'))
if mibBuilder.loadTexts:
hpnicfEponOltSwitchoverTrap.setStatus('current')
hpnicf_epon_olt_dfe_trap = notification_type((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 29)).setObjects(('IF-MIB', 'ifIndex'), ('IF-MIB', 'ifDescr'))
if mibBuilder.loadTexts:
hpnicfEponOltDFETrap.setStatus('current')
hpnicf_epon_olt_dfe_recover_trap = notification_type((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 30)).setObjects(('IF-MIB', 'ifIndex'), ('IF-MIB', 'ifDescr'))
if mibBuilder.loadTexts:
hpnicfEponOltDFERecoverTrap.setStatus('current')
hpnicf_epon_onu_silence_trap = notification_type((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 31)).setObjects(('IF-MIB', 'ifIndex'), ('IF-MIB', 'ifDescr'), ('HPN-ICF-EPON-MIB', 'hpnicfEponOnuRegSilentMac'))
if mibBuilder.loadTexts:
hpnicfEponOnuSilenceTrap.setStatus('current')
hpnicf_epon_onu_silence_recover_trap = notification_type((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 32)).setObjects(('IF-MIB', 'ifIndex'), ('IF-MIB', 'ifDescr'), ('HPN-ICF-EPON-MIB', 'hpnicfEponOnuRegSilentMac'))
if mibBuilder.loadTexts:
hpnicfEponOnuSilenceRecoverTrap.setStatus('current')
hpnicf_epon_onu_update_result_trap = notification_type((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 33)).setObjects(('IF-MIB', 'ifIndex'), ('IF-MIB', 'ifDescr'), ('HPN-ICF-EPON-MIB', 'hpnicfOnuBindMacAddress'), ('HPN-ICF-EPON-MIB', 'hpnicfOnuUpdateResult'), ('HPN-ICF-EPON-MIB', 'hpnicfOnuRegType'), ('HPN-ICF-EPON-MIB', 'hpnicfOnuUpdateFileName'))
if mibBuilder.loadTexts:
hpnicfEponOnuUpdateResultTrap.setStatus('current')
hpnicf_epon_onu_auto_bind_trap = notification_type((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 34)).setObjects(('IF-MIB', 'ifIndex'), ('IF-MIB', 'ifDescr'), ('HPN-ICF-EPON-MIB', 'hpnicfOnuBindMacAddress'), ('HPN-ICF-EPON-MIB', 'hpnicfEponOperationResult'))
if mibBuilder.loadTexts:
hpnicfEponOnuAutoBindTrap.setStatus('current')
hpnicf_epon_onu_port_stp_state_trap = notification_type((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 35)).setObjects(('IF-MIB', 'ifIndex'), ('IF-MIB', 'ifDescr'), ('HPN-ICF-EPON-MIB', 'hpnicfEponStpPortIndex'), ('HPN-ICF-EPON-MIB', 'hpnicfEponStpPortDescr'), ('HPN-ICF-EPON-MIB', 'hpnicfEponStpPortState'))
if mibBuilder.loadTexts:
hpnicfEponOnuPortStpStateTrap.setStatus('current')
hpnicf_epon_onu_laser_failed_trap = notification_type((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 36)).setObjects(('IF-MIB', 'ifIndex'), ('IF-MIB', 'ifDescr'), ('HPN-ICF-EPON-MIB', 'hpnicfEponOnuLaserState'))
if mibBuilder.loadTexts:
hpnicfEponOnuLaserFailedTrap.setStatus('current')
hpnicf_onu_smlk_switchover_trap = notification_type((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 8, 0, 37)).setObjects(('IF-MIB', 'ifIndex'), ('IF-MIB', 'ifDescr'), ('HPN-ICF-EPON-MIB', 'hpnicfOnuSmlkGroupID'), ('HPN-ICF-EPON-MIB', 'hpnicfOnuSmlkFirstPonStatus'), ('HPN-ICF-EPON-MIB', 'hpnicfOnuSmlkSecondPonStatus'))
if mibBuilder.loadTexts:
hpnicfOnuSmlkSwitchoverTrap.setStatus('current')
hpnicf_epon_stat = mib_identifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 9))
hpnicf_epon_stat_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 9, 1))
if mibBuilder.loadTexts:
hpnicfEponStatTable.setStatus('current')
hpnicf_epon_stat_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 9, 1, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'))
if mibBuilder.loadTexts:
hpnicfEponStatEntry.setStatus('current')
hpnicf_epon_stat_fer = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 9, 1, 1, 1), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfEponStatFER.setStatus('current')
hpnicf_epon_stat_ber = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 42, 1, 9, 1, 1, 2), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfEponStatBER.setStatus('current')
mibBuilder.exportSymbols('HPN-ICF-EPON-MIB', hpnicfEponBatchOperationByOLTEntry=hpnicfEponBatchOperationByOLTEntry, hpnicfEponStatBER=hpnicfEponStatBER, hpnicfOnuQueueBandwidthTable=hpnicfOnuQueueBandwidthTable, hpnicfOnuPhysicalTable=hpnicfOnuPhysicalTable, hpnicfOltPortAlarmBer=hpnicfOltPortAlarmBer, hpnicfEponBatchOperationBySlotIndex=hpnicfEponBatchOperationBySlotIndex, hpnicfEponLocalStableRecoverTrap=hpnicfEponLocalStableRecoverTrap, hpnicfOnuRS485SerialIndex=hpnicfOnuRS485SerialIndex, hpnicfOnuRS485TXErrOctets=hpnicfOnuRS485TXErrOctets, hpnicfEponMonitorCycle=hpnicfEponMonitorCycle, hpnicfOnuSlaMinBandWidthMinVal=hpnicfOnuSlaMinBandWidthMinVal, hpnicfEponOuiEntry=hpnicfEponOuiEntry, hpnicfOltAgcCdrTime=hpnicfOltAgcCdrTime, hpnicfOamEventLogType=hpnicfOamEventLogType, hpnicfEponTrap=hpnicfEponTrap, hpnicfOltDbaDiscovryFrequencyMinVal=hpnicfOltDbaDiscovryFrequencyMinVal, hpnicfEponOnuMan=hpnicfEponOnuMan, hpnicfEponOnuRegSilentMac=hpnicfEponOnuRegSilentMac, hpnicfEponOnuLaserState=hpnicfEponOnuLaserState, hpnicfOnuIgmpSnoopingHostAgingT=hpnicfOnuIgmpSnoopingHostAgingT, hpnicfOnuDbaReportTable=hpnicfOnuDbaReportTable, hpnicfOnuUpdateByTypeRowStatus=hpnicfOnuUpdateByTypeRowStatus, hpnicfEponAutoUpdateSchedStatus=hpnicfEponAutoUpdateSchedStatus, hpnicfEponEncryptionKeyErrTrap=hpnicfEponEncryptionKeyErrTrap, hpnicfEponAutoUpdateFileName=hpnicfEponAutoUpdateFileName, hpnicfOnuUniMacType=hpnicfOnuUniMacType, hpnicfOnuSlaMaxBandWidthMinVal=hpnicfOnuSlaMaxBandWidthMinVal, hpnicfEponMsgLoseNumMinVal=hpnicfEponMsgLoseNumMinVal, hpnicfOltPortAlarmRemoteStableEnabled=hpnicfOltPortAlarmRemoteStableEnabled, hpnicfOnuCountTable=hpnicfOnuCountTable, hpnicfOnuIgmpSnoopingAggLeaveS=hpnicfOnuIgmpSnoopingAggLeaveS, hpnicfEponPortAlarmBerRecoverTrap=hpnicfEponPortAlarmBerRecoverTrap, hpnicfOnuRS485RXErrOctets=hpnicfOnuRS485RXErrOctets, hpnicfEponSysHasEPONBoard=hpnicfEponSysHasEPONBoard, hpnicfEponMulticastAddressList=hpnicfEponMulticastAddressList, hpnicfOltLaserOnTime=hpnicfOltLaserOnTime, hpnicfOnuFirstPonMac=hpnicfOnuFirstPonMac, hpnicfOnuRS485RXOctets=hpnicfOnuRS485RXOctets, hpnicfOnuRS485TXOctets=hpnicfOnuRS485TXOctets, hpnicfEponOnuRegErrorMacAddr=hpnicfEponOnuRegErrorMacAddr, hpnicfEponMonitorCycleMaxVal=hpnicfEponMonitorCycleMaxVal, hpnicfOnuCosToLocalPrecedenceValue=hpnicfOnuCosToLocalPrecedenceValue, hpnicfOnuDot1xAccount=hpnicfOnuDot1xAccount, hpnicfOltPortAlarmFer=hpnicfOltPortAlarmFer, hpnicfOnuSmlkSecondPonRole=hpnicfOnuSmlkSecondPonRole, hpnicfEponLoopbackPortDescr=hpnicfEponLoopbackPortDescr, hpnicfOnuRS485SessionRowStatus=hpnicfOnuRS485SessionRowStatus, hpnicfOltPortAlarmThresholdEntry=hpnicfOltPortAlarmThresholdEntry, hpnicfOnuSmlkSecondPonStatus=hpnicfOnuSmlkSecondPonStatus, hpnicfOltPortAlarmFerThreshold=hpnicfOltPortAlarmFerThreshold, hpnicfOnuLinkTestResultSentFrameNum=hpnicfOnuLinkTestResultSentFrameNum, hpnicfOltOpticalPowerTx=hpnicfOltOpticalPowerTx, hpnicfOnuP2PMaxBurstSize=hpnicfOnuP2PMaxBurstSize, hpnicfOltPortAlarmVendorSpecificEnabled=hpnicfOltPortAlarmVendorSpecificEnabled, hpnicfOnuBindMacAddress=hpnicfOnuBindMacAddress, hpnicfOltHardMajorVersion=hpnicfOltHardMajorVersion, hpnicfEponBatchOperationBySlotType=hpnicfEponBatchOperationBySlotType, hpnicfOnuRegType=hpnicfOnuRegType, hpnicfOnuSmlkFirstPonRole=hpnicfOnuSmlkFirstPonRole, hpnicfOnuDbaReportEntry=hpnicfOnuDbaReportEntry, hpnicfEponOnuPowerOffTrap=hpnicfEponOnuPowerOffTrap, hpnicfOnuLinkTestFrameNumMinVal=hpnicfOnuLinkTestFrameNumMinVal, hpnicfOnuPriorityQueueEntry=hpnicfOnuPriorityQueueEntry, hpnicfOnuChipSetInfoTable=hpnicfOnuChipSetInfoTable, hpnicfEponSlotIndex=hpnicfEponSlotIndex, hpnicfOnuSoftwareVersion=hpnicfOnuSoftwareVersion, hpnicfOnuCountEntry=hpnicfOnuCountEntry, hpnicfOnuMacAddress=hpnicfOnuMacAddress, hpnicfOnuMacIndex=hpnicfOnuMacIndex, hpnicfOnuQueueDirection=hpnicfOnuQueueDirection, hpnicfOnuQueueMaxBandwidth=hpnicfOnuQueueMaxBandwidth, hpnicfOnuFecStatus=hpnicfOnuFecStatus, hpnicfOltPortAlarmRegExcessEnabled=hpnicfOltPortAlarmRegExcessEnabled, hpnicfOnuSmlkSwitchoverTrap=hpnicfOnuSmlkSwitchoverTrap, hpnicfOamEventLogLocation=hpnicfOamEventLogLocation, hpnicfOnuRS485StopBits=hpnicfOnuRS485StopBits, hpnicfOamVendorSpecificAlarmCode=hpnicfOamVendorSpecificAlarmCode, hpnicfEponStatEntry=hpnicfEponStatEntry, hpnicfEponAutoAuthorize=hpnicfEponAutoAuthorize, hpnicfEponOnuTypeManTable=hpnicfEponOnuTypeManTable, hpnicfOnuRS485SessionErrInfoTable=hpnicfOnuRS485SessionErrInfoTable, hpnicfOnuBandWidthTable=hpnicfOnuBandWidthTable, hpnicfEponSysScalarGroup=hpnicfEponSysScalarGroup, hpnicfOltAgcLockTime=hpnicfOltAgcLockTime, hpnicfOltUsingOnuEntry=hpnicfOltUsingOnuEntry, hpnicfOnuP2PShortFrameFirst=hpnicfOnuP2PShortFrameFirst, hpnicfOltDbaDiscoveryLengthMinVal=hpnicfOltDbaDiscoveryLengthMinVal, hpnicfOnuPCBVersion=hpnicfOnuPCBVersion, hpnicfOnuLinkTestVlanPriority=hpnicfOnuLinkTestVlanPriority, hpnicfOnuUpdateByOnuTypeIndex=hpnicfOnuUpdateByOnuTypeIndex, hpnicfEponOnuUpdateResultTrap=hpnicfEponOnuUpdateResultTrap, hpnicfOltPortAlarmLlidMisMinVal=hpnicfOltPortAlarmLlidMisMinVal, hpnicfEponEncryptionUpdateTime=hpnicfEponEncryptionUpdateTime, hpnicfOnuQueueScheduler=hpnicfOnuQueueScheduler, hpnicfEponOltDFERecoverTrap=hpnicfEponOltDFERecoverTrap, hpnicfOnuBandWidthEntry=hpnicfOnuBandWidthEntry, hpnicfEponStpPortDescr=hpnicfEponStpPortDescr, hpnicfOnuSilentTable=hpnicfOnuSilentTable, hpnicfEponBatchOperationMan=hpnicfEponBatchOperationMan, hpnicfOnuSilentMacAddr=hpnicfOnuSilentMacAddr, hpnicfOnuChipSetModel=hpnicfOnuChipSetModel, hpnicfOltPortAlarmBerDirect=hpnicfOltPortAlarmBerDirect, hpnicfEponSysManTable=hpnicfEponSysManTable, hpnicfOltSelfTestResult=hpnicfOltSelfTestResult, hpnicfEponLoopBackEnableTrap=hpnicfEponLoopBackEnableTrap, hpnicfEponAutoBindStatus=hpnicfEponAutoBindStatus, hpnicfOnuSmlkTable=hpnicfOnuSmlkTable, hpnicfOnuDhcpsnoopingOption82=hpnicfOnuDhcpsnoopingOption82, hpnicfEponMulticastVlanId=hpnicfEponMulticastVlanId, hpnicfEponOamDisconnectionRecoverTrap=hpnicfEponOamDisconnectionRecoverTrap, hpnicfEponPortLoopBackAlmEnable=hpnicfEponPortLoopBackAlmEnable, hpnicfOltPortAlarmBerMaxVal=hpnicfOltPortAlarmBerMaxVal, hpnicfOnuRS485SessionMaxNum=hpnicfOnuRS485SessionMaxNum, hpnicfEponMsgTimeOutMaxVal=hpnicfEponMsgTimeOutMaxVal, hpnicfOnuSlaManEntry=hpnicfOnuSlaManEntry, hpnicfOnuBindMacAddrEntry=hpnicfOnuBindMacAddrEntry, hpnicfEponOltMan=hpnicfEponOltMan, hpnicfOnuRS485SessionSummaryEntry=hpnicfOnuRS485SessionSummaryEntry, hpnicfEponMibObjects=hpnicfEponMibObjects, hpnicfOnuP2PHighPriorityFirst=hpnicfOnuP2PHighPriorityFirst, hpnicfOnuBindType=hpnicfOnuBindType, hpnicfEponMsgTimeOutMinVal=hpnicfEponMsgTimeOutMinVal, hpnicfEponBatchOperationByOLTTable=hpnicfEponBatchOperationByOLTTable, hpnicfEponStat=hpnicfEponStat, hpnicfOnuBatteryBackup=hpnicfOnuBatteryBackup, hpnicfEponOltSoftwareErrAlmEnable=hpnicfEponOltSoftwareErrAlmEnable, hpnicfOnuDhcpsnooping=hpnicfOnuDhcpsnooping, hpnicfOnuManageVlanIntfS=hpnicfOnuManageVlanIntfS, hpnicfEponOnuPortStpStateTrap=hpnicfEponOnuPortStpStateTrap, hpnicfOnuSlaMaxBandWidth=hpnicfOnuSlaMaxBandWidth, hpnicfOltPortAlarmBerEnabled=hpnicfOltPortAlarmBerEnabled, hpnicfEponOamDiscoveryTimeout=hpnicfEponOamDiscoveryTimeout, hpnicfEponOnuRegExcessRecoverTrap=hpnicfEponOnuRegExcessRecoverTrap, hpnicfEponOnuTypeManEntry=hpnicfEponOnuTypeManEntry, hpnicfOnuQueueMaxBurstsize=hpnicfOnuQueueMaxBurstsize, hpnicfOltDbaCycleLengthMaxVal=hpnicfOltDbaCycleLengthMaxVal, hpnicfOnuDownstreamQueueNumber=hpnicfOnuDownstreamQueueNumber, hpnicfOnuRS485SessionType=hpnicfOnuRS485SessionType, hpnicfDot3OamThresholdRecoverEvent=hpnicfDot3OamThresholdRecoverEvent, hpnicfEponOnuRegExcessTrap=hpnicfEponOnuRegExcessTrap, hpnicfOnuHostType=hpnicfOnuHostType, hpnicfOnuLlid=hpnicfOnuLlid, hpnicfOnuInfoEntry=hpnicfOnuInfoEntry, hpnicfOnuManageVID=hpnicfOnuManageVID, hpnicfOltPortAlarmOamDisconnectionEnabled=hpnicfOltPortAlarmOamDisconnectionEnabled, hpnicfOnuRS485SessionSummaryTable=hpnicfOnuRS485SessionSummaryTable, hpnicfOnuRS485SessionAddType=hpnicfOnuRS485SessionAddType, hpnicfOltDbaCycleLengthMinVal=hpnicfOltDbaCycleLengthMinVal, hpnicfOnuGEPortNumber=hpnicfOnuGEPortNumber, hpnicfOltPortAlarmLlidMisMaxVal=hpnicfOltPortAlarmLlidMisMaxVal, hpnicfOnuDownStreamShortFrameFirst=hpnicfOnuDownStreamShortFrameFirst, hpnicfOnuPppoe=hpnicfOnuPppoe, hpnicfOltPortAlarmBerMinVal=hpnicfOltPortAlarmBerMinVal, hpnicfEponRemoteStableTrap=hpnicfEponRemoteStableTrap, hpnicfOnuUpdate=hpnicfOnuUpdate, hpnicfEponTrapPrefix=hpnicfEponTrapPrefix, hpnicfEponErrorLLIDFrameRecoverTrap=hpnicfEponErrorLLIDFrameRecoverTrap, hpnicfOltDbaDiscoveryLengthMaxVal=hpnicfOltDbaDiscoveryLengthMaxVal, hpnicfEponAutoUpdateSchedTime=hpnicfEponAutoUpdateSchedTime, hpnicfOnuDownStreamMaxBandWidth=hpnicfOnuDownStreamMaxBandWidth, hpnicfEponOamDisconnectionTrap=hpnicfEponOamDisconnectionTrap, hpnicfOnuQueueBandwidthEntry=hpnicfOnuQueueBandwidthEntry, hpnicfOnuP2PMaxBandWidth=hpnicfOnuP2PMaxBandWidth, hpnicfOltMacAddress=hpnicfOltMacAddress, hpnicfOltUsingOnuTable=hpnicfOltUsingOnuTable, hpnicfOnuRS485DataBits=hpnicfOnuRS485DataBits, hpnicfOnuMaxUpstreamQueuePerPort=hpnicfOnuMaxUpstreamQueuePerPort, hpnicfOltPortAlarmLlidMismatchThreshold=hpnicfOltPortAlarmLlidMismatchThreshold, hpnicfOltDbaEnabledType=hpnicfOltDbaEnabledType, hpnicfOnuSlaFixedPacketSize=hpnicfOnuSlaFixedPacketSize, hpnicfOnuRS485SessionLocalPort=hpnicfOnuRS485SessionLocalPort, hpnicfEponMonitorCycleMinVal=hpnicfEponMonitorCycleMinVal, hpnicfOltPortAlarmLlidMismatchEnabled=hpnicfOltPortAlarmLlidMismatchEnabled, hpnicfEponEncryptionKeyErrRecoverTrap=hpnicfEponEncryptionKeyErrRecoverTrap, hpnicfOnuHardMinorVersion=hpnicfOnuHardMinorVersion, hpnicfOnuChipSetVendorId=hpnicfOnuChipSetVendorId, hpnicfOnuFEPortNumber=hpnicfOnuFEPortNumber, hpnicfOnuLinkTestFrameSize=hpnicfOnuLinkTestFrameSize, hpnicfEponPortAlarmFerTrap=hpnicfEponPortAlarmFerTrap, hpnicfOnuWorkMode=hpnicfOnuWorkMode, hpnicfOnuLinkTestResultMinDelay=hpnicfOnuLinkTestResultMinDelay, hpnicfEponDbaUpdateFileName=hpnicfEponDbaUpdateFileName, hpnicfOnuMcastCtrlHostAgingTime=hpnicfOnuMcastCtrlHostAgingTime, hpnicfOnuEncryptKey=hpnicfOnuEncryptKey, hpnicfOnuSlaMinBandWidthMaxVal=hpnicfOnuSlaMinBandWidthMaxVal, hpnicfOnuFirmwareUpdateByTypeTable=hpnicfOnuFirmwareUpdateByTypeTable, hpnicfEponOnuRegistrationErrTrap=hpnicfEponOnuRegistrationErrTrap, hpnicfOltPortAlarmFerMaxVal=hpnicfOltPortAlarmFerMaxVal, hpnicfEponBatchOperationBySlotResult=hpnicfEponBatchOperationBySlotResult, hpnicfOnuHardMajorVersion=hpnicfOnuHardMajorVersion, hpnicfOnuDownStreamHighPriorityFirst=hpnicfOnuDownStreamHighPriorityFirst, hpnicfOltDbaDiscoveryLength=hpnicfOltDbaDiscoveryLength, hpnicfOltDbaDiscovryFrequency=hpnicfOltDbaDiscovryFrequency, hpnicfEponMulticastControlTable=hpnicfEponMulticastControlTable, hpnicfOnuSlaMinBandWidth=hpnicfOnuSlaMinBandWidth, hpnicfEponStpPortState=hpnicfEponStpPortState, hpnicfOltHardMinorVersion=hpnicfOltHardMinorVersion, hpnicfOnuSlaFixedBandWidth=hpnicfOnuSlaFixedBandWidth, hpnicfOltDbaCycleLength=hpnicfOltDbaCycleLength, hpnicfEponOamVersion=hpnicfEponOamVersion, hpnicfEponAutomaticMode=hpnicfEponAutomaticMode, hpnicfOnuAccessVlan=hpnicfOnuAccessVlan, hpnicfEponBatchOperationByOLTType=hpnicfEponBatchOperationByOLTType, hpnicfEponMsgLoseNum=hpnicfEponMsgLoseNum, hpnicfOnuGrantFifoDep=hpnicfOnuGrantFifoDep, hpnicfOnuSilentEntry=hpnicfOnuSilentEntry, hpnicfOnuSlaMaxBandWidthMaxVal=hpnicfOnuSlaMaxBandWidthMaxVal, hpnicfEponOnuRegistrationErrRecoverTrap=hpnicfEponOnuRegistrationErrRecoverTrap, hpnicfOltDbaUpdateResult=hpnicfOltDbaUpdateResult, hpnicfOnuFirmwareUpdateEntry=hpnicfOnuFirmwareUpdateEntry, hpnicfOnuIpAddressEntry=hpnicfOnuIpAddressEntry, hpnicfEponOnuTypeDescr=hpnicfEponOnuTypeDescr, hpnicfOnuP2PBandWidthPolicy=hpnicfOnuP2PBandWidthPolicy, hpnicfOltLaserOnTimeMaxVal=hpnicfOltLaserOnTimeMaxVal, hpnicfEponLoopBackEnableRecoverTrap=hpnicfEponLoopBackEnableRecoverTrap, hpnicfOnuRS485FlowControl=hpnicfOnuRS485FlowControl, hpnicfEponOnuAutoBindTrap=hpnicfEponOnuAutoBindTrap, hpnicfOnuBindMacAddrTable=hpnicfOnuBindMacAddrTable, hpnicfEponMonitorCycleEnable=hpnicfEponMonitorCycleEnable, hpnicfOnuEncryptMan=hpnicfOnuEncryptMan, hpnicfEponOuiRowStatus=hpnicfEponOuiRowStatus, hpnicfOnuPOTSPortNumber=hpnicfOnuPOTSPortNumber, hpnicfOnuDownStreamBandWidthPolicy=hpnicfOnuDownStreamBandWidthPolicy, hpnicfOnuFirmwareVersion=hpnicfOnuFirmwareVersion, hpnicfOnuRS485SessionErrInfoEntry=hpnicfOnuRS485SessionErrInfoEntry, hpnicfOnuRS485SessionErrInfo=hpnicfOnuRS485SessionErrInfo, hpnicfOnuQueueSize=hpnicfOnuQueueSize, hpnicfOnuSmlkGroupID=hpnicfOnuSmlkGroupID, hpnicfOnuRS485SessionEntry=hpnicfOnuRS485SessionEntry, hpnicfOnuMacAddrInfoEntry=hpnicfOnuMacAddrInfoEntry, hpnicfOnuLinkTestResultRetFrameNum=hpnicfOnuLinkTestResultRetFrameNum, hpnicfOnuSlaPriorityClass=hpnicfOnuSlaPriorityClass, hpnicfEponOuiIndex=hpnicfEponOuiIndex, hpnicfOltPortAlarmFerDirect=hpnicfOltPortAlarmFerDirect, hpnicfOnuPacketManEntry=hpnicfOnuPacketManEntry, hpnicfOnuChipSetRevision=hpnicfOnuChipSetRevision, hpnicfOnuInfoTable=hpnicfOnuInfoTable, hpnicfOnuRS485SessionRemotePort=hpnicfOnuRS485SessionRemotePort, hpnicfOnuFirstPonRegState=hpnicfOnuFirstPonRegState, hpnicfOnuProtocolEntry=hpnicfOnuProtocolEntry, hpnicfOnuLinkTestResultMeanDelay=hpnicfOnuLinkTestResultMeanDelay, hpnicfOnuIgmpSnoopingStatus=hpnicfOnuIgmpSnoopingStatus, hpnicfOnuPriorityQueueBandwidthMinVal=hpnicfOnuPriorityQueueBandwidthMinVal, hpnicfOltFirmMinorVersion=hpnicfOltFirmMinorVersion, hpnicfOltInfoTable=hpnicfOltInfoTable, hpnicfOltPortAlarmBerThreshold=hpnicfOltPortAlarmBerThreshold, hpnicfEponErrorLLIDFrameTrap=hpnicfEponErrorLLIDFrameTrap, hpnicfOltMaxRtt=hpnicfOltMaxRtt, hpnicfOltPortAlarmThresholdTable=hpnicfOltPortAlarmThresholdTable, hpnicfOnuCosToLocalPrecedenceEntry=hpnicfOnuCosToLocalPrecedenceEntry, hpnicfOnuIgmpSnoopingAggReportS=hpnicfOnuIgmpSnoopingAggReportS, hpnicfOnuPriorityTrust=hpnicfOnuPriorityTrust, hpnicfOnuEEPROMVersion=hpnicfOnuEEPROMVersion, hpnicfOnuPriorityQueueBurstsizeMaxVal=hpnicfOnuPriorityQueueBurstsizeMaxVal)
mibBuilder.exportSymbols('HPN-ICF-EPON-MIB', hpnicfOltPortAlarmLlidMisFrames=hpnicfOltPortAlarmLlidMisFrames, hpnicfEponSoftwareErrTrap=hpnicfEponSoftwareErrTrap, hpnicfOnuUpstreamQueueNumber=hpnicfOnuUpstreamQueueNumber, hpnicfOnuFirmwareUpdateTable=hpnicfOnuFirmwareUpdateTable, hpnicfOnuChipSetDesignDate=hpnicfOnuChipSetDesignDate, hpnicfEponOnuSilenceRecoverTrap=hpnicfEponOnuSilenceRecoverTrap, hpnicfOltEnableDiscardPacket=hpnicfOltEnableDiscardPacket, hpnicfOnuCosToLocalPrecedenceTable=hpnicfOnuCosToLocalPrecedenceTable, hpnicfOnuMaxDownstreamQueuePerPort=hpnicfOnuMaxDownstreamQueuePerPort, hpnicfEponAutoUpdateSchedType=hpnicfEponAutoUpdateSchedType, hpnicfEponOnuTypeIndex=hpnicfEponOnuTypeIndex, hpnicfEponOuiIndexNext=hpnicfEponOuiIndexNext, hpnicfOnuSilentTime=hpnicfOnuSilentTime, hpnicfOnuSlaBandWidthStepVal=hpnicfOnuSlaBandWidthStepVal, hpnicfOnuLinkTestResultRetErrFrameNum=hpnicfOnuLinkTestResultRetErrFrameNum, hpnicfOnuMacAddrFlag=hpnicfOnuMacAddrFlag, hpnicfOnuRS485PropertiesEntry=hpnicfOnuRS485PropertiesEntry, hpnicfOnuIpAddressTable=hpnicfOnuIpAddressTable, hpnicfOltWorkMode=hpnicfOltWorkMode, hpnicfEponSoftwareErrorCode=hpnicfEponSoftwareErrorCode, hpnicfEponMsgTimeOut=hpnicfEponMsgTimeOut, hpnicfEponOuiTable=hpnicfEponOuiTable, hpnicfOltPortAlarmFerEnabled=hpnicfOltPortAlarmFerEnabled, hpnicfOnuRtt=hpnicfOnuRtt, hpnicfEponOltDFETrap=hpnicfEponOltDFETrap, hpnicfOnuIpAddressGateway=hpnicfOnuIpAddressGateway, hpnicfEponOperationResult=hpnicfEponOperationResult, hpnicfOnuLinkTestVlanTag=hpnicfOnuLinkTestVlanTag, hpnicfOnuMCtrlFastLeaveSupported=hpnicfOnuMCtrlFastLeaveSupported, hpnicfOnuServiceSupported=hpnicfOnuServiceSupported, hpnicfOnuDhcpallocate=hpnicfOnuDhcpallocate, hpnicfOnuPriorityQueueTable=hpnicfOnuPriorityQueueTable, hpnicfEponLoopbackPortIndex=hpnicfEponLoopbackPortIndex, hpnicfEponMulticastControlEntry=hpnicfEponMulticastControlEntry, hpnicfOnuBridgeMac=hpnicfOnuBridgeMac, hpnicfOnuIpAddressMask=hpnicfOnuIpAddressMask, hpnicfOnuPriorityQueueBurstsizeMinVal=hpnicfOnuPriorityQueueBurstsizeMinVal, hpnicfEponAutoUpdateEntry=hpnicfEponAutoUpdateEntry, hpnicfOnuPriorityQueueSizeMinVal=hpnicfOnuPriorityQueueSizeMinVal, hpnicfOnuRS485BaudRate=hpnicfOnuRS485BaudRate, hpnicfOnuDistance=hpnicfOnuDistance, hpnicfOnuInCRCErrPkts=hpnicfOnuInCRCErrPkts, hpnicfEponRemoteStableRecoverTrap=hpnicfEponRemoteStableRecoverTrap, hpnicfOnuCapabilityEntry=hpnicfOnuCapabilityEntry, hpnicfOnuSysManEntry=hpnicfOnuSysManEntry, hpnicfOltDbaManEntry=hpnicfOltDbaManEntry, hpnicfOnuPortBerStatus=hpnicfOnuPortBerStatus, hpnicfOnuSlaManTable=hpnicfOnuSlaManTable, hpnicfOnuMulticastFastLeaveEnable=hpnicfOnuMulticastFastLeaveEnable, hpnicfOltUsingOnuRowStatus=hpnicfOltUsingOnuRowStatus, hpnicfOnuSecondPonRegState=hpnicfOnuSecondPonRegState, hpnicfOnuSlaDelay=hpnicfOnuSlaDelay, hpnicfOnuLinkTestEntry=hpnicfOnuLinkTestEntry, hpnicfEponStpPortIndex=hpnicfEponStpPortIndex, hpnicfOnuSmlkEntry=hpnicfOnuSmlkEntry, hpnicfEponAutoUpdateRealTimeStatus=hpnicfEponAutoUpdateRealTimeStatus, hpnicfOnuMulticastControlMode=hpnicfOnuMulticastControlMode, hpnicfOltLaserOffTimeMinVal=hpnicfOltLaserOffTimeMinVal, hpnicfEponOnuStpPortTable=hpnicfEponOnuStpPortTable, hpnicfEponAutoUpdateTable=hpnicfEponAutoUpdateTable, hpnicfOnuPhysicalEntry=hpnicfOnuPhysicalEntry, hpnicfOnuDbaReportThreshold=hpnicfOnuDbaReportThreshold, hpnicfOnuRemoteFecStatus=hpnicfOnuRemoteFecStatus, hpnicfOltDbaVersion=hpnicfOltDbaVersion, hpnicfOnuDownStreamMaxBurstSize=hpnicfOnuDownStreamMaxBurstSize, hpnicfOnuPriorityQueueSizeMaxVal=hpnicfOnuPriorityQueueSizeMaxVal, hpnicfEponStatFER=hpnicfEponStatFER, hpnicfEponMsgLoseNumMaxVal=hpnicfEponMsgLoseNumMaxVal, hpnicfOnuLinkTestTable=hpnicfOnuLinkTestTable, hpnicfOnuE1PortsNumber=hpnicfOnuE1PortsNumber, hpnicfOltDbaManTable=hpnicfOltDbaManTable, hpnicfOltPortAlarmRegistrationEnabled=hpnicfOltPortAlarmRegistrationEnabled, hpnicfEponModeSwitch=hpnicfEponModeSwitch, hpnicfEponLocalStableTrap=hpnicfEponLocalStableTrap, hpnicfOltPortAlarmLocalStableEnabled=hpnicfOltPortAlarmLocalStableEnabled, hpnicfOltOpticalPowerRx=hpnicfOltOpticalPowerRx, hpnicfEponSysMan=hpnicfEponSysMan, hpnicfOnuUpdateByTypeOnuType=hpnicfOnuUpdateByTypeOnuType, hpnicfEponSysManEntry=hpnicfEponSysManEntry, hpnicfEponBatchOperationByOLTResult=hpnicfEponBatchOperationByOLTResult, hpnicfEponOnuUpdateFileName=hpnicfEponOnuUpdateFileName, hpnicfEponOnuLaserFailedTrap=hpnicfEponOnuLaserFailedTrap, hpnicfOnuIgmpSnoopingMaxRespT=hpnicfOnuIgmpSnoopingMaxRespT, hpnicfOnuRS485PropertiesTable=hpnicfOnuRS485PropertiesTable, hpnicfEponBatchOperationBySlotTable=hpnicfEponBatchOperationBySlotTable, hpnicfOnuChipSetInfoEntry=hpnicfOnuChipSetInfoEntry, hpnicfOnuLinkTestResultMaxDelay=hpnicfOnuLinkTestResultMaxDelay, hpnicfEponBatchOperationByOLT=hpnicfEponBatchOperationByOLT, hpnicfOnuDbaReportStatus=hpnicfOnuDbaReportStatus, hpnicfEponOnuSilenceTrap=hpnicfEponOnuSilenceTrap, hpnicfEponOltSwitchoverTrap=hpnicfEponOltSwitchoverTrap, hpnicfOnuSecondPonMac=hpnicfOnuSecondPonMac, hpnicfOnuVendorId=hpnicfOnuVendorId, hpnicfOltLaserOffTime=hpnicfOltLaserOffTime, hpnicfEponOnuStpPortEntry=hpnicfEponOnuStpPortEntry, hpnicfOltDbaUpdate=hpnicfOltDbaUpdate, hpnicfOnuOpticalPowerReceivedByOlt=hpnicfOnuOpticalPowerReceivedByOlt, hpnicfOnuDbaReportQueueId=hpnicfOnuDbaReportQueueId, hpnicfEponOnuScalarGroup=hpnicfEponOnuScalarGroup, hpnicfOnuCapabilityTable=hpnicfOnuCapabilityTable, hpnicfOltDbaDiscovryFrequencyMaxVal=hpnicfOltDbaDiscovryFrequencyMaxVal, hpnicfEponOamVendorSpecificTrap=hpnicfEponOamVendorSpecificTrap, hpnicfOnuRS485SessionTable=hpnicfOnuRS485SessionTable, hpnicfOltUsingOnuNum=hpnicfOltUsingOnuNum, hpnicfOnuProtocolTable=hpnicfOnuProtocolTable, hpnicfOltSelfTest=hpnicfOltSelfTest, hpnicfEponOuiValue=hpnicfEponOuiValue, hpnicfOnuIpAddress=hpnicfOnuIpAddress, hpnicfOnuRS485SessionRemoteIP=hpnicfOnuRS485SessionRemoteIP, hpnicfOnuUniUpDownTrapStatus=hpnicfOnuUniUpDownTrapStatus, hpnicfOnuOutDroppedFrames=hpnicfOnuOutDroppedFrames, hpnicfEponPortAlarmFerRecoverTrap=hpnicfEponPortAlarmFerRecoverTrap, hpnicfEponEncryptionNoReplyTimeOut=hpnicfEponEncryptionNoReplyTimeOut, hpnicfOltPortAlarmEncryptionKeyEnabled=hpnicfOltPortAlarmEncryptionKeyEnabled, hpnicfOnuDbaReportQueueSetNumber=hpnicfOnuDbaReportQueueSetNumber, hpnicfOltUsingOnuIfIndex=hpnicfOltUsingOnuIfIndex, hpnicfOnuMacAddrInfoTable=hpnicfOnuMacAddrInfoTable, hpnicfOnuMulticastFilterStatus=hpnicfOnuMulticastFilterStatus, hpnicfOnuDot1xPassword=hpnicfOnuDot1xPassword, hpnicfOnuPriorityQueueBandwidthMaxVal=hpnicfOnuPriorityQueueBandwidthMaxVal, hpnicfOnuQueueId=hpnicfOnuQueueId, hpnicfOnuSmlkFirstPonStatus=hpnicfOnuSmlkFirstPonStatus, hpnicfOnuUpdateFileName=hpnicfOnuUpdateFileName, hpnicfEponSoftwareErrRecoverTrap=hpnicfEponSoftwareErrRecoverTrap, hpnicfEponBatchOperationBySlotEntry=hpnicfEponBatchOperationBySlotEntry, hpnicfOnuSysManTable=hpnicfOnuSysManTable, hpnicfOltMultiCopyBrdCast=hpnicfOltMultiCopyBrdCast, hpnicfOnuFirmwareUpdateByTypeEntry=hpnicfOnuFirmwareUpdateByTypeEntry, hpnicfOltPortAlarmFerMinVal=hpnicfOltPortAlarmFerMinVal, hpnicfOnuUpdateByTypeNextIndex=hpnicfOnuUpdateByTypeNextIndex, hpnicfEponPortAlarmBerTrap=hpnicfEponPortAlarmBerTrap, hpnicfOnuDot1xTable=hpnicfOnuDot1xTable, hpnicfEponMulticastStatus=hpnicfEponMulticastStatus, hpnicfOnuLinkTestFrameNum=hpnicfOnuLinkTestFrameNum, hpnicfOltSysManEntry=hpnicfOltSysManEntry, hpnicfOnuRS485Parity=hpnicfOnuRS485Parity, hpnicfOnuQueuePolicyStatus=hpnicfOnuQueuePolicyStatus, hpnicfOltLaserOnTimeMinVal=hpnicfOltLaserOnTimeMinVal, hpnicfOnuReAuthorize=hpnicfOnuReAuthorize, hpnicfOnuLinkTestDelay=hpnicfOnuLinkTestDelay, hpnicfOnuIgmpSnoopingRouterAgingT=hpnicfOnuIgmpSnoopingRouterAgingT, hpnicfOnuLaserOffTime=hpnicfOnuLaserOffTime, hpnicfOltInfoEntry=hpnicfOltInfoEntry, hpnicfEponOuiIndexNextTable=hpnicfEponOuiIndexNextTable, hpnicfOnuLaserOnTime=hpnicfOnuLaserOnTime, hpnicfEponOuiIndexNextEntry=hpnicfEponOuiIndexNextEntry, hpnicfEponOamVendorSpecificRecoverTrap=hpnicfEponOamVendorSpecificRecoverTrap, hpnicfOnuLinkTestFrameNumMaxVal=hpnicfOnuLinkTestFrameNumMaxVal, hpnicfEponFileName=hpnicfEponFileName, hpnicfOnuIgspFastLeaveSupported=hpnicfOnuIgspFastLeaveSupported, hpnicfOltSysManTable=hpnicfOltSysManTable, hpnicfOnuPacketManTable=hpnicfOnuPacketManTable, hpnicfOnuRS485ResetStatistics=hpnicfOnuRS485ResetStatistics, hpnicfOnuLinkTestVlanTagID=hpnicfOnuLinkTestVlanTagID, hpnicfOnuRS485SessionNextIndex=hpnicfOnuRS485SessionNextIndex, hpnicfOltLaserOffTimeMaxVal=hpnicfOltLaserOffTimeMaxVal, hpnicfOnuUpdateResult=hpnicfOnuUpdateResult, hpnicfOltPortAlarmDFEEnabled=hpnicfOltPortAlarmDFEEnabled, hpnicfOnuStpStatus=hpnicfOnuStpStatus, hpnicfOnuCosToLocalPrecedenceCosIndex=hpnicfOnuCosToLocalPrecedenceCosIndex, PYSNMP_MODULE_ID=hpnicfEponMibObjects, hpnicfOnuUpdateByTypeFileName=hpnicfOnuUpdateByTypeFileName, hpnicfEponBatchOperationBySlot=hpnicfEponBatchOperationBySlot, hpnicfOnuPortIsolateEnable=hpnicfOnuPortIsolateEnable, hpnicfEponStatTable=hpnicfEponStatTable, hpnicfOnuReset=hpnicfOnuReset, hpnicfEponErrorInfo=hpnicfEponErrorInfo, hpnicfOltFirmMajorVersion=hpnicfOltFirmMajorVersion, hpnicfOnuRS485SessionIndex=hpnicfOnuRS485SessionIndex, hpnicfOnuDot1xEntry=hpnicfOnuDot1xEntry, hpnicfDot3OamNonThresholdRecoverEvent=hpnicfDot3OamNonThresholdRecoverEvent) |
class RepositoryNotFoundError(Exception):
pass
class MissingFilesError(Exception):
pass
| class Repositorynotfounderror(Exception):
pass
class Missingfileserror(Exception):
pass |
#LAB X
#Due Date: 04/07/2019, 11:59PM
########################################
#
# Name:
# Collaboration Statement:
#
########################################
# use the code for max heap
class MaxHeapPriorityQueue:
def __init__(self):
self.heap=[]
self.size = 0
def __len__(self):
# return the length by using len function
return len(self.heap)
def parent(self,index):
if index == 0 or index > len(self.heap) -1:
return None
else:
return (index -1) >> 1
def leftChild(self,index):
# set the requirement of the index
if index >= 1 and len(self.heap)+1 > 2*index:
# else return the index of the left child
return self.heap[(2*index)-1]
return None
def rightChild(self,index):
# set the requirement of the index
if index >= 1 and len(self.heap)+1 > (2*index)+1:
# else return the index of the left child
return self.heap[2*index]
return None
def swap(self,index_a,index_b):
self.heap[index_a],self.heap[index_b] = self.heap[index_b],self.heap[index_a]
def insert(self,data):
self.heap.append(data)
index = len(self.heap) -1
parent = self.parent(index)
while parent is not None and self.heap[parent] < self.heap[index]:
self.swap(parent,index)
index = parent
parent = self.parent(parent)
def deleteMax(self):
index = 0
remove_data = self.heap[0]
self.heap[0] = self.heap[-1]
del self.heap[-1]
total_index = len(self.heap) -1
while True:
maxvalue_index = index
if 2*index +1 <= total_index and self.heap[2*index +1] > self.heap[maxvalue_index]:
maxvalue_index = 2*index +1
if 2*index +2 <= total_index and self.heap[2*index +2] > self.heap[maxvalue_index]:
maxvalue_index = 2*index +2
if maxvalue_index == index:
break
self.swap(index,maxvalue_index)
index = maxvalue_index
return remove_data
def heapSort(numList):
'''
>>> heapSort([9,7,4,1,2,4,8,7,0,-1])
[-1, 0, 1, 2, 4, 4, 7, 7, 8, 9]
'''
# set the max heap
sort_heap = MaxHeapPriorityQueue()
#write your code here
# set the empty list
sorted_list = []
# insert the value in max heap
for i in numList:
sort_heap.insert(i)
# pop the value from max heap and append it to list
for i in range(len(numList)):
y = sort_heap.deleteMax()
sorted_list.append(y)
# reverse the list
sorted_list.reverse()
# return the value
return sorted_list
| class Maxheappriorityqueue:
def __init__(self):
self.heap = []
self.size = 0
def __len__(self):
return len(self.heap)
def parent(self, index):
if index == 0 or index > len(self.heap) - 1:
return None
else:
return index - 1 >> 1
def left_child(self, index):
if index >= 1 and len(self.heap) + 1 > 2 * index:
return self.heap[2 * index - 1]
return None
def right_child(self, index):
if index >= 1 and len(self.heap) + 1 > 2 * index + 1:
return self.heap[2 * index]
return None
def swap(self, index_a, index_b):
(self.heap[index_a], self.heap[index_b]) = (self.heap[index_b], self.heap[index_a])
def insert(self, data):
self.heap.append(data)
index = len(self.heap) - 1
parent = self.parent(index)
while parent is not None and self.heap[parent] < self.heap[index]:
self.swap(parent, index)
index = parent
parent = self.parent(parent)
def delete_max(self):
index = 0
remove_data = self.heap[0]
self.heap[0] = self.heap[-1]
del self.heap[-1]
total_index = len(self.heap) - 1
while True:
maxvalue_index = index
if 2 * index + 1 <= total_index and self.heap[2 * index + 1] > self.heap[maxvalue_index]:
maxvalue_index = 2 * index + 1
if 2 * index + 2 <= total_index and self.heap[2 * index + 2] > self.heap[maxvalue_index]:
maxvalue_index = 2 * index + 2
if maxvalue_index == index:
break
self.swap(index, maxvalue_index)
index = maxvalue_index
return remove_data
def heap_sort(numList):
"""
>>> heapSort([9,7,4,1,2,4,8,7,0,-1])
[-1, 0, 1, 2, 4, 4, 7, 7, 8, 9]
"""
sort_heap = max_heap_priority_queue()
sorted_list = []
for i in numList:
sort_heap.insert(i)
for i in range(len(numList)):
y = sort_heap.deleteMax()
sorted_list.append(y)
sorted_list.reverse()
return sorted_list |
#INCOMPLETE
to_sort = [230, 6, 3, 234565, 9, 13000]
def ins_sort():
for i in range(0, len(to_sort)):
j=i
for j in range(1, j+1):
if to_sort[j+1]<to_sort[j]:
val=to_sort[j+1]
to_sort[j+1]=to_sort[j]
to_sort[j]=val
print(to_sort) | to_sort = [230, 6, 3, 234565, 9, 13000]
def ins_sort():
for i in range(0, len(to_sort)):
j = i
for j in range(1, j + 1):
if to_sort[j + 1] < to_sort[j]:
val = to_sort[j + 1]
to_sort[j + 1] = to_sort[j]
to_sort[j] = val
print(to_sort) |
# *******************************************************************************************
# *******************************************************************************************
#
# Name : gencpu.py
# Purpose : Generate the CPU core (not B) in C
# Date : 27th August 2019
# Author : Paul Robson (paul@robsons.org.uk)
#
# *******************************************************************************************
# *******************************************************************************************
#
# Work out the mnemonic for Non-B opcode.
#
def getMnemonic(opcode):
m = ["ldr","str","add","sub","and","xor","ror","skb"][opcode >> 4]
m = m + ("f" if (opcode & 0x08) != 0 else "")
m = m + " ra,"
if (opcode & 0x04) != 0:
m = m + "#nnn"
else:
m = m + ["rb","(rb)","-(rb)","(rb)+"][opcode & 3]
return m
#
# EAC on mode (01,10,11)
#
def effectiveAddress(mode):
if (mode == 2):
print("\tR[RB]--;")
print("\tMA = R[RB];")
if (mode == 3):
print("\tR[RB]++;")
#
# Generate opcodes to STDOUT.
#
for opcode in range(0,128): # High opcode byte.
isStore = (opcode >> 4) == 1 # Store is a little different
reject = isStore and (opcode & 0x04) != 0
if not reject:
mnemonic = getMnemonic(opcode)
#
print("case 0x{0:02x}: /*** ${0:02x} {1:12} ***/".format(opcode,mnemonic))
#
print("\tRA = (IR & 0x0F);")
if (opcode & 0x04) != 0: # immediate mode.
print("\tMB = (IR >> 4) & 0x3F;") # immediate constant.
else:
print("\tRB = (IR >> 4) & 0x0F;") # working RHS register
if not isStore: # store is handled seperately.
if (opcode & 0x03) == 0: # direct mode.
print("\tMB = R[RB];") # data is register direct
else:
effectiveAddress(opcode & 0x03) # do EAC.
print("\tREAD();") # and read it.
#
if (opcode >> 4) == 0: # LDR
print("\tR[RA] = MB;")
#
if (opcode >> 4) == 1: # STR
if (opcode & 3) == 0: # Direct
print("\tR[RB] = R[RA];")
else:
effectiveAddress(opcode & 3)
print("\tMB = R[RA];")
print("\tWRITE();")
#
if (opcode >> 4) == 2: # ADD
if (opcode & 0x08) == 0:
print("\tR[RA] += MB;")
else:
print("\tADD32(MB,0);")
#
if (opcode >> 4) == 3: # SUB
if (opcode & 0x08) == 0:
print("\tR[RA] -= MB;")
else:
print("\tADD32(MB^0xFFFF,1);")
#
if (opcode >> 4) == 4: # AND
print("\tR[RA] &= MB;")
#
if (opcode >> 4) == 5: # XOR
print("\tR[RA] ^= MB;")
#
if (opcode >> 4) == 6: # ROR
print("\tR[RA] = (MB >> 1)|(MB << 15);")
#
if (opcode >> 4) == 7: # SKB
print("\tif ((R[RA] & MB) == MB) R[15]++;")
#
if (opcode & 0x08) != 0: # Flag bit set.
if (opcode >> 4) == 2 or (opcode >> 4) == 3: # Handle C NC M P Z NZ
print("\tSETFLAGS_CNZ();")
else: # Handle 0 1 M P Z NZ
print("\tSETFLAGS_NZ();")
#
print("\tbreak;\n")
| def get_mnemonic(opcode):
m = ['ldr', 'str', 'add', 'sub', 'and', 'xor', 'ror', 'skb'][opcode >> 4]
m = m + ('f' if opcode & 8 != 0 else '')
m = m + ' ra,'
if opcode & 4 != 0:
m = m + '#nnn'
else:
m = m + ['rb', '(rb)', '-(rb)', '(rb)+'][opcode & 3]
return m
def effective_address(mode):
if mode == 2:
print('\tR[RB]--;')
print('\tMA = R[RB];')
if mode == 3:
print('\tR[RB]++;')
for opcode in range(0, 128):
is_store = opcode >> 4 == 1
reject = isStore and opcode & 4 != 0
if not reject:
mnemonic = get_mnemonic(opcode)
print('case 0x{0:02x}: /*** ${0:02x} {1:12} ***/'.format(opcode, mnemonic))
print('\tRA = (IR & 0x0F);')
if opcode & 4 != 0:
print('\tMB = (IR >> 4) & 0x3F;')
else:
print('\tRB = (IR >> 4) & 0x0F;')
if not isStore:
if opcode & 3 == 0:
print('\tMB = R[RB];')
else:
effective_address(opcode & 3)
print('\tREAD();')
if opcode >> 4 == 0:
print('\tR[RA] = MB;')
if opcode >> 4 == 1:
if opcode & 3 == 0:
print('\tR[RB] = R[RA];')
else:
effective_address(opcode & 3)
print('\tMB = R[RA];')
print('\tWRITE();')
if opcode >> 4 == 2:
if opcode & 8 == 0:
print('\tR[RA] += MB;')
else:
print('\tADD32(MB,0);')
if opcode >> 4 == 3:
if opcode & 8 == 0:
print('\tR[RA] -= MB;')
else:
print('\tADD32(MB^0xFFFF,1);')
if opcode >> 4 == 4:
print('\tR[RA] &= MB;')
if opcode >> 4 == 5:
print('\tR[RA] ^= MB;')
if opcode >> 4 == 6:
print('\tR[RA] = (MB >> 1)|(MB << 15);')
if opcode >> 4 == 7:
print('\tif ((R[RA] & MB) == MB) R[15]++;')
if opcode & 8 != 0:
if opcode >> 4 == 2 or opcode >> 4 == 3:
print('\tSETFLAGS_CNZ();')
else:
print('\tSETFLAGS_NZ();')
print('\tbreak;\n') |
#
# Copyright (c) 2020, Hyve Design Solutions Corporation.
# All rights reserved.
#
# Redistribution and use in source and binary forms, with or without
# modification, are permitted provided that the following conditions are
# met:
#
# 1. Redistributions of source code must retain the above copyright
# notice, this list of conditions and the following disclaimer.
#
# 2. Redistributions in binary form must reproduce the above copyright
# notice, this list of conditions and the following disclaimer in the
# documentation and/or other materials provided with the distribution.
#
# 3. Neither the name of Hyve Design Solutions Corporation nor the names
# of its contributors may be used to endorse or promote products
# derived from this software without specific prior written permission.
#
# THIS SOFTWARE IS PROVIDED BY HYVE DESIGN SOLUTIONS CORPORATION AND
# CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING,
# BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND
# FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL
# HYVE DESIGN SOLUTIONS CORPORATION OR CONTRIBUTORS BE LIABLE FOR ANY
# DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL
# DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS
# OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION)
# HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT,
# STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING
# IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
# POSSIBILITY OF SUCH DAMAGE.
#
__all__ = [
'cmds',
'intf',
'mesg',
'util',
]
__version__ = 1.2
| __all__ = ['cmds', 'intf', 'mesg', 'util']
__version__ = 1.2 |
class Database:
database = None
def __init__(self):
self.content = "User Data"
@staticmethod
def getInstance():
if not Database.database:
print("New database instance created")
Database.database = Database()
return Database.database
def describe(self):
print("The database contain:", self.content) | class Database:
database = None
def __init__(self):
self.content = 'User Data'
@staticmethod
def get_instance():
if not Database.database:
print('New database instance created')
Database.database = database()
return Database.database
def describe(self):
print('The database contain:', self.content) |
class OsptException(Exception):
msg = ''
def __init__(self, message, **kwargs):
_msg = message if message else self.msg
super(Exception, self).__init__(_msg.format(**kwargs))
class ConnectionError(OsptException):
pass
class TimeoutError(OsptException):
pass
class NotEnoughResourcesToDeleteError(OsptException):
pass
class CountOfServersVolumesNotMatchError(OsptException):
pass
class MappingNotSupportedError(OsptException):
msg = ('Mapping {mapping} is not supported. Only <N>:1 or 1:<N> are '
'supported.')
class NotEnoughResourcesForMappingError(OsptException):
msg = '{existing} of resources are not enough, {required} are needed.'
| class Osptexception(Exception):
msg = ''
def __init__(self, message, **kwargs):
_msg = message if message else self.msg
super(Exception, self).__init__(_msg.format(**kwargs))
class Connectionerror(OsptException):
pass
class Timeouterror(OsptException):
pass
class Notenoughresourcestodeleteerror(OsptException):
pass
class Countofserversvolumesnotmatcherror(OsptException):
pass
class Mappingnotsupportederror(OsptException):
msg = 'Mapping {mapping} is not supported. Only <N>:1 or 1:<N> are supported.'
class Notenoughresourcesformappingerror(OsptException):
msg = '{existing} of resources are not enough, {required} are needed.' |
def byte_to_hex(bytebuffer):
return "".join(("%02x" % a) for a in bytebuffer)
# CASSSANDRA TYPES
class TxInputOutput(object):
def __init__(self, address, value):
self.address = address[0]
self.value = value
class Value(object):
def __init__(self, satoshi, eur, usd):
self.satoshi = satoshi
self.eur = round(eur, 2)
self.usd = round(usd, 2)
def __sub__(self, other):
return Value(self.satoshi-other.satoshi,
round(self.eur-other.eur, 2),
round(self.usd-other.usd, 2))
class TxIdTime(object):
def __init__(self, height, tx_hash, timestamp):
self.height = height
self.tx_hash = tx_hash
self.timestamp = timestamp
def serialize(self):
return {
"height": self.height,
"tx_hash": self.tx_hash,
"timestamp": self.timestamp,
}
class AddressSummary(object):
def __init__(self, total_received, total_spent):
self.totalReceived = total_received
self.totalSpent = total_spent
# CASSSANDRA TABLES
class ExchangeRate(object):
def __init__(self, d):
self.eur = d["eur"]
self.usd = d["usd"]
class Statistics(object):
def __init__(self, row):
self.no_blocks = row.no_blocks
self.no_address_relations = row.no_address_relations
self.no_addresses = row.no_addresses
self.no_clusters = row.no_clusters
self.no_transactions = row.no_transactions
self.no_labels = row.no_tags
self.timestamp = row.timestamp
class Tag(object):
def __init__(self, row):
self.address = row.address
self.label = row.label
self.category = row.category
self.tagpack_uri = row.tagpack_uri
self.source = row.source
self.lastmod = row.lastmod
class Label(object):
def __init__(self, row):
self.label_norm_prefix = row.label_norm_prefix
self.label_norm = row.label_norm
self.label = row.label
self.address_count = row.address_count
class Transaction(object):
def __init__(self, row, rates):
self.txHash = byte_to_hex(row.tx_hash)
self.coinbase = row.coinbase
self.height = row.height
if row.inputs:
self.inputs = [TxInputOutput(input.address,
Value(input.value,
round(input.value*rates.eur*1e-8, 2),
round(input.value*rates.usd*1e-8, 2)).__dict__).__dict__
for input in row.inputs]
else:
self.inputs = []
self.outputs = [TxInputOutput(output.address,
Value(output.value,
round(output.value*rates.eur*1e-8, 2),
round(output.value*rates.usd*1e-8, 2)).__dict__).__dict__
for output in row.outputs if output.address]
self.timestamp = row.timestamp
self.totalInput = Value(row.total_input,
round(row.total_input*rates.eur*1e-8, 2),
round(row.total_input*rates.usd*1e-8, 2)).__dict__
self.totalOutput = Value(row.total_output,
round(row.total_output*rates.eur*1e-8, 2),
round(row.total_output*rates.usd*1e-8, 2)).__dict__
class BlockTransaction(object):
def __init__(self, row, rates):
self.txHash = byte_to_hex(row.tx_hash)
self.noInputs = row.no_inputs
self.noOutputs = row.no_outputs
self.totalInput = Value(row.total_input,
round(row.total_input*rates.eur*1e-8, 2),
round(row.total_input*rates.usd*1e-8, 2)).__dict__
self.totalOutput = Value(row.total_output,
round(row.total_output*rates.eur*1e-8, 2),
round(row.total_output*rates.usd*1e-8, 2)).__dict__
class Block(object):
def __init__(self, row):
self.height = row.height
self.blockHash = byte_to_hex(row.block_hash)
self.noTransactions = row.no_transactions
self.timestamp = row.timestamp
class BlockWithTransactions(object):
def __init__(self, row, rates):
self.height = row.height
self.txs = [BlockTransaction(tx, rates).__dict__ for tx in row.txs]
class Address(object):
def __init__(self, row, exchange_rate):
self.address_prefix = row.address_prefix
self.address = row.address
self.firstTx = TxIdTime(row.first_tx.height,
byte_to_hex(row.first_tx.tx_hash),
row.first_tx.timestamp).__dict__
self.lastTx = TxIdTime(row.last_tx.height,
byte_to_hex(row.last_tx.tx_hash),
row.last_tx.timestamp).__dict__
self.noIncomingTxs = row.no_incoming_txs
self.noOutgoingTxs = row.no_outgoing_txs
received = Value(row.total_received.satoshi,
round(row.total_received.eur, 2),
round(row.total_received.usd, 2))
self.totalReceived = received.__dict__
spent = Value(row.total_spent.satoshi,
round(row.total_spent.eur, 2),
round(row.total_spent.usd, 2))
self.totalSpent = spent.__dict__
balance = compute_balance(row.total_received.satoshi,
row.total_spent.satoshi,
exchange_rate)
self.balance = balance.__dict__
self.inDegree = row.in_degree
self.outDegree = row.out_degree
def compute_balance(total_received_satoshi, total_spent_satoshi,
exchange_rate):
balance_satoshi = total_received_satoshi - total_spent_satoshi
balance = Value(balance_satoshi,
round(balance_satoshi*exchange_rate.eur*1e-8, 2),
round(balance_satoshi*exchange_rate.usd*1e-8, 2))
return balance
def compute_exchanged_value(value, exchange_rate):
return Value(value,
round(value*exchange_rate.eur*1e-8, 2),
round(value*exchange_rate.usd*1e-8, 2))
class AddressTransactions(object):
def __init__(self, row, rates):
self.address = row.address
self.address_prefix = row.address_prefix
self.txHash = byte_to_hex(row.tx_hash)
self.value = Value(row.value,
round(row.value*rates.eur*1e-8, 2),
round(row.value*rates.usd*1e-8, 2)).__dict__
self.height = row.height
self.timestamp = row.timestamp
self.txIndex = row.tx_index
class Cluster(object):
def __init__(self, row, exchange_rate):
self.cluster = int(row.cluster)
self.firstTx = TxIdTime(row.first_tx.height,
byte_to_hex(row.first_tx.tx_hash),
row.first_tx.timestamp).__dict__
self.lastTx = TxIdTime(row.last_tx.height,
byte_to_hex(row.last_tx.tx_hash),
row.last_tx.timestamp).__dict__
self.noAddresses = row.no_addresses
self.noIncomingTxs = row.no_incoming_txs
self.noOutgoingTxs = row.no_outgoing_txs
received = Value(row.total_received.satoshi,
round(row.total_received.eur, 2),
round(row.total_received.usd, 2))
self.totalReceived = received.__dict__
spent = Value(row.total_spent.satoshi,
round(row.total_spent.eur, 2),
round(row.total_spent.usd, 2))
self.totalSpent = spent.__dict__
balance = compute_balance(row.total_received.satoshi,
row.total_spent.satoshi,
exchange_rate)
self.balance = balance.__dict__
self.inDegree = row.in_degree
self.outDegree = row.out_degree
class AddressIncomingRelations(object):
def __init__(self, row, exchange_rate):
self.dstAddressPrefix = row.dst_address_prefix
self.dstAddress = row.dst_address
self.estimatedValue = Value(row.estimated_value.satoshi,
round(row.estimated_value.eur, 2),
round(row.estimated_value.usd, 2)).__dict__
self.srcAddress = row.src_address
self.noTransactions = row.no_transactions
self.srcBalance = compute_balance(row.src_properties.total_received,
row.src_properties.total_spent,
exchange_rate)
self.srcTotalReceived = compute_exchanged_value(row.src_properties.total_received,
exchange_rate)
self.srcProperties = AddressSummary(row.src_properties.total_received,
row.src_properties.total_spent)
def id(self):
return self.srcAddress
def toJsonNode(self):
node = {"id": self.id(),
"nodeType": "address",
"received": self.srcProperties.totalReceived,
"balance": (self.srcProperties.totalReceived -
self.srcProperties.totalSpent) # satoshi
}
return node
def toJsonEdge(self):
edge = {"source": self.srcAddress,
"target": self.dstAddress,
"transactions": self.noTransactions,
"estimatedValue": self.estimatedValue}
return edge
def toJson(self):
return {
"id": self.id(),
"nodeType": "address",
"received": self.srcTotalReceived.__dict__,
"balance": self.srcBalance.__dict__,
"noTransactions": self.noTransactions,
"estimatedValue": self.estimatedValue
}
class AddressOutgoingRelations(object):
def __init__(self, row, exchange_rate):
self.srcAddressPrefix = row.src_address_prefix
self.srcAddress = row.src_address
self.estimatedValue = Value(row.estimated_value.satoshi,
round(row.estimated_value.eur, 2),
round(row.estimated_value.usd, 2)).__dict__
self.dstAddress = row.dst_address
self.noTransactions = row.no_transactions
self.dstBalance = compute_balance(row.dst_properties.total_received,
row.dst_properties.total_spent,
exchange_rate)
self.dstTotalReceived = compute_exchanged_value(row.dst_properties.total_received,
exchange_rate)
self.dstProperties = AddressSummary(row.dst_properties.total_received,
row.dst_properties.total_spent)
def id(self):
return self.dstAddress
def toJsonNode(self):
node = {"id": self.id(),
"nodeType": "address",
"received": self.dstProperties.totalReceived,
"balance": (self.dstProperties.totalReceived -
self.dstProperties.totalSpent) # satoshi
}
return node
def toJsonEdge(self):
edge = {"source": self.srcAddress,
"target": self.dstAddress,
"transactions": self.noTransactions,
"estimatedValue": self.estimatedValue}
return edge
def toJson(self):
return {
"id": self.id(),
"nodeType": "address",
"received": self.dstTotalReceived.__dict__,
"balance": self.dstBalance.__dict__,
"noTransactions": self.noTransactions,
"estimatedValue": self.estimatedValue
}
class ClusterSummary(object):
def __init__(self, no_addresses, total_received, total_spent):
self.noAddresses = no_addresses
self.totalReceived = total_received
self.totalSpent = total_spent
class ClusterIncomingRelations(object):
def __init__(self, row, exchange_rate):
self.dstCluster = str(row.dst_cluster)
self.srcCluster = str(row.src_cluster)
self.srcProperties = ClusterSummary(row.src_properties.no_addresses,
row.src_properties.total_received,
row.src_properties.total_spent)
self.value = Value(row.value.satoshi,
round(row.value.eur, 2),
round(row.value.usd, 2)).__dict__
self.noTransactions = row.no_transactions
self.srcBalance = compute_balance(row.src_properties.total_received,
row.src_properties.total_spent,
exchange_rate)
self.srcTotalReceived = compute_exchanged_value(row.src_properties.total_received,
exchange_rate)
def id(self):
return self.srcCluster
def toJsonNode(self):
node = {"id": self.id(),
"nodeType": "cluster" if self.id().isdigit() else "address",
"received": self.srcProperties.totalReceived,
"balance": (self.srcProperties.totalReceived -
self.srcProperties.totalSpent) # satoshi
}
return node
def toJsonEdge(self):
edge = {"source": self.srcCluster,
"target": self.dstCluster,
"transactions": self.noTransactions,
"estimatedValue": self.value}
return edge
def toJson(self):
return {
"id": self.id(),
"nodeType": "cluster" if self.id().isdigit() else "address",
"received": self.srcTotalReceived.__dict__,
"balance": self.srcBalance.__dict__,
"noTransactions": self.noTransactions,
"estimatedValue": self.value
}
class ClusterOutgoingRelations(object):
def __init__(self, row, exchange_rate):
self.srcCluster = str(row.src_cluster)
self.dstCluster = str(row.dst_cluster)
self.dstProperties = ClusterSummary(row.dst_properties.no_addresses,
row.dst_properties.total_received,
row.dst_properties.total_spent)
self.value = Value(row.value.satoshi,
round(row.value.eur, 2),
round(row.value.usd, 2)).__dict__
self.noTransactions = row.no_transactions
self.dstBalance = compute_balance(row.dst_properties.total_received,
row.dst_properties.total_spent,
exchange_rate)
self.dstTotalReceived = compute_exchanged_value(row.dst_properties.total_received,
exchange_rate)
def id(self):
return self.dstCluster
def toJsonNode(self):
node = {"id": self.id(),
"nodeType": "cluster" if self.id().isdigit() else "address",
"received": self.dstProperties.totalReceived,
"balance": (self.dstProperties.totalReceived -
self.dstProperties.totalSpent), # satoshi
}
return node
def toJsonEdge(self):
edge = {"source": self.srcCluster,
"target": self.dstCluster,
"transactions": self.noTransactions,
"estimatedValue": self.value}
return edge
def toJson(self):
return {
"id": self.id(),
"nodeType": "cluster" if self.id().isdigit() else "address",
"received": self.dstTotalReceived.__dict__,
"balance": self.dstBalance.__dict__,
"noTransactions": self.noTransactions,
"estimatedValue": self.value
}
class AddressEgoNet(object):
def __init__(self, focus_address, explicit_tags, implicit_tags,
incoming_relations, outgoing_relations):
self.focusAddress = focus_address
self.explicitTags = explicit_tags
self.implicitTags = implicit_tags
self.incomingRelations = incoming_relations
self.outgoingRelations = outgoing_relations
self.focusNode = [{"id": self.focusAddress.address,
"nodeType": "address",
"received": self.focusAddress.totalReceived["satoshi"],
"balance": (self.focusAddress.totalReceived["satoshi"] -
self.focusAddress.totalSpent["satoshi"]),
}]
# receives a List[EgonetRelation]
def dedupNodes(self, addrRelations):
dedupNodes = {relation.id(): relation for relation in addrRelations}
return dedupNodes.values()
def construct(self, address, direction):
nodes = []
if "in" in direction:
nodes.extend(self.focusNode)
eNodes = [node.toJsonNode() for node
in self.dedupNodes(self.incomingRelations)]
nodes.extend(eNodes)
else:
if "out" in direction:
nodes.extend(self.focusNode)
eNodes = [node.toJsonNode() for node
in self.dedupNodes(self.outgoingRelations)]
nodes.extend(eNodes)
else:
nodes.extend(self.focusNode)
eNodes = [node.toJsonNode() for node
in self.dedupNodes(self.incomingRelations)]
nodes.extend(eNodes)
eNodes = [node.toJsonNode() for node
in self.dedupNodes(self.outgoingRelations)]
nodes.extend(eNodes)
# remove duplicate nodes
nodes = [dict(t) for t in {tuple(d.items()) for d in nodes}]
edges = []
if "in" in direction:
new = [edge.toJsonEdge() for edge in self.incomingRelations]
edges.extend(new)
else:
if "out" in direction:
new = [edge.toJsonEdge() for edge in self.outgoingRelations]
edges.extend(new)
else:
new = [edge.toJsonEdge() for edge in self.incomingRelations]
edges.extend(new)
new = [edge.toJsonEdge() for edge in self.outgoingRelations]
edges.extend(new)
ret = {"focusNode": address, "nodes": nodes, "edges": edges}
return ret
class ClusterEgoNet(object):
def __init__(self, focusCluster, clusterTags,
incomingRelations, outgoingRelations):
self.focusCluster = focusCluster
self.clusterTags = clusterTags
self.incomingRelations = incomingRelations
self.outgoingRelations = outgoingRelations
self.focusNode = [{
"id": self.focusCluster.cluster,
"nodeType": "cluster",
"received": self.focusCluster.totalReceived["satoshi"],
"balance": (self.focusCluster.totalReceived["satoshi"] -
self.focusCluster.totalSpent["satoshi"]),
}]
def dedupNodes(self, clusterRelations):
dedupNodes = {relation.id(): relation for relation in clusterRelations}
return dedupNodes.values()
def construct(self, cluster, direction):
nodes = []
nodes.extend(self.focusNode)
if "in" in direction:
new = [node.toJsonNode() for node
in self.dedupNodes(self.incomingRelations)]
nodes.extend(new)
else:
if "out" in direction:
new = [node.toJsonNode() for node
in self.dedupNodes(self.outgoingRelations)]
nodes.extend(new)
else:
new = [node.toJsonNode() for node
in self.dedupNodes(self.incomingRelations)]
nodes.extend(new)
new = [node.toJsonNode() for node
in self.dedupNodes(self.outgoingRelations)]
nodes.extend(new)
# remove duplicate nodes
nodes = [dict(t) for t in {tuple(d.items()) for d in nodes}]
edges = []
if "in" in direction:
new = [edge.toJsonEdge() for edge in self.incomingRelations]
edges.extend(new)
else:
if "out" in direction:
new = [edge.toJsonEdge() for edge in self.outgoingRelations]
edges.extend(new)
else:
new = [edge.toJsonEdge() for edge in self.incomingRelations]
edges.extend(new)
new = [edge.toJsonEdge() for edge in self.outgoingRelations]
edges.extend(new)
ret = {"focusNode": cluster, "nodes": nodes, "edges": edges}
return ret
class ClusterAddresses(object):
def __init__(self, row, exchange_rate):
self.cluster = str(row.cluster)
self.address = row.address
self.noIncomingTxs = row.no_incoming_txs
self.noOutgoingTxs = row.no_outgoing_txs
self.firstTx = TxIdTime(row.first_tx.height,
byte_to_hex(row.first_tx.tx_hash),
row.first_tx.timestamp).__dict__
self.lastTx = TxIdTime(row.last_tx.height,
byte_to_hex(row.last_tx.tx_hash),
row.last_tx.timestamp).__dict__
totalReceived = Value(row.total_received.satoshi,
round(row.total_received.eur, 2),
round(row.total_received.usd, 2))
self.totalReceived = totalReceived.__dict__
totalSpent = Value(row.total_spent.satoshi,
round(row.total_spent.eur, 2),
round(row.total_spent.usd, 2))
self.totalSpent = totalSpent.__dict__
balance = compute_balance(row.total_received.satoshi,
row.total_spent.satoshi,
exchange_rate)
self.balance = balance.__dict__
self.inDegree = row.in_degree
self.outDegree = row.out_degree
| def byte_to_hex(bytebuffer):
return ''.join(('%02x' % a for a in bytebuffer))
class Txinputoutput(object):
def __init__(self, address, value):
self.address = address[0]
self.value = value
class Value(object):
def __init__(self, satoshi, eur, usd):
self.satoshi = satoshi
self.eur = round(eur, 2)
self.usd = round(usd, 2)
def __sub__(self, other):
return value(self.satoshi - other.satoshi, round(self.eur - other.eur, 2), round(self.usd - other.usd, 2))
class Txidtime(object):
def __init__(self, height, tx_hash, timestamp):
self.height = height
self.tx_hash = tx_hash
self.timestamp = timestamp
def serialize(self):
return {'height': self.height, 'tx_hash': self.tx_hash, 'timestamp': self.timestamp}
class Addresssummary(object):
def __init__(self, total_received, total_spent):
self.totalReceived = total_received
self.totalSpent = total_spent
class Exchangerate(object):
def __init__(self, d):
self.eur = d['eur']
self.usd = d['usd']
class Statistics(object):
def __init__(self, row):
self.no_blocks = row.no_blocks
self.no_address_relations = row.no_address_relations
self.no_addresses = row.no_addresses
self.no_clusters = row.no_clusters
self.no_transactions = row.no_transactions
self.no_labels = row.no_tags
self.timestamp = row.timestamp
class Tag(object):
def __init__(self, row):
self.address = row.address
self.label = row.label
self.category = row.category
self.tagpack_uri = row.tagpack_uri
self.source = row.source
self.lastmod = row.lastmod
class Label(object):
def __init__(self, row):
self.label_norm_prefix = row.label_norm_prefix
self.label_norm = row.label_norm
self.label = row.label
self.address_count = row.address_count
class Transaction(object):
def __init__(self, row, rates):
self.txHash = byte_to_hex(row.tx_hash)
self.coinbase = row.coinbase
self.height = row.height
if row.inputs:
self.inputs = [tx_input_output(input.address, value(input.value, round(input.value * rates.eur * 1e-08, 2), round(input.value * rates.usd * 1e-08, 2)).__dict__).__dict__ for input in row.inputs]
else:
self.inputs = []
self.outputs = [tx_input_output(output.address, value(output.value, round(output.value * rates.eur * 1e-08, 2), round(output.value * rates.usd * 1e-08, 2)).__dict__).__dict__ for output in row.outputs if output.address]
self.timestamp = row.timestamp
self.totalInput = value(row.total_input, round(row.total_input * rates.eur * 1e-08, 2), round(row.total_input * rates.usd * 1e-08, 2)).__dict__
self.totalOutput = value(row.total_output, round(row.total_output * rates.eur * 1e-08, 2), round(row.total_output * rates.usd * 1e-08, 2)).__dict__
class Blocktransaction(object):
def __init__(self, row, rates):
self.txHash = byte_to_hex(row.tx_hash)
self.noInputs = row.no_inputs
self.noOutputs = row.no_outputs
self.totalInput = value(row.total_input, round(row.total_input * rates.eur * 1e-08, 2), round(row.total_input * rates.usd * 1e-08, 2)).__dict__
self.totalOutput = value(row.total_output, round(row.total_output * rates.eur * 1e-08, 2), round(row.total_output * rates.usd * 1e-08, 2)).__dict__
class Block(object):
def __init__(self, row):
self.height = row.height
self.blockHash = byte_to_hex(row.block_hash)
self.noTransactions = row.no_transactions
self.timestamp = row.timestamp
class Blockwithtransactions(object):
def __init__(self, row, rates):
self.height = row.height
self.txs = [block_transaction(tx, rates).__dict__ for tx in row.txs]
class Address(object):
def __init__(self, row, exchange_rate):
self.address_prefix = row.address_prefix
self.address = row.address
self.firstTx = tx_id_time(row.first_tx.height, byte_to_hex(row.first_tx.tx_hash), row.first_tx.timestamp).__dict__
self.lastTx = tx_id_time(row.last_tx.height, byte_to_hex(row.last_tx.tx_hash), row.last_tx.timestamp).__dict__
self.noIncomingTxs = row.no_incoming_txs
self.noOutgoingTxs = row.no_outgoing_txs
received = value(row.total_received.satoshi, round(row.total_received.eur, 2), round(row.total_received.usd, 2))
self.totalReceived = received.__dict__
spent = value(row.total_spent.satoshi, round(row.total_spent.eur, 2), round(row.total_spent.usd, 2))
self.totalSpent = spent.__dict__
balance = compute_balance(row.total_received.satoshi, row.total_spent.satoshi, exchange_rate)
self.balance = balance.__dict__
self.inDegree = row.in_degree
self.outDegree = row.out_degree
def compute_balance(total_received_satoshi, total_spent_satoshi, exchange_rate):
balance_satoshi = total_received_satoshi - total_spent_satoshi
balance = value(balance_satoshi, round(balance_satoshi * exchange_rate.eur * 1e-08, 2), round(balance_satoshi * exchange_rate.usd * 1e-08, 2))
return balance
def compute_exchanged_value(value, exchange_rate):
return value(value, round(value * exchange_rate.eur * 1e-08, 2), round(value * exchange_rate.usd * 1e-08, 2))
class Addresstransactions(object):
def __init__(self, row, rates):
self.address = row.address
self.address_prefix = row.address_prefix
self.txHash = byte_to_hex(row.tx_hash)
self.value = value(row.value, round(row.value * rates.eur * 1e-08, 2), round(row.value * rates.usd * 1e-08, 2)).__dict__
self.height = row.height
self.timestamp = row.timestamp
self.txIndex = row.tx_index
class Cluster(object):
def __init__(self, row, exchange_rate):
self.cluster = int(row.cluster)
self.firstTx = tx_id_time(row.first_tx.height, byte_to_hex(row.first_tx.tx_hash), row.first_tx.timestamp).__dict__
self.lastTx = tx_id_time(row.last_tx.height, byte_to_hex(row.last_tx.tx_hash), row.last_tx.timestamp).__dict__
self.noAddresses = row.no_addresses
self.noIncomingTxs = row.no_incoming_txs
self.noOutgoingTxs = row.no_outgoing_txs
received = value(row.total_received.satoshi, round(row.total_received.eur, 2), round(row.total_received.usd, 2))
self.totalReceived = received.__dict__
spent = value(row.total_spent.satoshi, round(row.total_spent.eur, 2), round(row.total_spent.usd, 2))
self.totalSpent = spent.__dict__
balance = compute_balance(row.total_received.satoshi, row.total_spent.satoshi, exchange_rate)
self.balance = balance.__dict__
self.inDegree = row.in_degree
self.outDegree = row.out_degree
class Addressincomingrelations(object):
def __init__(self, row, exchange_rate):
self.dstAddressPrefix = row.dst_address_prefix
self.dstAddress = row.dst_address
self.estimatedValue = value(row.estimated_value.satoshi, round(row.estimated_value.eur, 2), round(row.estimated_value.usd, 2)).__dict__
self.srcAddress = row.src_address
self.noTransactions = row.no_transactions
self.srcBalance = compute_balance(row.src_properties.total_received, row.src_properties.total_spent, exchange_rate)
self.srcTotalReceived = compute_exchanged_value(row.src_properties.total_received, exchange_rate)
self.srcProperties = address_summary(row.src_properties.total_received, row.src_properties.total_spent)
def id(self):
return self.srcAddress
def to_json_node(self):
node = {'id': self.id(), 'nodeType': 'address', 'received': self.srcProperties.totalReceived, 'balance': self.srcProperties.totalReceived - self.srcProperties.totalSpent}
return node
def to_json_edge(self):
edge = {'source': self.srcAddress, 'target': self.dstAddress, 'transactions': self.noTransactions, 'estimatedValue': self.estimatedValue}
return edge
def to_json(self):
return {'id': self.id(), 'nodeType': 'address', 'received': self.srcTotalReceived.__dict__, 'balance': self.srcBalance.__dict__, 'noTransactions': self.noTransactions, 'estimatedValue': self.estimatedValue}
class Addressoutgoingrelations(object):
def __init__(self, row, exchange_rate):
self.srcAddressPrefix = row.src_address_prefix
self.srcAddress = row.src_address
self.estimatedValue = value(row.estimated_value.satoshi, round(row.estimated_value.eur, 2), round(row.estimated_value.usd, 2)).__dict__
self.dstAddress = row.dst_address
self.noTransactions = row.no_transactions
self.dstBalance = compute_balance(row.dst_properties.total_received, row.dst_properties.total_spent, exchange_rate)
self.dstTotalReceived = compute_exchanged_value(row.dst_properties.total_received, exchange_rate)
self.dstProperties = address_summary(row.dst_properties.total_received, row.dst_properties.total_spent)
def id(self):
return self.dstAddress
def to_json_node(self):
node = {'id': self.id(), 'nodeType': 'address', 'received': self.dstProperties.totalReceived, 'balance': self.dstProperties.totalReceived - self.dstProperties.totalSpent}
return node
def to_json_edge(self):
edge = {'source': self.srcAddress, 'target': self.dstAddress, 'transactions': self.noTransactions, 'estimatedValue': self.estimatedValue}
return edge
def to_json(self):
return {'id': self.id(), 'nodeType': 'address', 'received': self.dstTotalReceived.__dict__, 'balance': self.dstBalance.__dict__, 'noTransactions': self.noTransactions, 'estimatedValue': self.estimatedValue}
class Clustersummary(object):
def __init__(self, no_addresses, total_received, total_spent):
self.noAddresses = no_addresses
self.totalReceived = total_received
self.totalSpent = total_spent
class Clusterincomingrelations(object):
def __init__(self, row, exchange_rate):
self.dstCluster = str(row.dst_cluster)
self.srcCluster = str(row.src_cluster)
self.srcProperties = cluster_summary(row.src_properties.no_addresses, row.src_properties.total_received, row.src_properties.total_spent)
self.value = value(row.value.satoshi, round(row.value.eur, 2), round(row.value.usd, 2)).__dict__
self.noTransactions = row.no_transactions
self.srcBalance = compute_balance(row.src_properties.total_received, row.src_properties.total_spent, exchange_rate)
self.srcTotalReceived = compute_exchanged_value(row.src_properties.total_received, exchange_rate)
def id(self):
return self.srcCluster
def to_json_node(self):
node = {'id': self.id(), 'nodeType': 'cluster' if self.id().isdigit() else 'address', 'received': self.srcProperties.totalReceived, 'balance': self.srcProperties.totalReceived - self.srcProperties.totalSpent}
return node
def to_json_edge(self):
edge = {'source': self.srcCluster, 'target': self.dstCluster, 'transactions': self.noTransactions, 'estimatedValue': self.value}
return edge
def to_json(self):
return {'id': self.id(), 'nodeType': 'cluster' if self.id().isdigit() else 'address', 'received': self.srcTotalReceived.__dict__, 'balance': self.srcBalance.__dict__, 'noTransactions': self.noTransactions, 'estimatedValue': self.value}
class Clusteroutgoingrelations(object):
def __init__(self, row, exchange_rate):
self.srcCluster = str(row.src_cluster)
self.dstCluster = str(row.dst_cluster)
self.dstProperties = cluster_summary(row.dst_properties.no_addresses, row.dst_properties.total_received, row.dst_properties.total_spent)
self.value = value(row.value.satoshi, round(row.value.eur, 2), round(row.value.usd, 2)).__dict__
self.noTransactions = row.no_transactions
self.dstBalance = compute_balance(row.dst_properties.total_received, row.dst_properties.total_spent, exchange_rate)
self.dstTotalReceived = compute_exchanged_value(row.dst_properties.total_received, exchange_rate)
def id(self):
return self.dstCluster
def to_json_node(self):
node = {'id': self.id(), 'nodeType': 'cluster' if self.id().isdigit() else 'address', 'received': self.dstProperties.totalReceived, 'balance': self.dstProperties.totalReceived - self.dstProperties.totalSpent}
return node
def to_json_edge(self):
edge = {'source': self.srcCluster, 'target': self.dstCluster, 'transactions': self.noTransactions, 'estimatedValue': self.value}
return edge
def to_json(self):
return {'id': self.id(), 'nodeType': 'cluster' if self.id().isdigit() else 'address', 'received': self.dstTotalReceived.__dict__, 'balance': self.dstBalance.__dict__, 'noTransactions': self.noTransactions, 'estimatedValue': self.value}
class Addressegonet(object):
def __init__(self, focus_address, explicit_tags, implicit_tags, incoming_relations, outgoing_relations):
self.focusAddress = focus_address
self.explicitTags = explicit_tags
self.implicitTags = implicit_tags
self.incomingRelations = incoming_relations
self.outgoingRelations = outgoing_relations
self.focusNode = [{'id': self.focusAddress.address, 'nodeType': 'address', 'received': self.focusAddress.totalReceived['satoshi'], 'balance': self.focusAddress.totalReceived['satoshi'] - self.focusAddress.totalSpent['satoshi']}]
def dedup_nodes(self, addrRelations):
dedup_nodes = {relation.id(): relation for relation in addrRelations}
return dedupNodes.values()
def construct(self, address, direction):
nodes = []
if 'in' in direction:
nodes.extend(self.focusNode)
e_nodes = [node.toJsonNode() for node in self.dedupNodes(self.incomingRelations)]
nodes.extend(eNodes)
elif 'out' in direction:
nodes.extend(self.focusNode)
e_nodes = [node.toJsonNode() for node in self.dedupNodes(self.outgoingRelations)]
nodes.extend(eNodes)
else:
nodes.extend(self.focusNode)
e_nodes = [node.toJsonNode() for node in self.dedupNodes(self.incomingRelations)]
nodes.extend(eNodes)
e_nodes = [node.toJsonNode() for node in self.dedupNodes(self.outgoingRelations)]
nodes.extend(eNodes)
nodes = [dict(t) for t in {tuple(d.items()) for d in nodes}]
edges = []
if 'in' in direction:
new = [edge.toJsonEdge() for edge in self.incomingRelations]
edges.extend(new)
elif 'out' in direction:
new = [edge.toJsonEdge() for edge in self.outgoingRelations]
edges.extend(new)
else:
new = [edge.toJsonEdge() for edge in self.incomingRelations]
edges.extend(new)
new = [edge.toJsonEdge() for edge in self.outgoingRelations]
edges.extend(new)
ret = {'focusNode': address, 'nodes': nodes, 'edges': edges}
return ret
class Clusteregonet(object):
def __init__(self, focusCluster, clusterTags, incomingRelations, outgoingRelations):
self.focusCluster = focusCluster
self.clusterTags = clusterTags
self.incomingRelations = incomingRelations
self.outgoingRelations = outgoingRelations
self.focusNode = [{'id': self.focusCluster.cluster, 'nodeType': 'cluster', 'received': self.focusCluster.totalReceived['satoshi'], 'balance': self.focusCluster.totalReceived['satoshi'] - self.focusCluster.totalSpent['satoshi']}]
def dedup_nodes(self, clusterRelations):
dedup_nodes = {relation.id(): relation for relation in clusterRelations}
return dedupNodes.values()
def construct(self, cluster, direction):
nodes = []
nodes.extend(self.focusNode)
if 'in' in direction:
new = [node.toJsonNode() for node in self.dedupNodes(self.incomingRelations)]
nodes.extend(new)
elif 'out' in direction:
new = [node.toJsonNode() for node in self.dedupNodes(self.outgoingRelations)]
nodes.extend(new)
else:
new = [node.toJsonNode() for node in self.dedupNodes(self.incomingRelations)]
nodes.extend(new)
new = [node.toJsonNode() for node in self.dedupNodes(self.outgoingRelations)]
nodes.extend(new)
nodes = [dict(t) for t in {tuple(d.items()) for d in nodes}]
edges = []
if 'in' in direction:
new = [edge.toJsonEdge() for edge in self.incomingRelations]
edges.extend(new)
elif 'out' in direction:
new = [edge.toJsonEdge() for edge in self.outgoingRelations]
edges.extend(new)
else:
new = [edge.toJsonEdge() for edge in self.incomingRelations]
edges.extend(new)
new = [edge.toJsonEdge() for edge in self.outgoingRelations]
edges.extend(new)
ret = {'focusNode': cluster, 'nodes': nodes, 'edges': edges}
return ret
class Clusteraddresses(object):
def __init__(self, row, exchange_rate):
self.cluster = str(row.cluster)
self.address = row.address
self.noIncomingTxs = row.no_incoming_txs
self.noOutgoingTxs = row.no_outgoing_txs
self.firstTx = tx_id_time(row.first_tx.height, byte_to_hex(row.first_tx.tx_hash), row.first_tx.timestamp).__dict__
self.lastTx = tx_id_time(row.last_tx.height, byte_to_hex(row.last_tx.tx_hash), row.last_tx.timestamp).__dict__
total_received = value(row.total_received.satoshi, round(row.total_received.eur, 2), round(row.total_received.usd, 2))
self.totalReceived = totalReceived.__dict__
total_spent = value(row.total_spent.satoshi, round(row.total_spent.eur, 2), round(row.total_spent.usd, 2))
self.totalSpent = totalSpent.__dict__
balance = compute_balance(row.total_received.satoshi, row.total_spent.satoshi, exchange_rate)
self.balance = balance.__dict__
self.inDegree = row.in_degree
self.outDegree = row.out_degree |
def all_binary(k):
if k == 0:
return []
if k == 1:
return ["0", "1"]
return [f"0{x}" for x in all_binary(k - 1)] + [f"1{x}" for x in all_binary(k - 1)]
def all_k_in_str(str, k):
kmersFound = {}
for kmer in all_binary(k):
kmersFound[kmer] = False
n_kmers_found = 0
n_kmers_needed = int(2 ** k)
for start_idx in range(len(str) - k + 1):
kmer = str[start_idx:(start_idx+k)]
if not kmersFound[kmer]:
kmersFound[kmer] = True
n_kmers_found += 1
if n_kmers_found == n_kmers_needed:
return True
return False
| def all_binary(k):
if k == 0:
return []
if k == 1:
return ['0', '1']
return [f'0{x}' for x in all_binary(k - 1)] + [f'1{x}' for x in all_binary(k - 1)]
def all_k_in_str(str, k):
kmers_found = {}
for kmer in all_binary(k):
kmersFound[kmer] = False
n_kmers_found = 0
n_kmers_needed = int(2 ** k)
for start_idx in range(len(str) - k + 1):
kmer = str[start_idx:start_idx + k]
if not kmersFound[kmer]:
kmersFound[kmer] = True
n_kmers_found += 1
if n_kmers_found == n_kmers_needed:
return True
return False |
FreeSerifItalic18pt7bBitmaps = [
0x01, 0xC0, 0xF0, 0x3C, 0x0F, 0x03, 0x81, 0xE0, 0x70, 0x1C, 0x06, 0x01,
0x80, 0xC0, 0x30, 0x0C, 0x02, 0x01, 0x80, 0x40, 0x10, 0x00, 0x00, 0x01,
0x80, 0xF0, 0x3C, 0x06, 0x00, 0x38, 0x77, 0x8F, 0x78, 0xF7, 0x0E, 0x60,
0xE6, 0x0C, 0xC1, 0x8C, 0x18, 0x81, 0x00, 0x00, 0x60, 0xC0, 0x0C, 0x38,
0x03, 0x86, 0x00, 0x60, 0xC0, 0x0C, 0x38, 0x03, 0x06, 0x00, 0x60, 0xC0,
0xFF, 0xFF, 0x1F, 0xFF, 0xE0, 0x61, 0xC0, 0x1C, 0x30, 0x03, 0x06, 0x00,
0x61, 0xC0, 0x18, 0x30, 0x3F, 0xFF, 0xC7, 0xFF, 0xF8, 0x18, 0x30, 0x03,
0x0E, 0x00, 0xE1, 0x80, 0x18, 0x30, 0x03, 0x0C, 0x00, 0xC1, 0x80, 0x18,
0x70, 0x00, 0x00, 0x08, 0x00, 0x30, 0x00, 0x40, 0x0F, 0xC0, 0x61, 0xE1,
0x86, 0xC6, 0x0D, 0x8C, 0x1A, 0x18, 0x24, 0x38, 0xC0, 0x39, 0x80, 0x7F,
0x00, 0x7E, 0x00, 0x3E, 0x00, 0x3E, 0x00, 0x7C, 0x00, 0xDC, 0x03, 0x38,
0x06, 0x32, 0x0C, 0x64, 0x18, 0xDC, 0x71, 0xB8, 0xC6, 0x39, 0x8C, 0x3F,
0x30, 0x1F, 0x80, 0x18, 0x00, 0x30, 0x00, 0x60, 0x00, 0x07, 0x80, 0x60,
0x0F, 0xE0, 0xE0, 0x0F, 0x0F, 0xB0, 0x0E, 0x04, 0x30, 0x07, 0x02, 0x18,
0x07, 0x01, 0x18, 0x03, 0x00, 0x8C, 0x01, 0x80, 0x8C, 0x00, 0xC0, 0x4C,
0x00, 0x60, 0x66, 0x1F, 0x30, 0x66, 0x1F, 0xCC, 0x63, 0x1C, 0x67, 0xE3,
0x1C, 0x19, 0xE1, 0x1C, 0x04, 0x01, 0x8C, 0x02, 0x00, 0x8E, 0x01, 0x00,
0xC7, 0x00, 0x80, 0xC3, 0x00, 0x80, 0x61, 0x80, 0xC0, 0x60, 0xC0, 0xC0,
0x20, 0x70, 0xE0, 0x30, 0x1F, 0xC0, 0x10, 0x07, 0xC0, 0x00, 0x1E, 0x00,
0x00, 0xFC, 0x00, 0x07, 0x18, 0x00, 0x18, 0x60, 0x00, 0xE1, 0x80, 0x03,
0x8C, 0x00, 0x0E, 0x60, 0x00, 0x3B, 0x00, 0x00, 0xF0, 0x00, 0x07, 0x80,
0x00, 0x7F, 0x1F, 0xC3, 0x3C, 0x1C, 0x38, 0x70, 0x61, 0xE1, 0xE3, 0x87,
0x07, 0x8C, 0x3C, 0x0F, 0x60, 0xF0, 0x3D, 0x03, 0xC0, 0x78, 0x0F, 0x01,
0xE0, 0x3E, 0x07, 0xC0, 0x7C, 0x77, 0x84, 0xFF, 0x8F, 0xE1, 0xF8, 0x0F,
0x00, 0x3B, 0xDE, 0xE7, 0x33, 0x18, 0x80, 0x00, 0x80, 0x80, 0x80, 0x80,
0xC0, 0xC0, 0xE0, 0x60, 0x70, 0x38, 0x18, 0x0C, 0x0E, 0x07, 0x03, 0x01,
0x80, 0xC0, 0x60, 0x30, 0x18, 0x0C, 0x06, 0x01, 0x00, 0x80, 0x40, 0x30,
0x08, 0x04, 0x02, 0x00, 0x04, 0x01, 0x00, 0x80, 0x60, 0x10, 0x08, 0x04,
0x03, 0x01, 0x80, 0xC0, 0x60, 0x30, 0x18, 0x0C, 0x0E, 0x07, 0x03, 0x81,
0x80, 0xC0, 0xE0, 0x60, 0x30, 0x30, 0x18, 0x18, 0x08, 0x08, 0x08, 0x08,
0x00, 0x06, 0x00, 0x60, 0x06, 0x0C, 0x43, 0xE4, 0xF1, 0x58, 0x0E, 0x00,
0xF0, 0x74, 0xEE, 0x47, 0xC4, 0x30, 0x60, 0x06, 0x00, 0x60, 0x01, 0x80,
0x01, 0x80, 0x01, 0x80, 0x01, 0x80, 0x01, 0x80, 0x01, 0x80, 0x01, 0x80,
0x01, 0x80, 0xFF, 0xFF, 0xFF, 0xFF, 0x01, 0x80, 0x01, 0x80, 0x01, 0x80,
0x01, 0x80, 0x01, 0x80, 0x01, 0x80, 0x01, 0x80, 0x01, 0x80, 0x31, 0xCE,
0x31, 0x08, 0x98, 0xFF, 0xFF, 0x6F, 0xF6, 0x00, 0x06, 0x00, 0x0E, 0x00,
0x0C, 0x00, 0x1C, 0x00, 0x38, 0x00, 0x30, 0x00, 0x70, 0x00, 0x60, 0x00,
0xE0, 0x00, 0xC0, 0x01, 0xC0, 0x03, 0x80, 0x03, 0x00, 0x07, 0x00, 0x06,
0x00, 0x0E, 0x00, 0x0C, 0x00, 0x1C, 0x00, 0x38, 0x00, 0x30, 0x00, 0x70,
0x00, 0x60, 0x00, 0xE0, 0x00, 0x00, 0x78, 0x00, 0xC3, 0x00, 0xC1, 0xC0,
0xC0, 0x60, 0xE0, 0x30, 0xE0, 0x1C, 0x70, 0x0E, 0x70, 0x07, 0x38, 0x03,
0xBC, 0x01, 0xDC, 0x01, 0xEE, 0x00, 0xFF, 0x00, 0x7F, 0x80, 0x3B, 0x80,
0x1D, 0xC0, 0x1E, 0xE0, 0x0E, 0x70, 0x0F, 0x38, 0x07, 0x1C, 0x07, 0x06,
0x03, 0x83, 0x83, 0x80, 0xC3, 0x00, 0x1F, 0x00, 0x00, 0xF0, 0x7F, 0x00,
0x70, 0x07, 0x00, 0xE0, 0x0E, 0x00, 0xE0, 0x0E, 0x01, 0xC0, 0x1C, 0x01,
0xC0, 0x38, 0x03, 0x80, 0x38, 0x03, 0x80, 0x70, 0x07, 0x00, 0x70, 0x0E,
0x00, 0xE0, 0x0E, 0x00, 0xE0, 0x1E, 0x0F, 0xF8, 0x01, 0xF0, 0x07, 0xFC,
0x0C, 0x3E, 0x10, 0x1F, 0x20, 0x0F, 0x00, 0x0F, 0x00, 0x0F, 0x00, 0x0F,
0x00, 0x1E, 0x00, 0x1C, 0x00, 0x38, 0x00, 0x30, 0x00, 0x70, 0x00, 0xE0,
0x01, 0xC0, 0x03, 0x80, 0x07, 0x00, 0x0E, 0x00, 0x1C, 0x00, 0x38, 0x04,
0x30, 0x0C, 0x7F, 0xF8, 0xFF, 0xF0, 0x00, 0x7C, 0x00, 0xFF, 0x00, 0xC3,
0xC0, 0x80, 0xF0, 0x00, 0x78, 0x00, 0x3C, 0x00, 0x1C, 0x00, 0x1C, 0x00,
0x38, 0x00, 0xF0, 0x03, 0xFC, 0x00, 0x1F, 0x00, 0x03, 0xC0, 0x01, 0xE0,
0x00, 0x70, 0x00, 0x38, 0x00, 0x1C, 0x00, 0x0E, 0x00, 0x06, 0x00, 0x07,
0x00, 0x03, 0x07, 0x87, 0x03, 0xFF, 0x00, 0xFC, 0x00, 0x00, 0x01, 0x80,
0x01, 0x80, 0x01, 0xC0, 0x01, 0xE0, 0x01, 0xF0, 0x01, 0xB0, 0x01, 0xB8,
0x01, 0x9C, 0x01, 0x8C, 0x00, 0x86, 0x00, 0x87, 0x00, 0x83, 0x80, 0x81,
0x80, 0x81, 0xC0, 0xC0, 0xE0, 0xC0, 0x70, 0xFF, 0xFF, 0x7F, 0xFF, 0x00,
0x1C, 0x00, 0x0C, 0x00, 0x0E, 0x00, 0x07, 0x00, 0x03, 0x80, 0x01, 0x80,
0x01, 0xFF, 0x01, 0xFF, 0x02, 0x00, 0x02, 0x00, 0x06, 0x00, 0x07, 0x00,
0x0F, 0xC0, 0x0F, 0xF0, 0x00, 0xF8, 0x00, 0x38, 0x00, 0x1C, 0x00, 0x1C,
0x00, 0x0C, 0x00, 0x0C, 0x00, 0x0C, 0x00, 0x0C, 0x00, 0x08, 0x00, 0x18,
0x00, 0x30, 0x00, 0x30, 0x70, 0xE0, 0xFF, 0x80, 0x7E, 0x00, 0x00, 0x03,
0x80, 0x1F, 0x00, 0x3C, 0x00, 0x3C, 0x00, 0x38, 0x00, 0x38, 0x00, 0x38,
0x00, 0x3C, 0x00, 0x3D, 0xF0, 0x1F, 0xFE, 0x1F, 0x0F, 0x8E, 0x03, 0xC7,
0x00, 0xF7, 0x00, 0x7B, 0x80, 0x3D, 0x80, 0x1E, 0xC0, 0x0F, 0x60, 0x0F,
0xB0, 0x07, 0x98, 0x03, 0xC4, 0x03, 0xC3, 0x03, 0xC0, 0xC3, 0x80, 0x1F,
0x00, 0x3F, 0xFF, 0x7F, 0xFE, 0x40, 0x0E, 0x80, 0x0C, 0x00, 0x18, 0x00,
0x18, 0x00, 0x30, 0x00, 0x70, 0x00, 0x60, 0x00, 0xC0, 0x01, 0xC0, 0x01,
0x80, 0x03, 0x80, 0x03, 0x00, 0x06, 0x00, 0x0E, 0x00, 0x0C, 0x00, 0x1C,
0x00, 0x18, 0x00, 0x30, 0x00, 0x70, 0x00, 0x60, 0x00, 0xE0, 0x00, 0x00,
0xF8, 0x03, 0x0E, 0x06, 0x06, 0x0C, 0x03, 0x0C, 0x03, 0x0C, 0x03, 0x0C,
0x03, 0x0E, 0x06, 0x07, 0x8E, 0x07, 0xD8, 0x03, 0xE0, 0x07, 0xF0, 0x1C,
0xF8, 0x30, 0x3C, 0x60, 0x1C, 0x60, 0x0E, 0xC0, 0x06, 0xC0, 0x06, 0xC0,
0x06, 0xC0, 0x06, 0xE0, 0x0C, 0x60, 0x18, 0x38, 0x30, 0x0F, 0xC0, 0x01,
0xF8, 0x07, 0x8C, 0x0E, 0x06, 0x1E, 0x02, 0x3C, 0x03, 0x3C, 0x03, 0x78,
0x03, 0x78, 0x03, 0x78, 0x03, 0x78, 0x07, 0x78, 0x07, 0x78, 0x07, 0x3C,
0x0E, 0x3E, 0x1E, 0x1F, 0xEE, 0x07, 0x9C, 0x00, 0x38, 0x00, 0x78, 0x00,
0x70, 0x01, 0xE0, 0x03, 0xC0, 0x0F, 0x00, 0x3C, 0x00, 0xE0, 0x00, 0x0C,
0x3C, 0x78, 0x60, 0x00, 0x00, 0x00, 0x00, 0x00, 0x03, 0x0F, 0x1E, 0x18,
0x00, 0x07, 0x03, 0xC1, 0xE0, 0x60, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00,
0x00, 0x02, 0x03, 0x81, 0xC0, 0xE0, 0x30, 0x10, 0x10, 0x10, 0x00, 0x00,
0x00, 0x00, 0xC0, 0x01, 0xF0, 0x01, 0xF8, 0x01, 0xF8, 0x01, 0xF0, 0x01,
0xF0, 0x03, 0xF0, 0x03, 0xF0, 0x00, 0xF0, 0x00, 0x3E, 0x00, 0x07, 0xE0,
0x00, 0x7E, 0x00, 0x03, 0xE0, 0x00, 0x3E, 0x00, 0x03, 0xF0, 0x00, 0x3F,
0x00, 0x03, 0xC0, 0x00, 0x10, 0xFF, 0xFF, 0xFF, 0xFF, 0xF0, 0x00, 0x00,
0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x03, 0xFF, 0xFF, 0xFF,
0xFF, 0xC0, 0xC0, 0x00, 0x3C, 0x00, 0x07, 0xE0, 0x00, 0x7E, 0x00, 0x07,
0xE0, 0x00, 0x3E, 0x00, 0x03, 0xE0, 0x00, 0x3F, 0x00, 0x03, 0xC0, 0x01,
0xF0, 0x01, 0xF8, 0x01, 0xF8, 0x01, 0xF0, 0x01, 0xF0, 0x03, 0xF0, 0x03,
0xF0, 0x00, 0xF0, 0x00, 0x20, 0x00, 0x00, 0x0F, 0x81, 0x86, 0x30, 0x33,
0x03, 0x30, 0x30, 0x03, 0x00, 0x60, 0x0E, 0x01, 0xC0, 0x38, 0x06, 0x00,
0xC0, 0x08, 0x01, 0x00, 0x10, 0x02, 0x00, 0x00, 0x00, 0x00, 0x00, 0x06,
0x00, 0xF0, 0x0F, 0x00, 0x60, 0x00, 0x00, 0x7F, 0x00, 0x03, 0xFF, 0xE0,
0x07, 0x80, 0xF0, 0x0E, 0x00, 0x38, 0x1C, 0x00, 0x0C, 0x38, 0x0E, 0x06,
0x70, 0x3F, 0xE2, 0x70, 0x71, 0xE3, 0xF0, 0x60, 0xE1, 0xE0, 0xC0, 0xC1,
0xE0, 0xC0, 0xC1, 0xE1, 0x81, 0xC1, 0xE1, 0x81, 0xC1, 0xE1, 0x81, 0x82,
0xE1, 0x83, 0x82, 0x71, 0x83, 0x86, 0x71, 0xC7, 0x8C, 0x38, 0xF9, 0xF8,
0x3C, 0xF0, 0xF0, 0x1E, 0x00, 0x00, 0x0F, 0x80, 0x30, 0x03, 0xFF, 0xE0,
0x00, 0x7F, 0x00, 0x00, 0x03, 0x00, 0x00, 0x18, 0x00, 0x01, 0xC0, 0x00,
0x1E, 0x00, 0x00, 0xF0, 0x00, 0x0F, 0x80, 0x00, 0x5E, 0x00, 0x04, 0xF0,
0x00, 0x63, 0x80, 0x02, 0x1C, 0x00, 0x20, 0xE0, 0x01, 0x07, 0x00, 0x10,
0x3C, 0x01, 0xFF, 0xE0, 0x0F, 0xFF, 0x00, 0xC0, 0x38, 0x04, 0x01, 0xC0,
0x60, 0x0E, 0x06, 0x00, 0x78, 0x30, 0x03, 0xC3, 0x00, 0x1E, 0x38, 0x00,
0xFB, 0xF0, 0x1F, 0xE0, 0x07, 0xFF, 0x80, 0x0F, 0xFF, 0x00, 0x78, 0x3C,
0x03, 0xC0, 0xF0, 0x1E, 0x07, 0x80, 0xE0, 0x3C, 0x07, 0x01, 0xE0, 0x78,
0x1E, 0x03, 0x83, 0xE0, 0x1F, 0xF8, 0x01, 0xFF, 0xC0, 0x0F, 0x0F, 0x00,
0x70, 0x3C, 0x03, 0x80, 0xF0, 0x3C, 0x07, 0x81, 0xC0, 0x3C, 0x0E, 0x01,
0xE0, 0xF0, 0x0F, 0x07, 0x80, 0xF0, 0x38, 0x0F, 0x81, 0xC1, 0xF8, 0x1F,
0xFF, 0x83, 0xFF, 0xE0, 0x00, 0x00, 0x3F, 0x08, 0x07, 0xFF, 0xC0, 0xF8,
0x3E, 0x0F, 0x00, 0x70, 0xF0, 0x03, 0x8F, 0x00, 0x08, 0xF0, 0x00, 0x47,
0x80, 0x00, 0x78, 0x00, 0x03, 0xC0, 0x00, 0x1E, 0x00, 0x01, 0xE0, 0x00,
0x0F, 0x00, 0x00, 0x78, 0x00, 0x03, 0xC0, 0x00, 0x1E, 0x00, 0x00, 0xF0,
0x00, 0x03, 0x80, 0x02, 0x1E, 0x00, 0x20, 0x78, 0x02, 0x03, 0xE0, 0x60,
0x07, 0xFE, 0x00, 0x0F, 0xC0, 0x00, 0x07, 0xFF, 0xC0, 0x00, 0xFF, 0xFC,
0x00, 0x78, 0x1F, 0x00, 0x3C, 0x03, 0xC0, 0x1E, 0x00, 0xF0, 0x0E, 0x00,
0x78, 0x07, 0x00, 0x1E, 0x07, 0x80, 0x0F, 0x03, 0x80, 0x07, 0x81, 0xC0,
0x03, 0xC1, 0xE0, 0x01, 0xE0, 0xF0, 0x00, 0xF0, 0x70, 0x00, 0x78, 0x38,
0x00, 0x78, 0x3C, 0x00, 0x3C, 0x1E, 0x00, 0x3E, 0x0E, 0x00, 0x1E, 0x0F,
0x00, 0x1E, 0x07, 0x80, 0x1E, 0x03, 0x80, 0x3E, 0x01, 0xC0, 0x7E, 0x01,
0xFF, 0xFC, 0x03, 0xFF, 0xF0, 0x00, 0x07, 0xFF, 0xFC, 0x07, 0xFF, 0xF0,
0x1E, 0x01, 0xC0, 0x78, 0x02, 0x01, 0xE0, 0x08, 0x07, 0x00, 0x00, 0x1C,
0x08, 0x00, 0xF0, 0x60, 0x03, 0x83, 0x80, 0x0F, 0xFC, 0x00, 0x7F, 0xF0,
0x01, 0xE0, 0xC0, 0x07, 0x03, 0x00, 0x1C, 0x08, 0x00, 0xF0, 0x20, 0x03,
0x80, 0x00, 0x0E, 0x00, 0x00, 0x78, 0x00, 0x81, 0xE0, 0x06, 0x07, 0x00,
0x38, 0x1C, 0x03, 0xC0, 0xFF, 0xFF, 0x0F, 0xFF, 0xFC, 0x00, 0x07, 0xFF,
0xFC, 0x07, 0xFF, 0xF0, 0x1E, 0x01, 0xC0, 0x78, 0x02, 0x01, 0xE0, 0x08,
0x07, 0x00, 0x20, 0x1C, 0x00, 0x00, 0xF0, 0x20, 0x03, 0x81, 0x80, 0x0E,
0x0C, 0x00, 0x7F, 0xF0, 0x01, 0xFF, 0xC0, 0x07, 0x03, 0x00, 0x1C, 0x0C,
0x00, 0xF0, 0x20, 0x03, 0xC0, 0x00, 0x0E, 0x00, 0x00, 0x78, 0x00, 0x01,
0xE0, 0x00, 0x07, 0x00, 0x00, 0x1C, 0x00, 0x00, 0xF8, 0x00, 0x0F, 0xF8,
0x00, 0x00, 0x00, 0x3F, 0x02, 0x01, 0xFF, 0x88, 0x0F, 0x81, 0xF0, 0x3C,
0x01, 0xE0, 0xF0, 0x01, 0xC3, 0xC0, 0x01, 0x0F, 0x80, 0x02, 0x1E, 0x00,
0x00, 0x7C, 0x00, 0x00, 0xF0, 0x00, 0x01, 0xE0, 0x00, 0x07, 0xC0, 0x00,
0x0F, 0x00, 0x3F, 0xFE, 0x00, 0x1E, 0x3C, 0x00, 0x38, 0x78, 0x00, 0x70,
0xF0, 0x00, 0xE0, 0xE0, 0x01, 0xC1, 0xE0, 0x07, 0x01, 0xE0, 0x0E, 0x01,
0xF0, 0x3C, 0x01, 0xFF, 0xF0, 0x00, 0xFF, 0x00, 0x00, 0x07, 0xFC, 0x3F,
0xE0, 0x3E, 0x00, 0xF0, 0x07, 0x80, 0x1C, 0x00, 0xF0, 0x03, 0x80, 0x1C,
0x00, 0xF0, 0x03, 0x80, 0x1E, 0x00, 0x70, 0x03, 0x80, 0x1E, 0x00, 0x70,
0x03, 0x80, 0x1E, 0x00, 0x70, 0x03, 0x80, 0x1F, 0xFF, 0xF0, 0x03, 0xFF,
0xFE, 0x00, 0x70, 0x03, 0xC0, 0x0E, 0x00, 0x70, 0x03, 0xC0, 0x0E, 0x00,
0x70, 0x03, 0xC0, 0x0E, 0x00, 0x78, 0x03, 0xC0, 0x0E, 0x00, 0x78, 0x01,
0xC0, 0x0E, 0x00, 0x78, 0x01, 0xC0, 0x0E, 0x00, 0x78, 0x03, 0xE0, 0x3F,
0xE1, 0xFF, 0x00, 0x07, 0xFC, 0x07, 0xC0, 0x1E, 0x00, 0x78, 0x01, 0xC0,
0x07, 0x00, 0x1C, 0x00, 0xF0, 0x03, 0x80, 0x0E, 0x00, 0x78, 0x01, 0xE0,
0x07, 0x00, 0x1C, 0x00, 0xF0, 0x03, 0x80, 0x0E, 0x00, 0x78, 0x01, 0xE0,
0x07, 0x00, 0x1C, 0x00, 0xF0, 0x0F, 0xF8, 0x00, 0x00, 0xFF, 0x80, 0x0F,
0x00, 0x07, 0x80, 0x03, 0x80, 0x01, 0xC0, 0x01, 0xE0, 0x00, 0xF0, 0x00,
0x70, 0x00, 0x38, 0x00, 0x3C, 0x00, 0x1C, 0x00, 0x0E, 0x00, 0x0F, 0x00,
0x07, 0x80, 0x03, 0x80, 0x01, 0xC0, 0x01, 0xE0, 0x00, 0xE0, 0x00, 0x70,
0x1E, 0x78, 0x0F, 0x38, 0x07, 0xF8, 0x01, 0xF0, 0x00, 0x07, 0xFC, 0x7F,
0x80, 0xF8, 0x0F, 0x00, 0x38, 0x07, 0x00, 0x3C, 0x07, 0x00, 0x1C, 0x06,
0x00, 0x0E, 0x06, 0x00, 0x07, 0x0C, 0x00, 0x07, 0x8C, 0x00, 0x03, 0x9C,
0x00, 0x01, 0xD8, 0x00, 0x01, 0xFC, 0x00, 0x00, 0xFF, 0x00, 0x00, 0x73,
0x80, 0x00, 0x39, 0xE0, 0x00, 0x3C, 0x78, 0x00, 0x1C, 0x1C, 0x00, 0x0E,
0x0F, 0x00, 0x07, 0x03, 0x80, 0x07, 0x81, 0xE0, 0x03, 0x80, 0x70, 0x01,
0xC0, 0x3C, 0x01, 0xE0, 0x1F, 0x03, 0xFE, 0x3F, 0xE0, 0x07, 0xFC, 0x00,
0x1F, 0x00, 0x01, 0xE0, 0x00, 0x1E, 0x00, 0x01, 0xC0, 0x00, 0x1C, 0x00,
0x01, 0xC0, 0x00, 0x3C, 0x00, 0x03, 0x80, 0x00, 0x38, 0x00, 0x07, 0x80,
0x00, 0x78, 0x00, 0x07, 0x00, 0x00, 0x70, 0x00, 0x0F, 0x00, 0x00, 0xE0,
0x00, 0x0E, 0x00, 0x11, 0xE0, 0x03, 0x1E, 0x00, 0x61, 0xC0, 0x06, 0x1C,
0x01, 0xE3, 0xFF, 0xFC, 0xFF, 0xFF, 0xC0, 0x07, 0xF0, 0x00, 0x7E, 0x03,
0xE0, 0x01, 0xF0, 0x03, 0xC0, 0x03, 0xE0, 0x07, 0x80, 0x0F, 0x80, 0x1F,
0x00, 0x37, 0x00, 0x2E, 0x00, 0x5E, 0x00, 0x5C, 0x01, 0xB8, 0x01, 0xB8,
0x06, 0x70, 0x02, 0x78, 0x09, 0xE0, 0x04, 0x70, 0x33, 0xC0, 0x08, 0xE0,
0xC7, 0x00, 0x31, 0xC1, 0x0E, 0x00, 0x43, 0x86, 0x3C, 0x00, 0x87, 0x18,
0x70, 0x03, 0x0E, 0x20, 0xE0, 0x06, 0x1C, 0xC3, 0xC0, 0x08, 0x3B, 0x07,
0x80, 0x10, 0x7C, 0x0E, 0x00, 0x60, 0x78, 0x1C, 0x00, 0x80, 0xE0, 0x78,
0x03, 0x01, 0x80, 0xF0, 0x07, 0x03, 0x03, 0xE0, 0x3F, 0x84, 0x1F, 0xF0,
0x00, 0x07, 0xC0, 0x3F, 0xC0, 0x78, 0x03, 0xE0, 0x0E, 0x00, 0x70, 0x03,
0xC0, 0x18, 0x01, 0xF0, 0x0E, 0x00, 0x6C, 0x03, 0x00, 0x1B, 0x80, 0xC0,
0x0C, 0xE0, 0x30, 0x03, 0x18, 0x1C, 0x00, 0xC7, 0x06, 0x00, 0x30, 0xC1,
0x80, 0x18, 0x38, 0xE0, 0x06, 0x06, 0x30, 0x01, 0x81, 0x8C, 0x00, 0xC0,
0x73, 0x00, 0x30, 0x0D, 0xC0, 0x0C, 0x03, 0xE0, 0x03, 0x00, 0x78, 0x01,
0x80, 0x1E, 0x00, 0x60, 0x07, 0x00, 0x38, 0x00, 0xC0, 0x0E, 0x00, 0x30,
0x0F, 0xE0, 0x04, 0x00, 0x00, 0x0F, 0xC0, 0x00, 0xFF, 0xE0, 0x07, 0xC1,
0xE0, 0x1E, 0x01, 0xE0, 0x78, 0x01, 0xC1, 0xE0, 0x03, 0xC7, 0x80, 0x07,
0x9F, 0x00, 0x0F, 0x3C, 0x00, 0x1E, 0xF8, 0x00, 0x3D, 0xE0, 0x00, 0xFF,
0xC0, 0x01, 0xEF, 0x80, 0x03, 0xDE, 0x00, 0x0F, 0xBC, 0x00, 0x1E, 0x78,
0x00, 0x7C, 0xF0, 0x00, 0xF1, 0xE0, 0x03, 0xC1, 0xC0, 0x0F, 0x03, 0xC0,
0x3C, 0x03, 0xC1, 0xF0, 0x03, 0xFF, 0x80, 0x01, 0xFC, 0x00, 0x00, 0x07,
0xFF, 0xC0, 0x07, 0xFF, 0xC0, 0x0E, 0x0F, 0x80, 0x78, 0x1F, 0x01, 0xC0,
0x3C, 0x07, 0x00, 0xF0, 0x1C, 0x03, 0xC0, 0xF0, 0x0F, 0x03, 0x80, 0x78,
0x0E, 0x01, 0xE0, 0x78, 0x1F, 0x01, 0xFF, 0xF8, 0x07, 0x7F, 0x00, 0x1C,
0x00, 0x00, 0xF0, 0x00, 0x03, 0x80, 0x00, 0x0E, 0x00, 0x00, 0x78, 0x00,
0x01, 0xE0, 0x00, 0x07, 0x00, 0x00, 0x1C, 0x00, 0x00, 0xF0, 0x00, 0x0F,
0xF0, 0x00, 0x00, 0x00, 0x0F, 0xC0, 0x00, 0xFF, 0xE0, 0x03, 0xC1, 0xE0,
0x1E, 0x01, 0xC0, 0x78, 0x03, 0xC1, 0xE0, 0x03, 0x87, 0x80, 0x07, 0x8F,
0x00, 0x0F, 0x3C, 0x00, 0x1E, 0x78, 0x00, 0x3D, 0xE0, 0x00, 0x7B, 0xC0,
0x01, 0xFF, 0x80, 0x03, 0xDE, 0x00, 0x07, 0xBC, 0x00, 0x1F, 0x78, 0x00,
0x3C, 0xF0, 0x00, 0xF1, 0xE0, 0x01, 0xE3, 0xC0, 0x07, 0x83, 0x80, 0x1E,
0x07, 0x80, 0x78, 0x07, 0x01, 0xC0, 0x03, 0xDE, 0x00, 0x01, 0xC0, 0x00,
0x06, 0x00, 0x00, 0x18, 0x00, 0x10, 0x7F, 0xC0, 0xC3, 0xFF, 0xFF, 0x08,
0x07, 0xF0, 0x00, 0x07, 0xFF, 0x80, 0x0F, 0xFF, 0x00, 0x78, 0x3C, 0x03,
0xC0, 0xF0, 0x1E, 0x07, 0x80, 0xE0, 0x3C, 0x07, 0x01, 0xE0, 0x78, 0x1E,
0x03, 0x83, 0xF0, 0x1F, 0xFE, 0x01, 0xFF, 0xC0, 0x0F, 0x38, 0x00, 0x71,
0xE0, 0x03, 0x87, 0x00, 0x3C, 0x38, 0x01, 0xC1, 0xE0, 0x0E, 0x07, 0x00,
0xF0, 0x3C, 0x07, 0x81, 0xE0, 0x38, 0x07, 0x01, 0xC0, 0x3C, 0x1E, 0x00,
0xF3, 0xFC, 0x07, 0xC0, 0x00, 0xF8, 0x81, 0xFF, 0xC1, 0xE1, 0xE1, 0xE0,
0x70, 0xF0, 0x10, 0x78, 0x08, 0x3C, 0x00, 0x1F, 0x00, 0x07, 0x80, 0x01,
0xE0, 0x00, 0x78, 0x00, 0x1E, 0x00, 0x07, 0x80, 0x01, 0xE0, 0x00, 0xF8,
0x80, 0x3C, 0x40, 0x1E, 0x20, 0x0F, 0x38, 0x07, 0x9E, 0x07, 0x8F, 0x87,
0x84, 0x7F, 0xC2, 0x0F, 0x80, 0x3F, 0xFF, 0xF7, 0xFF, 0xFF, 0x70, 0x78,
0x76, 0x07, 0x02, 0xC0, 0x70, 0x28, 0x0F, 0x02, 0x00, 0xF0, 0x00, 0x0E,
0x00, 0x01, 0xE0, 0x00, 0x1E, 0x00, 0x01, 0xC0, 0x00, 0x1C, 0x00, 0x03,
0xC0, 0x00, 0x3C, 0x00, 0x03, 0x80, 0x00, 0x38, 0x00, 0x07, 0x80, 0x00,
0x70, 0x00, 0x07, 0x00, 0x00, 0xF0, 0x00, 0x0F, 0x00, 0x01, 0xF0, 0x00,
0xFF, 0xE0, 0x00, 0x7F, 0xE0, 0xFE, 0x3F, 0x00, 0x78, 0x3C, 0x00, 0x60,
0xF0, 0x01, 0x81, 0xE0, 0x03, 0x03, 0xC0, 0x06, 0x07, 0x00, 0x08, 0x1E,
0x00, 0x30, 0x3C, 0x00, 0x60, 0x70, 0x00, 0x81, 0xE0, 0x01, 0x03, 0xC0,
0x06, 0x07, 0x80, 0x0C, 0x0E, 0x00, 0x10, 0x3C, 0x00, 0x60, 0x78, 0x00,
0xC0, 0xF0, 0x01, 0x01, 0xE0, 0x06, 0x03, 0xC0, 0x08, 0x03, 0xC0, 0x30,
0x07, 0xC1, 0xC0, 0x07, 0xFF, 0x00, 0x03, 0xF8, 0x00, 0x00, 0xFF, 0x01,
0xFB, 0xE0, 0x07, 0x8E, 0x00, 0x18, 0x78, 0x01, 0x83, 0xC0, 0x0C, 0x1E,
0x00, 0xC0, 0xF0, 0x06, 0x03, 0x80, 0x60, 0x1C, 0x02, 0x00, 0xE0, 0x30,
0x07, 0x83, 0x00, 0x3C, 0x10, 0x01, 0xE1, 0x80, 0x07, 0x08, 0x00, 0x38,
0x80, 0x01, 0xC4, 0x00, 0x0E, 0x40, 0x00, 0x7C, 0x00, 0x03, 0xE0, 0x00,
0x0E, 0x00, 0x00, 0x70, 0x00, 0x03, 0x00, 0x00, 0x10, 0x00, 0x00, 0xFF,
0x3F, 0xC3, 0xFB, 0xE0, 0x78, 0x07, 0x8E, 0x03, 0xC0, 0x18, 0x78, 0x0E,
0x01, 0x83, 0xC0, 0x70, 0x0C, 0x1E, 0x03, 0x80, 0x40, 0xF0, 0x3C, 0x06,
0x03, 0x81, 0xE0, 0x60, 0x1C, 0x17, 0x83, 0x00, 0xE0, 0xBC, 0x30, 0x07,
0x09, 0xE1, 0x00, 0x38, 0x47, 0x18, 0x01, 0xE4, 0x38, 0x80, 0x0F, 0x21,
0xCC, 0x00, 0x7A, 0x0E, 0x40, 0x01, 0xD0, 0x76, 0x00, 0x0F, 0x03, 0xA0,
0x00, 0x78, 0x1F, 0x00, 0x03, 0x80, 0xF0, 0x00, 0x1C, 0x07, 0x00, 0x00,
0xC0, 0x38, 0x00, 0x06, 0x00, 0x80, 0x00, 0x20, 0x04, 0x00, 0x00, 0x0F,
0xF8, 0x7F, 0x03, 0xE0, 0x3E, 0x01, 0xC0, 0x18, 0x01, 0xE0, 0x30, 0x01,
0xE0, 0x60, 0x00, 0xE0, 0xC0, 0x00, 0xF1, 0xC0, 0x00, 0x71, 0x80, 0x00,
0x7B, 0x00, 0x00, 0x3E, 0x00, 0x00, 0x3C, 0x00, 0x00, 0x3C, 0x00, 0x00,
0x3C, 0x00, 0x00, 0x7E, 0x00, 0x00, 0xCE, 0x00, 0x01, 0x8F, 0x00, 0x01,
0x07, 0x00, 0x03, 0x07, 0x00, 0x06, 0x07, 0x80, 0x0C, 0x03, 0x80, 0x18,
0x03, 0xC0, 0x78, 0x03, 0xE0, 0xFE, 0x1F, 0xF8, 0xFF, 0x87, 0xE7, 0xC0,
0x38, 0x70, 0x06, 0x0E, 0x01, 0x81, 0xE0, 0x30, 0x1C, 0x0C, 0x03, 0x83,
0x00, 0x78, 0xC0, 0x07, 0x30, 0x00, 0xE4, 0x00, 0x1D, 0x80, 0x03, 0xE0,
0x00, 0x38, 0x00, 0x0F, 0x00, 0x01, 0xC0, 0x00, 0x38, 0x00, 0x07, 0x00,
0x01, 0xE0, 0x00, 0x38, 0x00, 0x07, 0x00, 0x01, 0xE0, 0x00, 0x7C, 0x00,
0x3F, 0xF0, 0x00, 0x07, 0xFF, 0xFC, 0x3F, 0xFF, 0xE0, 0xE0, 0x0F, 0x82,
0x00, 0x3C, 0x18, 0x01, 0xE0, 0x40, 0x0F, 0x00, 0x00, 0x78, 0x00, 0x03,
0xC0, 0x00, 0x0E, 0x00, 0x00, 0x78, 0x00, 0x03, 0xC0, 0x00, 0x1E, 0x00,
0x00, 0xF0, 0x00, 0x07, 0x80, 0x00, 0x1C, 0x00, 0x00, 0xF0, 0x00, 0x07,
0x80, 0x00, 0x3C, 0x00, 0xC1, 0xE0, 0x02, 0x0F, 0x00, 0x18, 0x38, 0x01,
0xE1, 0xFF, 0xFF, 0x0F, 0xFF, 0xFC, 0x00, 0x01, 0xF8, 0x0C, 0x00, 0xC0,
0x06, 0x00, 0x30, 0x01, 0x80, 0x18, 0x00, 0xC0, 0x06, 0x00, 0x30, 0x03,
0x00, 0x18, 0x00, 0xC0, 0x06, 0x00, 0x60, 0x03, 0x00, 0x18, 0x01, 0xC0,
0x0C, 0x00, 0x60, 0x03, 0x00, 0x30, 0x01, 0x80, 0x0C, 0x00, 0x60, 0x06,
0x00, 0x30, 0x01, 0xF8, 0x00, 0xE0, 0x0E, 0x00, 0x60, 0x07, 0x00, 0x30,
0x03, 0x80, 0x18, 0x01, 0xC0, 0x0C, 0x00, 0xC0, 0x0E, 0x00, 0x60, 0x07,
0x00, 0x30, 0x03, 0x80, 0x18, 0x01, 0xC0, 0x0C, 0x00, 0xC0, 0x0E, 0x00,
0x60, 0x07, 0x00, 0x30, 0x03, 0xF0, 0x06, 0x00, 0x60, 0x06, 0x00, 0x60,
0x0E, 0x00, 0xC0, 0x0C, 0x00, 0xC0, 0x0C, 0x01, 0x80, 0x18, 0x01, 0x80,
0x18, 0x03, 0x00, 0x30, 0x03, 0x00, 0x30, 0x03, 0x00, 0x60, 0x06, 0x00,
0x60, 0x06, 0x00, 0xC0, 0x0C, 0x00, 0xC0, 0x0C, 0x0F, 0xC0, 0x03, 0x80,
0x07, 0x00, 0x1F, 0x00, 0x36, 0x00, 0xCE, 0x01, 0x8C, 0x06, 0x1C, 0x0C,
0x18, 0x38, 0x38, 0x60, 0x31, 0xC0, 0x73, 0x00, 0x6E, 0x00, 0xE0, 0xFF,
0xFF, 0xFF, 0xFF, 0xF0, 0xE3, 0x8F, 0x0E, 0x18, 0x30, 0x01, 0xEC, 0x0E,
0x58, 0x30, 0x70, 0xE0, 0xC3, 0x81, 0x86, 0x07, 0x1C, 0x0C, 0x38, 0x18,
0xE0, 0x71, 0xC0, 0xE3, 0x83, 0x87, 0x0B, 0x2F, 0x36, 0xCF, 0xCF, 0x1F,
0x1C, 0x00, 0x03, 0x00, 0x1F, 0x00, 0x07, 0x00, 0x07, 0x00, 0x06, 0x00,
0x0E, 0x00, 0x0E, 0x00, 0x0E, 0x00, 0x0C, 0x00, 0x1C, 0x7C, 0x1C, 0xFE,
0x19, 0x8F, 0x1A, 0x07, 0x3C, 0x07, 0x38, 0x07, 0x38, 0x07, 0x70, 0x0E,
0x70, 0x0E, 0x70, 0x1C, 0x60, 0x18, 0xE0, 0x30, 0xE0, 0x60, 0xE1, 0xC0,
0x3F, 0x00, 0x01, 0xF0, 0x38, 0xC3, 0x8E, 0x78, 0x73, 0x80, 0x3C, 0x01,
0xC0, 0x1E, 0x00, 0xF0, 0x07, 0x80, 0x3C, 0x01, 0xE0, 0x47, 0x84, 0x3F,
0xC0, 0x7C, 0x00, 0x00, 0x01, 0x80, 0x07, 0xC0, 0x00, 0xE0, 0x00, 0x60,
0x00, 0x30, 0x00, 0x38, 0x00, 0x1C, 0x00, 0x0C, 0x00, 0x06, 0x00, 0xF7,
0x01, 0xC7, 0x81, 0xC3, 0x81, 0xC1, 0xC1, 0xE0, 0xE0, 0xE0, 0x60, 0xF0,
0x30, 0x78, 0x38, 0x78, 0x18, 0x3C, 0x0C, 0x1E, 0x0C, 0x0F, 0x0E, 0x27,
0xCB, 0x21, 0xF9, 0xE0, 0x78, 0xE0, 0x00, 0xF0, 0x1C, 0xC3, 0x86, 0x38,
0x33, 0xC3, 0x1C, 0x31, 0xE3, 0x1F, 0xE0, 0xF0, 0x07, 0x80, 0x3C, 0x01,
0xE0, 0x47, 0x84, 0x3F, 0xC0, 0x7C, 0x00, 0x00, 0x01, 0xE0, 0x00, 0x33,
0x00, 0x06, 0x30, 0x00, 0xC0, 0x00, 0x0C, 0x00, 0x01, 0xC0, 0x00, 0x18,
0x00, 0x01, 0x80, 0x00, 0x38, 0x00, 0x3F, 0xF8, 0x03, 0xFF, 0x80, 0x03,
0x00, 0x00, 0x70, 0x00, 0x07, 0x00, 0x00, 0x70, 0x00, 0x06, 0x00, 0x00,
0x60, 0x00, 0x0E, 0x00, 0x00, 0xE0, 0x00, 0x0C, 0x00, 0x00, 0xC0, 0x00,
0x1C, 0x00, 0x01, 0xC0, 0x00, 0x18, 0x00, 0x01, 0x80, 0x00, 0x18, 0x00,
0x03, 0x00, 0x00, 0x30, 0x00, 0xC6, 0x00, 0x0C, 0xC0, 0x00, 0x78, 0x00,
0x00, 0x01, 0xF8, 0x07, 0x1F, 0x0E, 0x0F, 0x0C, 0x0E, 0x18, 0x0E, 0x18,
0x0E, 0x18, 0x1E, 0x18, 0x3C, 0x0C, 0x78, 0x07, 0xE0, 0x08, 0x00, 0x18,
0x00, 0x1E, 0x00, 0x0F, 0xE0, 0x13, 0xF0, 0x60, 0x78, 0xC0, 0x38, 0xC0,
0x18, 0xC0, 0x18, 0xC0, 0x30, 0x60, 0x60, 0x3F, 0x80, 0x03, 0x00, 0x1F,
0x00, 0x07, 0x00, 0x07, 0x00, 0x06, 0x00, 0x06, 0x00, 0x0E, 0x00, 0x0E,
0x00, 0x0C, 0x00, 0x1C, 0x38, 0x1C, 0x7C, 0x1C, 0xCC, 0x19, 0x0C, 0x3A,
0x0C, 0x3C, 0x1C, 0x3C, 0x18, 0x38, 0x18, 0x70, 0x38, 0x70, 0x38, 0x70,
0x30, 0x60, 0x72, 0xE0, 0x76, 0xE0, 0x7C, 0xC0, 0x70, 0x03, 0x03, 0xC1,
0xE0, 0x60, 0x00, 0x00, 0x00, 0x00, 0x0C, 0x7E, 0x0F, 0x03, 0x81, 0x81,
0xC0, 0xE0, 0x70, 0x30, 0x38, 0x1C, 0x1C, 0x4C, 0x47, 0xC3, 0xC0, 0x00,
0x0C, 0x00, 0x3C, 0x00, 0x78, 0x00, 0x60, 0x00, 0x00, 0x00, 0x00, 0x00,
0x00, 0x00, 0x00, 0x18, 0x03, 0xF0, 0x00, 0xE0, 0x01, 0x80, 0x03, 0x00,
0x0E, 0x00, 0x1C, 0x00, 0x30, 0x00, 0x60, 0x01, 0xC0, 0x03, 0x80, 0x06,
0x00, 0x0C, 0x00, 0x38, 0x00, 0x70, 0x00, 0xC0, 0x03, 0x80, 0x06, 0x00,
0x0C, 0x06, 0x30, 0x0C, 0xC0, 0x0F, 0x00, 0x00, 0x03, 0x00, 0x3E, 0x00,
0x1C, 0x00, 0x38, 0x00, 0x60, 0x01, 0xC0, 0x03, 0x80, 0x07, 0x00, 0x0C,
0x00, 0x38, 0xFC, 0x70, 0x60, 0xE1, 0x81, 0x86, 0x07, 0x10, 0x0E, 0x40,
0x1B, 0x80, 0x3F, 0x00, 0xE7, 0x01, 0xCE, 0x03, 0x0C, 0x06, 0x1C, 0x5C,
0x1D, 0x38, 0x3E, 0x60, 0x38, 0x03, 0x1F, 0x07, 0x07, 0x06, 0x0E, 0x0E,
0x0E, 0x0C, 0x1C, 0x1C, 0x18, 0x38, 0x38, 0x38, 0x30, 0x70, 0x70, 0x70,
0x64, 0xE4, 0xE8, 0xF0, 0xE0, 0x00, 0x06, 0x18, 0x1E, 0x3E, 0x3C, 0x3F,
0x0E, 0x4C, 0x47, 0x0C, 0x8C, 0x8E, 0x1D, 0x0D, 0x0E, 0x1E, 0x1A, 0x0E,
0x1C, 0x1E, 0x0C, 0x3C, 0x1C, 0x1C, 0x38, 0x38, 0x1C, 0x38, 0x38, 0x1C,
0x30, 0x38, 0x18, 0x70, 0x30, 0x39, 0x70, 0x70, 0x32, 0x60, 0x70, 0x3C,
0x60, 0x60, 0x38, 0x06, 0x0E, 0x1F, 0x1F, 0x83, 0x99, 0xC1, 0x98, 0xC1,
0xD8, 0xE0, 0xE8, 0x70, 0x78, 0x30, 0x38, 0x38, 0x3C, 0x1C, 0x1C, 0x0E,
0x0E, 0x06, 0x0E, 0x03, 0x17, 0x01, 0xB3, 0x80, 0xF1, 0x80, 0x70, 0x01,
0xF0, 0x0E, 0x38, 0x38, 0x30, 0xE0, 0x73, 0x80, 0xEE, 0x01, 0xDC, 0x03,
0xF8, 0x0F, 0xE0, 0x1D, 0xC0, 0x3B, 0x80, 0xE7, 0x03, 0x8E, 0x06, 0x0E,
0x38, 0x07, 0xC0, 0x00, 0x00, 0xE7, 0xC0, 0x7C, 0xFE, 0x01, 0xD1, 0xF0,
0x1E, 0x0F, 0x01, 0xC0, 0xF0, 0x38, 0x0F, 0x03, 0x80, 0xF0, 0x38, 0x0E,
0x03, 0x01, 0xE0, 0x70, 0x1C, 0x07, 0x03, 0xC0, 0x60, 0x78, 0x06, 0x0F,
0x00, 0xE1, 0xC0, 0x0F, 0xF0, 0x00, 0xC0, 0x00, 0x1C, 0x00, 0x01, 0xC0,
0x00, 0x1C, 0x00, 0x01, 0x80, 0x00, 0x38, 0x00, 0x0F, 0xF0, 0x00, 0x00,
0xF7, 0x03, 0xCE, 0x0F, 0x06, 0x1E, 0x06, 0x1C, 0x04, 0x3C, 0x04, 0x78,
0x04, 0x78, 0x0C, 0xF0, 0x08, 0xF0, 0x18, 0xF0, 0x38, 0xF0, 0xF0, 0xF9,
0x70, 0x7E, 0x70, 0x3C, 0x70, 0x00, 0x60, 0x00, 0xE0, 0x00, 0xE0, 0x00,
0xC0, 0x01, 0xC0, 0x01, 0xC0, 0x0F, 0xF0, 0x7C, 0x70, 0xE7, 0xC7, 0x4C,
0x34, 0x01, 0xA0, 0x1E, 0x00, 0xF0, 0x07, 0x00, 0x78, 0x03, 0x80, 0x1C,
0x00, 0xC0, 0x0E, 0x00, 0x70, 0x03, 0x80, 0x00, 0x07, 0x88, 0x63, 0x86,
0x0C, 0x30, 0x21, 0xC1, 0x0E, 0x00, 0x38, 0x00, 0xE0, 0x03, 0x80, 0x1C,
0x10, 0x60, 0x83, 0x06, 0x18, 0x71, 0x82, 0x78, 0x00, 0x02, 0x03, 0x03,
0x07, 0xF7, 0xF8, 0xE0, 0x60, 0x70, 0x38, 0x1C, 0x0C, 0x0E, 0x07, 0x03,
0x01, 0x91, 0xC8, 0xF8, 0x78, 0x00, 0x1C, 0x0D, 0xF8, 0x38, 0x60, 0x70,
0xC1, 0xC3, 0x83, 0x87, 0x07, 0x0C, 0x1E, 0x38, 0x78, 0x70, 0xB0, 0xE2,
0x61, 0x8D, 0xC7, 0x33, 0x2C, 0xC6, 0x5F, 0x0F, 0x38, 0x1C, 0x00, 0x18,
0x1B, 0xE0, 0x73, 0x81, 0xC6, 0x03, 0x18, 0x0C, 0x70, 0x21, 0xC1, 0x83,
0x0C, 0x0C, 0x20, 0x31, 0x00, 0xC8, 0x03, 0x40, 0x0E, 0x00, 0x30, 0x00,
0x80, 0x00, 0x18, 0x04, 0x1B, 0xE0, 0x30, 0x71, 0x80, 0xC1, 0xC6, 0x07,
0x01, 0x1C, 0x2C, 0x08, 0x70, 0xB0, 0x20, 0xC4, 0xC1, 0x03, 0x21, 0x84,
0x0D, 0x86, 0x20, 0x34, 0x19, 0x00, 0xE0, 0x68, 0x03, 0x81, 0xA0, 0x0C,
0x07, 0x00, 0x30, 0x18, 0x00, 0x80, 0x40, 0x00, 0x03, 0x07, 0x0F, 0x8F,
0x13, 0x93, 0x01, 0xB0, 0x01, 0xE0, 0x01, 0xC0, 0x00, 0xC0, 0x00, 0xC0,
0x01, 0xC0, 0x03, 0xE0, 0x02, 0x60, 0x04, 0x62, 0x08, 0x64, 0xF0, 0x7C,
0xE0, 0x30, 0x06, 0x06, 0x3F, 0x07, 0x07, 0x07, 0x07, 0x03, 0x03, 0x81,
0x03, 0x82, 0x01, 0x82, 0x01, 0xC4, 0x01, 0xC4, 0x01, 0xC8, 0x00, 0xC8,
0x00, 0xD0, 0x00, 0xF0, 0x00, 0xE0, 0x00, 0xC0, 0x00, 0xC0, 0x00, 0x80,
0x01, 0x00, 0x02, 0x00, 0x04, 0x00, 0x78, 0x00, 0x70, 0x00, 0x1F, 0xFC,
0x7F, 0xE1, 0x01, 0x08, 0x08, 0x00, 0x40, 0x02, 0x00, 0x10, 0x00, 0x80,
0x06, 0x00, 0x10, 0x00, 0x80, 0x04, 0x00, 0x38, 0x01, 0xF0, 0x0B, 0xE0,
0x01, 0xC6, 0x03, 0x98, 0x03, 0x80, 0x00, 0x70, 0x0C, 0x01, 0x80, 0x38,
0x03, 0x80, 0x30, 0x07, 0x00, 0x70, 0x07, 0x00, 0x60, 0x0E, 0x00, 0xE0,
0x0C, 0x01, 0xC0, 0x1C, 0x07, 0x80, 0x30, 0x04, 0x00, 0x20, 0x03, 0x00,
0x30, 0x07, 0x00, 0x70, 0x06, 0x00, 0x60, 0x0E, 0x00, 0xE0, 0x0C, 0x00,
0xC0, 0x07, 0x00, 0xFF, 0xFF, 0xFF, 0xFF, 0xFF, 0xFC, 0x00, 0xC0, 0x06,
0x00, 0x30, 0x03, 0x00, 0x30, 0x03, 0x00, 0x70, 0x07, 0x00, 0x70, 0x06,
0x00, 0xE0, 0x0E, 0x00, 0xE0, 0x0C, 0x00, 0x40, 0x04, 0x00, 0xC0, 0x1E,
0x03, 0x80, 0x38, 0x03, 0x00, 0x70, 0x07, 0x00, 0x70, 0x06, 0x00, 0xE0,
0x0E, 0x00, 0xC0, 0x1C, 0x01, 0x80, 0x70, 0x00, 0x1E, 0x00, 0x3F, 0xE1,
0xF8, 0x7F, 0xC0, 0x07, 0x80 ]
FreeSerifItalic18pt7bGlyphs = [
[ 0, 0, 0, 9, 0, 1 ], # 0x20 ' '
[ 0, 10, 23, 12, 1, -22 ], # 0x21 '!'
[ 29, 12, 9, 12, 4, -22 ], # 0x22 '"'
[ 43, 19, 23, 17, 0, -22 ], # 0x23 '#'
[ 98, 15, 29, 17, 1, -25 ], # 0x24 '$'
[ 153, 25, 23, 29, 3, -22 ], # 0x25 '%'
[ 225, 22, 23, 27, 3, -22 ], # 0x26 '&'
[ 289, 5, 9, 7, 4, -22 ], # 0x27 '''
[ 295, 9, 29, 12, 1, -22 ], # 0x28 '('
[ 328, 9, 29, 12, 1, -22 ], # 0x29 ')'
[ 361, 12, 14, 18, 5, -22 ], # 0x2A '#'
[ 382, 16, 18, 24, 4, -17 ], # 0x2B '+'
[ 418, 5, 8, 9, -1, -2 ], # 0x2C ','
[ 423, 8, 2, 12, 2, -8 ], # 0x2D '-'
[ 425, 4, 4, 9, 1, -3 ], # 0x2E '.'
[ 427, 16, 23, 10, 0, -22 ], # 0x2F '/'
[ 473, 17, 24, 17, 1, -23 ], # 0x30 '0'
[ 524, 12, 24, 17, 2, -23 ], # 0x31 '1'
[ 560, 16, 23, 17, 1, -22 ], # 0x32 '2'
[ 606, 17, 24, 18, 0, -23 ], # 0x33 '3'
[ 657, 17, 24, 17, 0, -23 ], # 0x34 '4'
[ 708, 16, 23, 18, 0, -22 ], # 0x35 '5'
[ 754, 17, 24, 18, 1, -23 ], # 0x36 '6'
[ 805, 16, 23, 17, 3, -22 ], # 0x37 '7'
[ 851, 16, 24, 18, 1, -23 ], # 0x38 '8'
[ 899, 16, 24, 17, 1, -23 ], # 0x39 '9'
[ 947, 7, 15, 9, 2, -14 ], # 0x3A ':'
[ 961, 9, 20, 9, 1, -14 ], # 0x3B ''
[ 984, 18, 18, 20, 2, -17 ], # 0x3C '<'
[ 1025, 18, 9, 23, 3, -12 ], # 0x3D '='
[ 1046, 18, 18, 20, 2, -17 ], # 0x3E '>'
[ 1087, 12, 23, 16, 4, -22 ], # 0x3F '?'
[ 1122, 24, 23, 27, 2, -22 ], # 0x40 '@'
[ 1191, 21, 23, 23, 0, -22 ], # 0x41 'A'
[ 1252, 21, 23, 21, 0, -22 ], # 0x42 'B'
[ 1313, 21, 23, 21, 2, -22 ], # 0x43 'C'
[ 1374, 25, 23, 25, 0, -22 ], # 0x44 'D'
[ 1446, 22, 23, 20, 0, -22 ], # 0x45 'E'
[ 1510, 22, 23, 20, 0, -22 ], # 0x46 'F'
[ 1574, 23, 23, 24, 2, -22 ], # 0x47 'G'
[ 1641, 27, 23, 25, 0, -22 ], # 0x48 'H'
[ 1719, 14, 23, 11, 0, -22 ], # 0x49 'I'
[ 1760, 17, 23, 15, 0, -22 ], # 0x4A 'J'
[ 1809, 25, 23, 22, 0, -22 ], # 0x4B 'K'
[ 1881, 20, 23, 20, 0, -22 ], # 0x4C 'L'
[ 1939, 31, 23, 29, 0, -22 ], # 0x4D 'M'
[ 2029, 26, 23, 24, 0, -22 ], # 0x4E 'N'
[ 2104, 23, 23, 23, 1, -22 ], # 0x4F 'O'
[ 2171, 22, 23, 20, 0, -22 ], # 0x50 'P'
[ 2235, 23, 29, 23, 1, -22 ], # 0x51 'Q'
[ 2319, 21, 23, 22, 0, -22 ], # 0x52 'R'
[ 2380, 17, 23, 16, 0, -22 ], # 0x53 'S'
[ 2429, 20, 23, 21, 3, -22 ], # 0x54 'T'
[ 2487, 23, 23, 25, 4, -22 ], # 0x55 'U'
[ 2554, 21, 23, 23, 5, -22 ], # 0x56 'V'
[ 2615, 29, 23, 31, 5, -22 ], # 0x57 'W'
[ 2699, 24, 23, 23, 0, -22 ], # 0x58 'X'
[ 2768, 19, 23, 21, 4, -22 ], # 0x59 'Y'
[ 2823, 22, 23, 20, 0, -22 ], # 0x5A 'Z'
[ 2887, 13, 28, 14, 1, -22 ], # 0x5B '['
[ 2933, 12, 23, 17, 4, -22 ], # 0x5C '\'
[ 2968, 12, 28, 14, 1, -22 ], # 0x5D ']'
[ 3010, 15, 13, 15, 0, -22 ], # 0x5E '^'
[ 3035, 18, 2, 17, 0, 3 ], # 0x5F '_'
[ 3040, 6, 6, 9, 5, -22 ], # 0x60 '`'
[ 3045, 15, 15, 17, 1, -14 ], # 0x61 'a'
[ 3074, 16, 24, 17, 1, -23 ], # 0x62 'b'
[ 3122, 13, 15, 14, 1, -14 ], # 0x63 'c'
[ 3147, 17, 24, 18, 1, -23 ], # 0x64 'd'
[ 3198, 13, 15, 14, 1, -14 ], # 0x65 'e'
[ 3223, 20, 31, 15, -3, -23 ], # 0x66 'f'
[ 3301, 16, 22, 15, -1, -14 ], # 0x67 'g'
[ 3345, 16, 24, 17, 1, -23 ], # 0x68 'h'
[ 3393, 9, 23, 9, 1, -22 ], # 0x69 'i'
[ 3419, 15, 30, 10, -3, -22 ], # 0x6A 'j'
[ 3476, 15, 24, 16, 1, -23 ], # 0x6B 'k'
[ 3521, 8, 25, 9, 1, -23 ], # 0x6C 'l'
[ 3546, 24, 15, 25, 0, -14 ], # 0x6D 'm'
[ 3591, 17, 15, 17, 0, -14 ], # 0x6E 'n'
[ 3623, 15, 15, 17, 1, -14 ], # 0x6F 'o'
[ 3652, 20, 22, 16, -3, -14 ], # 0x70 'p'
[ 3707, 16, 22, 17, 1, -14 ], # 0x71 'q'
[ 3751, 13, 15, 13, 1, -14 ], # 0x72 'r'
[ 3776, 13, 15, 12, 0, -14 ], # 0x73 's'
[ 3801, 9, 18, 8, 1, -17 ], # 0x74 't'
[ 3822, 15, 15, 17, 1, -14 ], # 0x75 'u'
[ 3851, 14, 15, 16, 2, -14 ], # 0x76 'v'
[ 3878, 22, 15, 24, 1, -14 ], # 0x77 'w'
[ 3920, 16, 15, 15, -1, -14 ], # 0x78 'x'
[ 3950, 16, 22, 16, 0, -14 ], # 0x79 'y'
[ 3994, 14, 18, 14, 0, -14 ], # 0x7A 'z'
[ 4026, 12, 30, 14, 2, -23 ], # 0x7B '['
[ 4071, 2, 23, 10, 4, -22 ], # 0x7C '|'
[ 4077, 12, 31, 14, 0, -24 ], # 0x7D ']'
[ 4124, 17, 4, 19, 1, -10 ] ] # 0x7E '~'
FreeSerifItalic18pt7b = [
FreeSerifItalic18pt7bBitmaps,
FreeSerifItalic18pt7bGlyphs,
0x20, 0x7E, 42 ]
# Approx. 4805 bytes
| free_serif_italic18pt7b_bitmaps = [1, 192, 240, 60, 15, 3, 129, 224, 112, 28, 6, 1, 128, 192, 48, 12, 2, 1, 128, 64, 16, 0, 0, 1, 128, 240, 60, 6, 0, 56, 119, 143, 120, 247, 14, 96, 230, 12, 193, 140, 24, 129, 0, 0, 96, 192, 12, 56, 3, 134, 0, 96, 192, 12, 56, 3, 6, 0, 96, 192, 255, 255, 31, 255, 224, 97, 192, 28, 48, 3, 6, 0, 97, 192, 24, 48, 63, 255, 199, 255, 248, 24, 48, 3, 14, 0, 225, 128, 24, 48, 3, 12, 0, 193, 128, 24, 112, 0, 0, 8, 0, 48, 0, 64, 15, 192, 97, 225, 134, 198, 13, 140, 26, 24, 36, 56, 192, 57, 128, 127, 0, 126, 0, 62, 0, 62, 0, 124, 0, 220, 3, 56, 6, 50, 12, 100, 24, 220, 113, 184, 198, 57, 140, 63, 48, 31, 128, 24, 0, 48, 0, 96, 0, 7, 128, 96, 15, 224, 224, 15, 15, 176, 14, 4, 48, 7, 2, 24, 7, 1, 24, 3, 0, 140, 1, 128, 140, 0, 192, 76, 0, 96, 102, 31, 48, 102, 31, 204, 99, 28, 103, 227, 28, 25, 225, 28, 4, 1, 140, 2, 0, 142, 1, 0, 199, 0, 128, 195, 0, 128, 97, 128, 192, 96, 192, 192, 32, 112, 224, 48, 31, 192, 16, 7, 192, 0, 30, 0, 0, 252, 0, 7, 24, 0, 24, 96, 0, 225, 128, 3, 140, 0, 14, 96, 0, 59, 0, 0, 240, 0, 7, 128, 0, 127, 31, 195, 60, 28, 56, 112, 97, 225, 227, 135, 7, 140, 60, 15, 96, 240, 61, 3, 192, 120, 15, 1, 224, 62, 7, 192, 124, 119, 132, 255, 143, 225, 248, 15, 0, 59, 222, 231, 51, 24, 128, 0, 128, 128, 128, 128, 192, 192, 224, 96, 112, 56, 24, 12, 14, 7, 3, 1, 128, 192, 96, 48, 24, 12, 6, 1, 0, 128, 64, 48, 8, 4, 2, 0, 4, 1, 0, 128, 96, 16, 8, 4, 3, 1, 128, 192, 96, 48, 24, 12, 14, 7, 3, 129, 128, 192, 224, 96, 48, 48, 24, 24, 8, 8, 8, 8, 0, 6, 0, 96, 6, 12, 67, 228, 241, 88, 14, 0, 240, 116, 238, 71, 196, 48, 96, 6, 0, 96, 1, 128, 1, 128, 1, 128, 1, 128, 1, 128, 1, 128, 1, 128, 1, 128, 255, 255, 255, 255, 1, 128, 1, 128, 1, 128, 1, 128, 1, 128, 1, 128, 1, 128, 1, 128, 49, 206, 49, 8, 152, 255, 255, 111, 246, 0, 6, 0, 14, 0, 12, 0, 28, 0, 56, 0, 48, 0, 112, 0, 96, 0, 224, 0, 192, 1, 192, 3, 128, 3, 0, 7, 0, 6, 0, 14, 0, 12, 0, 28, 0, 56, 0, 48, 0, 112, 0, 96, 0, 224, 0, 0, 120, 0, 195, 0, 193, 192, 192, 96, 224, 48, 224, 28, 112, 14, 112, 7, 56, 3, 188, 1, 220, 1, 238, 0, 255, 0, 127, 128, 59, 128, 29, 192, 30, 224, 14, 112, 15, 56, 7, 28, 7, 6, 3, 131, 131, 128, 195, 0, 31, 0, 0, 240, 127, 0, 112, 7, 0, 224, 14, 0, 224, 14, 1, 192, 28, 1, 192, 56, 3, 128, 56, 3, 128, 112, 7, 0, 112, 14, 0, 224, 14, 0, 224, 30, 15, 248, 1, 240, 7, 252, 12, 62, 16, 31, 32, 15, 0, 15, 0, 15, 0, 15, 0, 30, 0, 28, 0, 56, 0, 48, 0, 112, 0, 224, 1, 192, 3, 128, 7, 0, 14, 0, 28, 0, 56, 4, 48, 12, 127, 248, 255, 240, 0, 124, 0, 255, 0, 195, 192, 128, 240, 0, 120, 0, 60, 0, 28, 0, 28, 0, 56, 0, 240, 3, 252, 0, 31, 0, 3, 192, 1, 224, 0, 112, 0, 56, 0, 28, 0, 14, 0, 6, 0, 7, 0, 3, 7, 135, 3, 255, 0, 252, 0, 0, 1, 128, 1, 128, 1, 192, 1, 224, 1, 240, 1, 176, 1, 184, 1, 156, 1, 140, 0, 134, 0, 135, 0, 131, 128, 129, 128, 129, 192, 192, 224, 192, 112, 255, 255, 127, 255, 0, 28, 0, 12, 0, 14, 0, 7, 0, 3, 128, 1, 128, 1, 255, 1, 255, 2, 0, 2, 0, 6, 0, 7, 0, 15, 192, 15, 240, 0, 248, 0, 56, 0, 28, 0, 28, 0, 12, 0, 12, 0, 12, 0, 12, 0, 8, 0, 24, 0, 48, 0, 48, 112, 224, 255, 128, 126, 0, 0, 3, 128, 31, 0, 60, 0, 60, 0, 56, 0, 56, 0, 56, 0, 60, 0, 61, 240, 31, 254, 31, 15, 142, 3, 199, 0, 247, 0, 123, 128, 61, 128, 30, 192, 15, 96, 15, 176, 7, 152, 3, 196, 3, 195, 3, 192, 195, 128, 31, 0, 63, 255, 127, 254, 64, 14, 128, 12, 0, 24, 0, 24, 0, 48, 0, 112, 0, 96, 0, 192, 1, 192, 1, 128, 3, 128, 3, 0, 6, 0, 14, 0, 12, 0, 28, 0, 24, 0, 48, 0, 112, 0, 96, 0, 224, 0, 0, 248, 3, 14, 6, 6, 12, 3, 12, 3, 12, 3, 12, 3, 14, 6, 7, 142, 7, 216, 3, 224, 7, 240, 28, 248, 48, 60, 96, 28, 96, 14, 192, 6, 192, 6, 192, 6, 192, 6, 224, 12, 96, 24, 56, 48, 15, 192, 1, 248, 7, 140, 14, 6, 30, 2, 60, 3, 60, 3, 120, 3, 120, 3, 120, 3, 120, 7, 120, 7, 120, 7, 60, 14, 62, 30, 31, 238, 7, 156, 0, 56, 0, 120, 0, 112, 1, 224, 3, 192, 15, 0, 60, 0, 224, 0, 12, 60, 120, 96, 0, 0, 0, 0, 0, 3, 15, 30, 24, 0, 7, 3, 193, 224, 96, 0, 0, 0, 0, 0, 0, 0, 2, 3, 129, 192, 224, 48, 16, 16, 16, 0, 0, 0, 0, 192, 1, 240, 1, 248, 1, 248, 1, 240, 1, 240, 3, 240, 3, 240, 0, 240, 0, 62, 0, 7, 224, 0, 126, 0, 3, 224, 0, 62, 0, 3, 240, 0, 63, 0, 3, 192, 0, 16, 255, 255, 255, 255, 240, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 3, 255, 255, 255, 255, 192, 192, 0, 60, 0, 7, 224, 0, 126, 0, 7, 224, 0, 62, 0, 3, 224, 0, 63, 0, 3, 192, 1, 240, 1, 248, 1, 248, 1, 240, 1, 240, 3, 240, 3, 240, 0, 240, 0, 32, 0, 0, 15, 129, 134, 48, 51, 3, 48, 48, 3, 0, 96, 14, 1, 192, 56, 6, 0, 192, 8, 1, 0, 16, 2, 0, 0, 0, 0, 0, 6, 0, 240, 15, 0, 96, 0, 0, 127, 0, 3, 255, 224, 7, 128, 240, 14, 0, 56, 28, 0, 12, 56, 14, 6, 112, 63, 226, 112, 113, 227, 240, 96, 225, 224, 192, 193, 224, 192, 193, 225, 129, 193, 225, 129, 193, 225, 129, 130, 225, 131, 130, 113, 131, 134, 113, 199, 140, 56, 249, 248, 60, 240, 240, 30, 0, 0, 15, 128, 48, 3, 255, 224, 0, 127, 0, 0, 3, 0, 0, 24, 0, 1, 192, 0, 30, 0, 0, 240, 0, 15, 128, 0, 94, 0, 4, 240, 0, 99, 128, 2, 28, 0, 32, 224, 1, 7, 0, 16, 60, 1, 255, 224, 15, 255, 0, 192, 56, 4, 1, 192, 96, 14, 6, 0, 120, 48, 3, 195, 0, 30, 56, 0, 251, 240, 31, 224, 7, 255, 128, 15, 255, 0, 120, 60, 3, 192, 240, 30, 7, 128, 224, 60, 7, 1, 224, 120, 30, 3, 131, 224, 31, 248, 1, 255, 192, 15, 15, 0, 112, 60, 3, 128, 240, 60, 7, 129, 192, 60, 14, 1, 224, 240, 15, 7, 128, 240, 56, 15, 129, 193, 248, 31, 255, 131, 255, 224, 0, 0, 63, 8, 7, 255, 192, 248, 62, 15, 0, 112, 240, 3, 143, 0, 8, 240, 0, 71, 128, 0, 120, 0, 3, 192, 0, 30, 0, 1, 224, 0, 15, 0, 0, 120, 0, 3, 192, 0, 30, 0, 0, 240, 0, 3, 128, 2, 30, 0, 32, 120, 2, 3, 224, 96, 7, 254, 0, 15, 192, 0, 7, 255, 192, 0, 255, 252, 0, 120, 31, 0, 60, 3, 192, 30, 0, 240, 14, 0, 120, 7, 0, 30, 7, 128, 15, 3, 128, 7, 129, 192, 3, 193, 224, 1, 224, 240, 0, 240, 112, 0, 120, 56, 0, 120, 60, 0, 60, 30, 0, 62, 14, 0, 30, 15, 0, 30, 7, 128, 30, 3, 128, 62, 1, 192, 126, 1, 255, 252, 3, 255, 240, 0, 7, 255, 252, 7, 255, 240, 30, 1, 192, 120, 2, 1, 224, 8, 7, 0, 0, 28, 8, 0, 240, 96, 3, 131, 128, 15, 252, 0, 127, 240, 1, 224, 192, 7, 3, 0, 28, 8, 0, 240, 32, 3, 128, 0, 14, 0, 0, 120, 0, 129, 224, 6, 7, 0, 56, 28, 3, 192, 255, 255, 15, 255, 252, 0, 7, 255, 252, 7, 255, 240, 30, 1, 192, 120, 2, 1, 224, 8, 7, 0, 32, 28, 0, 0, 240, 32, 3, 129, 128, 14, 12, 0, 127, 240, 1, 255, 192, 7, 3, 0, 28, 12, 0, 240, 32, 3, 192, 0, 14, 0, 0, 120, 0, 1, 224, 0, 7, 0, 0, 28, 0, 0, 248, 0, 15, 248, 0, 0, 0, 63, 2, 1, 255, 136, 15, 129, 240, 60, 1, 224, 240, 1, 195, 192, 1, 15, 128, 2, 30, 0, 0, 124, 0, 0, 240, 0, 1, 224, 0, 7, 192, 0, 15, 0, 63, 254, 0, 30, 60, 0, 56, 120, 0, 112, 240, 0, 224, 224, 1, 193, 224, 7, 1, 224, 14, 1, 240, 60, 1, 255, 240, 0, 255, 0, 0, 7, 252, 63, 224, 62, 0, 240, 7, 128, 28, 0, 240, 3, 128, 28, 0, 240, 3, 128, 30, 0, 112, 3, 128, 30, 0, 112, 3, 128, 30, 0, 112, 3, 128, 31, 255, 240, 3, 255, 254, 0, 112, 3, 192, 14, 0, 112, 3, 192, 14, 0, 112, 3, 192, 14, 0, 120, 3, 192, 14, 0, 120, 1, 192, 14, 0, 120, 1, 192, 14, 0, 120, 3, 224, 63, 225, 255, 0, 7, 252, 7, 192, 30, 0, 120, 1, 192, 7, 0, 28, 0, 240, 3, 128, 14, 0, 120, 1, 224, 7, 0, 28, 0, 240, 3, 128, 14, 0, 120, 1, 224, 7, 0, 28, 0, 240, 15, 248, 0, 0, 255, 128, 15, 0, 7, 128, 3, 128, 1, 192, 1, 224, 0, 240, 0, 112, 0, 56, 0, 60, 0, 28, 0, 14, 0, 15, 0, 7, 128, 3, 128, 1, 192, 1, 224, 0, 224, 0, 112, 30, 120, 15, 56, 7, 248, 1, 240, 0, 7, 252, 127, 128, 248, 15, 0, 56, 7, 0, 60, 7, 0, 28, 6, 0, 14, 6, 0, 7, 12, 0, 7, 140, 0, 3, 156, 0, 1, 216, 0, 1, 252, 0, 0, 255, 0, 0, 115, 128, 0, 57, 224, 0, 60, 120, 0, 28, 28, 0, 14, 15, 0, 7, 3, 128, 7, 129, 224, 3, 128, 112, 1, 192, 60, 1, 224, 31, 3, 254, 63, 224, 7, 252, 0, 31, 0, 1, 224, 0, 30, 0, 1, 192, 0, 28, 0, 1, 192, 0, 60, 0, 3, 128, 0, 56, 0, 7, 128, 0, 120, 0, 7, 0, 0, 112, 0, 15, 0, 0, 224, 0, 14, 0, 17, 224, 3, 30, 0, 97, 192, 6, 28, 1, 227, 255, 252, 255, 255, 192, 7, 240, 0, 126, 3, 224, 1, 240, 3, 192, 3, 224, 7, 128, 15, 128, 31, 0, 55, 0, 46, 0, 94, 0, 92, 1, 184, 1, 184, 6, 112, 2, 120, 9, 224, 4, 112, 51, 192, 8, 224, 199, 0, 49, 193, 14, 0, 67, 134, 60, 0, 135, 24, 112, 3, 14, 32, 224, 6, 28, 195, 192, 8, 59, 7, 128, 16, 124, 14, 0, 96, 120, 28, 0, 128, 224, 120, 3, 1, 128, 240, 7, 3, 3, 224, 63, 132, 31, 240, 0, 7, 192, 63, 192, 120, 3, 224, 14, 0, 112, 3, 192, 24, 1, 240, 14, 0, 108, 3, 0, 27, 128, 192, 12, 224, 48, 3, 24, 28, 0, 199, 6, 0, 48, 193, 128, 24, 56, 224, 6, 6, 48, 1, 129, 140, 0, 192, 115, 0, 48, 13, 192, 12, 3, 224, 3, 0, 120, 1, 128, 30, 0, 96, 7, 0, 56, 0, 192, 14, 0, 48, 15, 224, 4, 0, 0, 15, 192, 0, 255, 224, 7, 193, 224, 30, 1, 224, 120, 1, 193, 224, 3, 199, 128, 7, 159, 0, 15, 60, 0, 30, 248, 0, 61, 224, 0, 255, 192, 1, 239, 128, 3, 222, 0, 15, 188, 0, 30, 120, 0, 124, 240, 0, 241, 224, 3, 193, 192, 15, 3, 192, 60, 3, 193, 240, 3, 255, 128, 1, 252, 0, 0, 7, 255, 192, 7, 255, 192, 14, 15, 128, 120, 31, 1, 192, 60, 7, 0, 240, 28, 3, 192, 240, 15, 3, 128, 120, 14, 1, 224, 120, 31, 1, 255, 248, 7, 127, 0, 28, 0, 0, 240, 0, 3, 128, 0, 14, 0, 0, 120, 0, 1, 224, 0, 7, 0, 0, 28, 0, 0, 240, 0, 15, 240, 0, 0, 0, 15, 192, 0, 255, 224, 3, 193, 224, 30, 1, 192, 120, 3, 193, 224, 3, 135, 128, 7, 143, 0, 15, 60, 0, 30, 120, 0, 61, 224, 0, 123, 192, 1, 255, 128, 3, 222, 0, 7, 188, 0, 31, 120, 0, 60, 240, 0, 241, 224, 1, 227, 192, 7, 131, 128, 30, 7, 128, 120, 7, 1, 192, 3, 222, 0, 1, 192, 0, 6, 0, 0, 24, 0, 16, 127, 192, 195, 255, 255, 8, 7, 240, 0, 7, 255, 128, 15, 255, 0, 120, 60, 3, 192, 240, 30, 7, 128, 224, 60, 7, 1, 224, 120, 30, 3, 131, 240, 31, 254, 1, 255, 192, 15, 56, 0, 113, 224, 3, 135, 0, 60, 56, 1, 193, 224, 14, 7, 0, 240, 60, 7, 129, 224, 56, 7, 1, 192, 60, 30, 0, 243, 252, 7, 192, 0, 248, 129, 255, 193, 225, 225, 224, 112, 240, 16, 120, 8, 60, 0, 31, 0, 7, 128, 1, 224, 0, 120, 0, 30, 0, 7, 128, 1, 224, 0, 248, 128, 60, 64, 30, 32, 15, 56, 7, 158, 7, 143, 135, 132, 127, 194, 15, 128, 63, 255, 247, 255, 255, 112, 120, 118, 7, 2, 192, 112, 40, 15, 2, 0, 240, 0, 14, 0, 1, 224, 0, 30, 0, 1, 192, 0, 28, 0, 3, 192, 0, 60, 0, 3, 128, 0, 56, 0, 7, 128, 0, 112, 0, 7, 0, 0, 240, 0, 15, 0, 1, 240, 0, 255, 224, 0, 127, 224, 254, 63, 0, 120, 60, 0, 96, 240, 1, 129, 224, 3, 3, 192, 6, 7, 0, 8, 30, 0, 48, 60, 0, 96, 112, 0, 129, 224, 1, 3, 192, 6, 7, 128, 12, 14, 0, 16, 60, 0, 96, 120, 0, 192, 240, 1, 1, 224, 6, 3, 192, 8, 3, 192, 48, 7, 193, 192, 7, 255, 0, 3, 248, 0, 0, 255, 1, 251, 224, 7, 142, 0, 24, 120, 1, 131, 192, 12, 30, 0, 192, 240, 6, 3, 128, 96, 28, 2, 0, 224, 48, 7, 131, 0, 60, 16, 1, 225, 128, 7, 8, 0, 56, 128, 1, 196, 0, 14, 64, 0, 124, 0, 3, 224, 0, 14, 0, 0, 112, 0, 3, 0, 0, 16, 0, 0, 255, 63, 195, 251, 224, 120, 7, 142, 3, 192, 24, 120, 14, 1, 131, 192, 112, 12, 30, 3, 128, 64, 240, 60, 6, 3, 129, 224, 96, 28, 23, 131, 0, 224, 188, 48, 7, 9, 225, 0, 56, 71, 24, 1, 228, 56, 128, 15, 33, 204, 0, 122, 14, 64, 1, 208, 118, 0, 15, 3, 160, 0, 120, 31, 0, 3, 128, 240, 0, 28, 7, 0, 0, 192, 56, 0, 6, 0, 128, 0, 32, 4, 0, 0, 15, 248, 127, 3, 224, 62, 1, 192, 24, 1, 224, 48, 1, 224, 96, 0, 224, 192, 0, 241, 192, 0, 113, 128, 0, 123, 0, 0, 62, 0, 0, 60, 0, 0, 60, 0, 0, 60, 0, 0, 126, 0, 0, 206, 0, 1, 143, 0, 1, 7, 0, 3, 7, 0, 6, 7, 128, 12, 3, 128, 24, 3, 192, 120, 3, 224, 254, 31, 248, 255, 135, 231, 192, 56, 112, 6, 14, 1, 129, 224, 48, 28, 12, 3, 131, 0, 120, 192, 7, 48, 0, 228, 0, 29, 128, 3, 224, 0, 56, 0, 15, 0, 1, 192, 0, 56, 0, 7, 0, 1, 224, 0, 56, 0, 7, 0, 1, 224, 0, 124, 0, 63, 240, 0, 7, 255, 252, 63, 255, 224, 224, 15, 130, 0, 60, 24, 1, 224, 64, 15, 0, 0, 120, 0, 3, 192, 0, 14, 0, 0, 120, 0, 3, 192, 0, 30, 0, 0, 240, 0, 7, 128, 0, 28, 0, 0, 240, 0, 7, 128, 0, 60, 0, 193, 224, 2, 15, 0, 24, 56, 1, 225, 255, 255, 15, 255, 252, 0, 1, 248, 12, 0, 192, 6, 0, 48, 1, 128, 24, 0, 192, 6, 0, 48, 3, 0, 24, 0, 192, 6, 0, 96, 3, 0, 24, 1, 192, 12, 0, 96, 3, 0, 48, 1, 128, 12, 0, 96, 6, 0, 48, 1, 248, 0, 224, 14, 0, 96, 7, 0, 48, 3, 128, 24, 1, 192, 12, 0, 192, 14, 0, 96, 7, 0, 48, 3, 128, 24, 1, 192, 12, 0, 192, 14, 0, 96, 7, 0, 48, 3, 240, 6, 0, 96, 6, 0, 96, 14, 0, 192, 12, 0, 192, 12, 1, 128, 24, 1, 128, 24, 3, 0, 48, 3, 0, 48, 3, 0, 96, 6, 0, 96, 6, 0, 192, 12, 0, 192, 12, 15, 192, 3, 128, 7, 0, 31, 0, 54, 0, 206, 1, 140, 6, 28, 12, 24, 56, 56, 96, 49, 192, 115, 0, 110, 0, 224, 255, 255, 255, 255, 240, 227, 143, 14, 24, 48, 1, 236, 14, 88, 48, 112, 224, 195, 129, 134, 7, 28, 12, 56, 24, 224, 113, 192, 227, 131, 135, 11, 47, 54, 207, 207, 31, 28, 0, 3, 0, 31, 0, 7, 0, 7, 0, 6, 0, 14, 0, 14, 0, 14, 0, 12, 0, 28, 124, 28, 254, 25, 143, 26, 7, 60, 7, 56, 7, 56, 7, 112, 14, 112, 14, 112, 28, 96, 24, 224, 48, 224, 96, 225, 192, 63, 0, 1, 240, 56, 195, 142, 120, 115, 128, 60, 1, 192, 30, 0, 240, 7, 128, 60, 1, 224, 71, 132, 63, 192, 124, 0, 0, 1, 128, 7, 192, 0, 224, 0, 96, 0, 48, 0, 56, 0, 28, 0, 12, 0, 6, 0, 247, 1, 199, 129, 195, 129, 193, 193, 224, 224, 224, 96, 240, 48, 120, 56, 120, 24, 60, 12, 30, 12, 15, 14, 39, 203, 33, 249, 224, 120, 224, 0, 240, 28, 195, 134, 56, 51, 195, 28, 49, 227, 31, 224, 240, 7, 128, 60, 1, 224, 71, 132, 63, 192, 124, 0, 0, 1, 224, 0, 51, 0, 6, 48, 0, 192, 0, 12, 0, 1, 192, 0, 24, 0, 1, 128, 0, 56, 0, 63, 248, 3, 255, 128, 3, 0, 0, 112, 0, 7, 0, 0, 112, 0, 6, 0, 0, 96, 0, 14, 0, 0, 224, 0, 12, 0, 0, 192, 0, 28, 0, 1, 192, 0, 24, 0, 1, 128, 0, 24, 0, 3, 0, 0, 48, 0, 198, 0, 12, 192, 0, 120, 0, 0, 1, 248, 7, 31, 14, 15, 12, 14, 24, 14, 24, 14, 24, 30, 24, 60, 12, 120, 7, 224, 8, 0, 24, 0, 30, 0, 15, 224, 19, 240, 96, 120, 192, 56, 192, 24, 192, 24, 192, 48, 96, 96, 63, 128, 3, 0, 31, 0, 7, 0, 7, 0, 6, 0, 6, 0, 14, 0, 14, 0, 12, 0, 28, 56, 28, 124, 28, 204, 25, 12, 58, 12, 60, 28, 60, 24, 56, 24, 112, 56, 112, 56, 112, 48, 96, 114, 224, 118, 224, 124, 192, 112, 3, 3, 193, 224, 96, 0, 0, 0, 0, 12, 126, 15, 3, 129, 129, 192, 224, 112, 48, 56, 28, 28, 76, 71, 195, 192, 0, 12, 0, 60, 0, 120, 0, 96, 0, 0, 0, 0, 0, 0, 0, 0, 24, 3, 240, 0, 224, 1, 128, 3, 0, 14, 0, 28, 0, 48, 0, 96, 1, 192, 3, 128, 6, 0, 12, 0, 56, 0, 112, 0, 192, 3, 128, 6, 0, 12, 6, 48, 12, 192, 15, 0, 0, 3, 0, 62, 0, 28, 0, 56, 0, 96, 1, 192, 3, 128, 7, 0, 12, 0, 56, 252, 112, 96, 225, 129, 134, 7, 16, 14, 64, 27, 128, 63, 0, 231, 1, 206, 3, 12, 6, 28, 92, 29, 56, 62, 96, 56, 3, 31, 7, 7, 6, 14, 14, 14, 12, 28, 28, 24, 56, 56, 56, 48, 112, 112, 112, 100, 228, 232, 240, 224, 0, 6, 24, 30, 62, 60, 63, 14, 76, 71, 12, 140, 142, 29, 13, 14, 30, 26, 14, 28, 30, 12, 60, 28, 28, 56, 56, 28, 56, 56, 28, 48, 56, 24, 112, 48, 57, 112, 112, 50, 96, 112, 60, 96, 96, 56, 6, 14, 31, 31, 131, 153, 193, 152, 193, 216, 224, 232, 112, 120, 48, 56, 56, 60, 28, 28, 14, 14, 6, 14, 3, 23, 1, 179, 128, 241, 128, 112, 1, 240, 14, 56, 56, 48, 224, 115, 128, 238, 1, 220, 3, 248, 15, 224, 29, 192, 59, 128, 231, 3, 142, 6, 14, 56, 7, 192, 0, 0, 231, 192, 124, 254, 1, 209, 240, 30, 15, 1, 192, 240, 56, 15, 3, 128, 240, 56, 14, 3, 1, 224, 112, 28, 7, 3, 192, 96, 120, 6, 15, 0, 225, 192, 15, 240, 0, 192, 0, 28, 0, 1, 192, 0, 28, 0, 1, 128, 0, 56, 0, 15, 240, 0, 0, 247, 3, 206, 15, 6, 30, 6, 28, 4, 60, 4, 120, 4, 120, 12, 240, 8, 240, 24, 240, 56, 240, 240, 249, 112, 126, 112, 60, 112, 0, 96, 0, 224, 0, 224, 0, 192, 1, 192, 1, 192, 15, 240, 124, 112, 231, 199, 76, 52, 1, 160, 30, 0, 240, 7, 0, 120, 3, 128, 28, 0, 192, 14, 0, 112, 3, 128, 0, 7, 136, 99, 134, 12, 48, 33, 193, 14, 0, 56, 0, 224, 3, 128, 28, 16, 96, 131, 6, 24, 113, 130, 120, 0, 2, 3, 3, 7, 247, 248, 224, 96, 112, 56, 28, 12, 14, 7, 3, 1, 145, 200, 248, 120, 0, 28, 13, 248, 56, 96, 112, 193, 195, 131, 135, 7, 12, 30, 56, 120, 112, 176, 226, 97, 141, 199, 51, 44, 198, 95, 15, 56, 28, 0, 24, 27, 224, 115, 129, 198, 3, 24, 12, 112, 33, 193, 131, 12, 12, 32, 49, 0, 200, 3, 64, 14, 0, 48, 0, 128, 0, 24, 4, 27, 224, 48, 113, 128, 193, 198, 7, 1, 28, 44, 8, 112, 176, 32, 196, 193, 3, 33, 132, 13, 134, 32, 52, 25, 0, 224, 104, 3, 129, 160, 12, 7, 0, 48, 24, 0, 128, 64, 0, 3, 7, 15, 143, 19, 147, 1, 176, 1, 224, 1, 192, 0, 192, 0, 192, 1, 192, 3, 224, 2, 96, 4, 98, 8, 100, 240, 124, 224, 48, 6, 6, 63, 7, 7, 7, 7, 3, 3, 129, 3, 130, 1, 130, 1, 196, 1, 196, 1, 200, 0, 200, 0, 208, 0, 240, 0, 224, 0, 192, 0, 192, 0, 128, 1, 0, 2, 0, 4, 0, 120, 0, 112, 0, 31, 252, 127, 225, 1, 8, 8, 0, 64, 2, 0, 16, 0, 128, 6, 0, 16, 0, 128, 4, 0, 56, 1, 240, 11, 224, 1, 198, 3, 152, 3, 128, 0, 112, 12, 1, 128, 56, 3, 128, 48, 7, 0, 112, 7, 0, 96, 14, 0, 224, 12, 1, 192, 28, 7, 128, 48, 4, 0, 32, 3, 0, 48, 7, 0, 112, 6, 0, 96, 14, 0, 224, 12, 0, 192, 7, 0, 255, 255, 255, 255, 255, 252, 0, 192, 6, 0, 48, 3, 0, 48, 3, 0, 112, 7, 0, 112, 6, 0, 224, 14, 0, 224, 12, 0, 64, 4, 0, 192, 30, 3, 128, 56, 3, 0, 112, 7, 0, 112, 6, 0, 224, 14, 0, 192, 28, 1, 128, 112, 0, 30, 0, 63, 225, 248, 127, 192, 7, 128]
free_serif_italic18pt7b_glyphs = [[0, 0, 0, 9, 0, 1], [0, 10, 23, 12, 1, -22], [29, 12, 9, 12, 4, -22], [43, 19, 23, 17, 0, -22], [98, 15, 29, 17, 1, -25], [153, 25, 23, 29, 3, -22], [225, 22, 23, 27, 3, -22], [289, 5, 9, 7, 4, -22], [295, 9, 29, 12, 1, -22], [328, 9, 29, 12, 1, -22], [361, 12, 14, 18, 5, -22], [382, 16, 18, 24, 4, -17], [418, 5, 8, 9, -1, -2], [423, 8, 2, 12, 2, -8], [425, 4, 4, 9, 1, -3], [427, 16, 23, 10, 0, -22], [473, 17, 24, 17, 1, -23], [524, 12, 24, 17, 2, -23], [560, 16, 23, 17, 1, -22], [606, 17, 24, 18, 0, -23], [657, 17, 24, 17, 0, -23], [708, 16, 23, 18, 0, -22], [754, 17, 24, 18, 1, -23], [805, 16, 23, 17, 3, -22], [851, 16, 24, 18, 1, -23], [899, 16, 24, 17, 1, -23], [947, 7, 15, 9, 2, -14], [961, 9, 20, 9, 1, -14], [984, 18, 18, 20, 2, -17], [1025, 18, 9, 23, 3, -12], [1046, 18, 18, 20, 2, -17], [1087, 12, 23, 16, 4, -22], [1122, 24, 23, 27, 2, -22], [1191, 21, 23, 23, 0, -22], [1252, 21, 23, 21, 0, -22], [1313, 21, 23, 21, 2, -22], [1374, 25, 23, 25, 0, -22], [1446, 22, 23, 20, 0, -22], [1510, 22, 23, 20, 0, -22], [1574, 23, 23, 24, 2, -22], [1641, 27, 23, 25, 0, -22], [1719, 14, 23, 11, 0, -22], [1760, 17, 23, 15, 0, -22], [1809, 25, 23, 22, 0, -22], [1881, 20, 23, 20, 0, -22], [1939, 31, 23, 29, 0, -22], [2029, 26, 23, 24, 0, -22], [2104, 23, 23, 23, 1, -22], [2171, 22, 23, 20, 0, -22], [2235, 23, 29, 23, 1, -22], [2319, 21, 23, 22, 0, -22], [2380, 17, 23, 16, 0, -22], [2429, 20, 23, 21, 3, -22], [2487, 23, 23, 25, 4, -22], [2554, 21, 23, 23, 5, -22], [2615, 29, 23, 31, 5, -22], [2699, 24, 23, 23, 0, -22], [2768, 19, 23, 21, 4, -22], [2823, 22, 23, 20, 0, -22], [2887, 13, 28, 14, 1, -22], [2933, 12, 23, 17, 4, -22], [2968, 12, 28, 14, 1, -22], [3010, 15, 13, 15, 0, -22], [3035, 18, 2, 17, 0, 3], [3040, 6, 6, 9, 5, -22], [3045, 15, 15, 17, 1, -14], [3074, 16, 24, 17, 1, -23], [3122, 13, 15, 14, 1, -14], [3147, 17, 24, 18, 1, -23], [3198, 13, 15, 14, 1, -14], [3223, 20, 31, 15, -3, -23], [3301, 16, 22, 15, -1, -14], [3345, 16, 24, 17, 1, -23], [3393, 9, 23, 9, 1, -22], [3419, 15, 30, 10, -3, -22], [3476, 15, 24, 16, 1, -23], [3521, 8, 25, 9, 1, -23], [3546, 24, 15, 25, 0, -14], [3591, 17, 15, 17, 0, -14], [3623, 15, 15, 17, 1, -14], [3652, 20, 22, 16, -3, -14], [3707, 16, 22, 17, 1, -14], [3751, 13, 15, 13, 1, -14], [3776, 13, 15, 12, 0, -14], [3801, 9, 18, 8, 1, -17], [3822, 15, 15, 17, 1, -14], [3851, 14, 15, 16, 2, -14], [3878, 22, 15, 24, 1, -14], [3920, 16, 15, 15, -1, -14], [3950, 16, 22, 16, 0, -14], [3994, 14, 18, 14, 0, -14], [4026, 12, 30, 14, 2, -23], [4071, 2, 23, 10, 4, -22], [4077, 12, 31, 14, 0, -24], [4124, 17, 4, 19, 1, -10]]
free_serif_italic18pt7b = [FreeSerifItalic18pt7bBitmaps, FreeSerifItalic18pt7bGlyphs, 32, 126, 42] |
#!/usr/bin/env python3
_, k, *l = map(int, open(0).read().split())
for a,b in sorted(zip(*[iter(l)]*2)):
k -= b
if k < 1:print(a);exit() | (_, k, *l) = map(int, open(0).read().split())
for (a, b) in sorted(zip(*[iter(l)] * 2)):
k -= b
if k < 1:
print(a)
exit() |
class player_class:
number = 0
name = ""
HP = 10
live = True
raceWeapon = ""
comp = False
real_player_list = []
def addRealPlayers():
n = 0
real_player_list.append(player_class())
print("Enter the first player's name:")
real_player_list[n].name = input()
real_player_list[n].number = n
n += 1
print("Would you like to add another player? (yes or no)")
while True:
inp1 = input()
if inp1 == "no":
break
elif inp1 == "yes":
real_player_list.append(player_class())
print("Enter the player's name:")
real_player_list[n].name = input()
real_player_list[n].number = n
n += 1
print("Would you like to add another player? (yes or no)")
else:
print("Please enter yes or no")
#addRealPlayers()
#i = 0
#while i < len(real_player_list):
# print(real_player_list[i].name)
# i += 1 | class Player_Class:
number = 0
name = ''
hp = 10
live = True
race_weapon = ''
comp = False
real_player_list = []
def add_real_players():
n = 0
real_player_list.append(player_class())
print("Enter the first player's name:")
real_player_list[n].name = input()
real_player_list[n].number = n
n += 1
print('Would you like to add another player? (yes or no)')
while True:
inp1 = input()
if inp1 == 'no':
break
elif inp1 == 'yes':
real_player_list.append(player_class())
print("Enter the player's name:")
real_player_list[n].name = input()
real_player_list[n].number = n
n += 1
print('Would you like to add another player? (yes or no)')
else:
print('Please enter yes or no') |
f = open('dftdemo.hex', 'r')
lines = f.read().split('\n')
fout = open('mem-dft.hex', 'w')
step = 2
for line in lines:
for i in range(len(line), 0, -step):
fout.write(line[i-step:i])
fout.write('\n')
| f = open('dftdemo.hex', 'r')
lines = f.read().split('\n')
fout = open('mem-dft.hex', 'w')
step = 2
for line in lines:
for i in range(len(line), 0, -step):
fout.write(line[i - step:i])
fout.write('\n') |
expected_output = {
'test': {
'loopback Test': {
'status': True
}
}
}
| expected_output = {'test': {'loopback Test': {'status': True}}} |
name = input('What is your first name? ')
print(
'Your name is as long or longer the the avarage first name'
) if len(name) >= 6 else print(
'Your name is shorter than the avarage first name'
)
message = (
'The first letter in your name is among the five most common'
if name[0].lower() in ['a', 'j', 'm', 'e', 'l'] else
'The first letter in your name is not among the five most common'
)
print(message)
for letter in name:
print(
f"{letter} {'is a vowel' if letter.lower() in ['a', 'e', 'i', 'o', 'u'] else 'is a constant'}"
)
| name = input('What is your first name? ')
print('Your name is as long or longer the the avarage first name') if len(name) >= 6 else print('Your name is shorter than the avarage first name')
message = 'The first letter in your name is among the five most common' if name[0].lower() in ['a', 'j', 'm', 'e', 'l'] else 'The first letter in your name is not among the five most common'
print(message)
for letter in name:
print(f"{letter} {('is a vowel' if letter.lower() in ['a', 'e', 'i', 'o', 'u'] else 'is a constant')}") |
AWS_API_KEY = None
AWS_SECRET_KEY = None
AWS_KEY_FILE = None
LOCAL_AWS_KEY_FILE = None
#AMI SETTINGS
# AMI IDs are available on http://cloud.ubuntu.com/ami/
# Ubuntu 12.04 EBS Backed Instances
AMI_ID_BY_REGION = {
'ap-northeast-1' : 'ami-d71a9ad6',
'ap-southeast-1' : 'ami-6686ca34',
'ap-southeast-2' : 'ami-4a38a970',
'eu-west-1' : 'ami-1ef5ff6a',
'sa-east-1' : 'ami-c371aade',
'us-east-1' : 'ami-1ebb2077',
'us-west-1' : 'ami-b0c3eef5',
'us-west-2' : 'ami-3a891d0a',
}
# Ubuntu 12.04 instance-store Backed Instances
AMI_ID_BY_REGION_INSTANCE = {
'ap-northeast-1' : 'ami-bd1797bc',
'ap-southeast-1' : 'ami-ae85c9fc',
'ap-southeast-2' : 'ami-5238a968',
'eu-west-1' : 'ami-02f4fe76',
'sa-east-1' : 'ami-a771aaba',
'us-east-1' : 'ami-e2861d8b',
'us-west-1' : 'ami-f6c3eeb3',
'us-west-2' : 'ami-8c881cbc',
}
AMI_SECURITY_GROUP = 'vpn'
AMI_TYPES = ('vpnipsec',)
AWS_USER_NAME = 'ubuntu'
AT_RUNNING_MINUTES = "60"
| aws_api_key = None
aws_secret_key = None
aws_key_file = None
local_aws_key_file = None
ami_id_by_region = {'ap-northeast-1': 'ami-d71a9ad6', 'ap-southeast-1': 'ami-6686ca34', 'ap-southeast-2': 'ami-4a38a970', 'eu-west-1': 'ami-1ef5ff6a', 'sa-east-1': 'ami-c371aade', 'us-east-1': 'ami-1ebb2077', 'us-west-1': 'ami-b0c3eef5', 'us-west-2': 'ami-3a891d0a'}
ami_id_by_region_instance = {'ap-northeast-1': 'ami-bd1797bc', 'ap-southeast-1': 'ami-ae85c9fc', 'ap-southeast-2': 'ami-5238a968', 'eu-west-1': 'ami-02f4fe76', 'sa-east-1': 'ami-a771aaba', 'us-east-1': 'ami-e2861d8b', 'us-west-1': 'ami-f6c3eeb3', 'us-west-2': 'ami-8c881cbc'}
ami_security_group = 'vpn'
ami_types = ('vpnipsec',)
aws_user_name = 'ubuntu'
at_running_minutes = '60' |
class SearcherConfig():
AND = 'AND'
OR = 'OR'
| class Searcherconfig:
and = 'AND'
or = 'OR' |
# Exercise on selection sort - Level 1
def find_next_min(num_list, start_index):
# Remove pass and write the logic to find the minimum element in a sub-list and return the index of the identified element in the num_list.
# start_index indicates the start index of the sub-list
min_index = 0
for i in range(len(num_list)):
if(i >= start_index):
if(num_list[i] < num_list[start_index]):
min_index = i
return min_index
min_index = start_index
return min_index
# Pass different values to the function and test your program
num_list = [10, 2, 100, 67, 1]
start_index = 1
print("Index of the next minimum element is",
find_next_min(num_list, start_index))
| def find_next_min(num_list, start_index):
min_index = 0
for i in range(len(num_list)):
if i >= start_index:
if num_list[i] < num_list[start_index]:
min_index = i
return min_index
min_index = start_index
return min_index
num_list = [10, 2, 100, 67, 1]
start_index = 1
print('Index of the next minimum element is', find_next_min(num_list, start_index)) |
#!/usr/bin/python
delayIntervals = [0, 40, 80, 160]
lossIntervals = [0, 5, 10]
tcpTestLocation = '../../tcp-clock-station/tcp-clock-station'
udpTestLocation = '../../udp-clock-station/udp-clock-station'
rrtcpTestLocation = '../../rrtcp-clock-station/rrtcp-clock-station'
| delay_intervals = [0, 40, 80, 160]
loss_intervals = [0, 5, 10]
tcp_test_location = '../../tcp-clock-station/tcp-clock-station'
udp_test_location = '../../udp-clock-station/udp-clock-station'
rrtcp_test_location = '../../rrtcp-clock-station/rrtcp-clock-station' |
transitions = {' ': {' ': 2877,
'?': 24468,
'a': 68563,
'b': 24641,
'c': 21074,
'd': 16954,
'e': 11615,
'f': 21199,
'g': 9600,
'h': 49177,
'i': 29498,
'j': 1618,
'k': 3983,
'l': 13015,
'm': 19254,
'n': 14619,
'o': 33619,
'p': 18734,
'q': 1410,
'r': 15070,
's': 40402,
't': 86410,
'u': 5537,
'v': 3914,
'w': 39279,
'x': 450,
'y': 5982,
'z': 143},
'?': {' ': 127201,
'?': 163084,
'a': 1373,
'b': 777,
'c': 605,
'd': 634,
'e': 512,
'f': 350,
'g': 453,
'h': 839,
'i': 1702,
'j': 47,
'k': 440,
'l': 1714,
'm': 581,
'n': 2518,
'o': 632,
'p': 311,
'q': 21,
'r': 799,
's': 7346,
't': 3686,
'u': 145,
'v': 1836,
'w': 1640,
'x': 3,
'y': 1143,
'z': 632},
'a': {' ': 12363,
'?': 3127,
'a': 8,
'b': 3459,
'c': 7015,
'd': 11260,
'e': 70,
'f': 1672,
'g': 3376,
'h': 315,
'i': 8729,
'j': 169,
'k': 2535,
'l': 14217,
'm': 4600,
'n': 45441,
'o': 43,
'p': 4631,
'q': 3,
'r': 17677,
's': 19514,
't': 27983,
'u': 2512,
'v': 4269,
'w': 2152,
'x': 52,
'y': 5206,
'z': 347},
'b': {' ': 115,
'?': 169,
'a': 3190,
'b': 230,
'c': 4,
'd': 17,
'e': 11356,
'f': 1,
'g': 1,
'h': 2,
'i': 1006,
'j': 176,
'k': 1,
'l': 3636,
'm': 70,
'n': 10,
'o': 4089,
'p': 1,
'q': 1,
'r': 1979,
's': 477,
't': 258,
'u': 5276,
'v': 47,
'w': 21,
'x': 1,
'y': 2551,
'z': 1},
'c': {' ': 472,
'?': 172,
'a': 6722,
'b': 1,
'c': 1050,
'd': 10,
'e': 13130,
'f': 1,
'g': 1,
'h': 11608,
'i': 2575,
'j': 1,
'k': 2625,
'l': 2005,
'm': 3,
'n': 1,
'o': 12831,
'p': 1,
'q': 118,
'r': 2072,
's': 97,
't': 4135,
'u': 1692,
'v': 1,
'w': 8,
'x': 1,
'y': 311,
'z': 6},
'd': {' ': 63123,
'?': 13679,
'a': 2441,
'b': 13,
'c': 11,
'd': 1305,
'e': 13743,
'f': 86,
'g': 436,
'h': 51,
'i': 7796,
'j': 237,
'k': 70,
'l': 1240,
'm': 315,
'n': 291,
'o': 4936,
'p': 5,
'q': 46,
'r': 3577,
's': 2228,
't': 48,
'u': 1101,
'v': 321,
'w': 45,
'x': 1,
'y': 1178,
'z': 3},
'e': {' ': 91151,
'?': 21447,
'a': 13337,
'b': 254,
'c': 5371,
'd': 28599,
'e': 7950,
'f': 3166,
'g': 2144,
'h': 715,
'i': 3468,
'j': 86,
'k': 269,
'l': 10161,
'm': 7104,
'n': 26200,
'o': 1614,
'p': 3427,
'q': 256,
'r': 44055,
's': 19610,
't': 7395,
'u': 312,
'v': 5304,
'w': 3185,
'x': 3134,
'y': 3718,
'z': 171},
'f': {' ': 17058,
'?': 2632,
'a': 3855,
'b': 28,
'c': 1,
'd': 1,
'e': 4581,
'f': 2836,
'g': 1,
'h': 4,
'i': 4670,
'j': 1,
'k': 8,
'l': 1210,
'm': 3,
'n': 6,
'o': 8090,
'p': 1,
'q': 1,
'r': 5661,
's': 150,
't': 2151,
'u': 1863,
'v': 1,
'w': 28,
'x': 1,
'y': 86,
'z': 1},
'g': {' ': 17765,
'?': 4701,
'a': 3360,
'b': 2,
'c': 1,
'd': 43,
'e': 5831,
'f': 1,
'g': 446,
'h': 5957,
'i': 2496,
'j': 1,
'k': 1,
'l': 1480,
'm': 19,
'n': 927,
'o': 3086,
'p': 1,
'q': 1,
'r': 2743,
's': 863,
't': 171,
'u': 1339,
'v': 1,
'w': 19,
'x': 1,
'y': 96,
'z': 3},
'h': {' ': 12259,
'?': 4165,
'a': 27452,
'b': 63,
'c': 63,
'd': 61,
'e': 74878,
'f': 69,
'g': 2,
'h': 7,
'i': 25824,
'j': 1,
'k': 96,
'l': 151,
'm': 378,
'n': 117,
'o': 13682,
'p': 5,
'q': 1,
'r': 1283,
's': 158,
't': 4196,
'u': 1594,
'v': 5,
'w': 37,
'x': 1,
'y': 894,
'z': 1},
'i': {' ': 4311,
'?': 1787,
'a': 2910,
'b': 1274,
'c': 8519,
'd': 8649,
'e': 8443,
'f': 3746,
'g': 4295,
'h': 7,
'i': 461,
'j': 1,
'k': 1199,
'l': 7924,
'm': 9815,
'n': 48157,
'o': 7276,
'p': 834,
'q': 28,
'r': 5916,
's': 21119,
't': 21136,
'u': 131,
'v': 3438,
'w': 5,
'x': 325,
'y': 2,
'z': 577},
'j': {' ': 1,
'?': 5,
'a': 97,
'b': 1,
'c': 1,
'd': 1,
'e': 565,
'f': 1,
'g': 1,
'h': 1,
'i': 12,
'j': 1,
'k': 1,
'l': 1,
'm': 1,
'n': 1,
'o': 717,
'p': 1,
'q': 1,
'r': 1,
's': 1,
't': 1,
'u': 1184,
'v': 1,
'w': 1,
'x': 1,
'y': 1,
'z': 1},
'k': {' ': 3720,
'?': 1871,
'a': 504,
'b': 8,
'c': 48,
'd': 4,
'e': 5655,
'f': 14,
'g': 13,
'h': 818,
'i': 3386,
'j': 1,
'k': 1,
'l': 340,
'm': 30,
'n': 2072,
'o': 256,
'p': 2,
'q': 1,
'r': 96,
's': 748,
't': 6,
'u': 667,
'v': 13,
'w': 83,
'x': 1,
'y': 101,
'z': 1},
'l': {' ': 9798,
'?': 4045,
'a': 7591,
'b': 72,
'c': 71,
'd': 6913,
'e': 16761,
'f': 2304,
'g': 87,
'h': 5,
'i': 9412,
'j': 1,
'k': 1037,
'l': 13210,
'm': 393,
'n': 123,
'o': 8291,
'p': 381,
'q': 2,
'r': 464,
's': 1556,
't': 1642,
'u': 1479,
'v': 424,
'w': 468,
'x': 1,
'y': 10003,
'z': 26},
'm': {' ': 8429,
'?': 4775,
'a': 9256,
'b': 1087,
'c': 37,
'd': 1,
'e': 15101,
'f': 134,
'g': 2,
'h': 1,
'i': 4823,
'j': 1,
'k': 7,
'l': 163,
'm': 1384,
'n': 228,
'o': 6642,
'p': 3431,
'q': 1,
'r': 82,
's': 1919,
't': 60,
'u': 1646,
'v': 1,
'w': 7,
'x': 1,
'y': 2457,
'z': 1},
'n': {' ': 32502,
'?': 10875,
'a': 5503,
'b': 152,
'c': 9103,
'd': 34576,
'e': 14824,
'f': 913,
'g': 24994,
'h': 144,
'i': 5678,
'j': 121,
'k': 1493,
'l': 2105,
'm': 139,
'n': 1950,
'o': 12562,
'p': 96,
'q': 244,
'r': 75,
's': 6174,
't': 15995,
'u': 956,
'v': 754,
'w': 107,
'x': 83,
'y': 2071,
'z': 23},
'o': {' ': 23563,
'?': 3430,
'a': 1380,
'b': 891,
'c': 1377,
'd': 3051,
'e': 501,
'f': 16918,
'g': 771,
'h': 361,
'i': 2234,
'j': 122,
'k': 3372,
'l': 7365,
'm': 11065,
'n': 26779,
'o': 7197,
'p': 3054,
'q': 26,
'r': 19748,
's': 6746,
't': 10012,
'u': 23549,
'v': 5735,
'w': 9911,
'x': 142,
'y': 697,
'z': 114},
'p': {' ': 2258,
'?': 1561,
'a': 4408,
'b': 12,
'c': 128,
'd': 3,
'e': 8192,
'f': 101,
'g': 10,
'h': 416,
'i': 4203,
'j': 1,
'k': 19,
'l': 4222,
'm': 28,
'n': 9,
'o': 4745,
'p': 2626,
'q': 1,
'r': 7856,
's': 1074,
't': 2168,
'u': 1165,
'v': 1,
'w': 20,
'x': 1,
'y': 332,
'z': 1},
'q': {' ': 2,
'?': 2,
'a': 1,
'b': 1,
'c': 1,
'd': 1,
'e': 1,
'f': 1,
'g': 1,
'h': 1,
'i': 1,
'j': 1,
'k': 1,
'l': 1,
'm': 1,
'n': 1,
'o': 1,
'p': 1,
'q': 1,
'r': 1,
's': 1,
't': 1,
'u': 2330,
'v': 1,
'w': 1,
'x': 1,
'y': 1,
'z': 1},
'r': {' ': 24023,
'?': 9533,
'a': 8040,
'b': 214,
'c': 1469,
'd': 4354,
'e': 35521,
'f': 449,
'g': 1397,
'h': 212,
'i': 13014,
'j': 3,
'k': 923,
'l': 1260,
'm': 2929,
'n': 2561,
'o': 14695,
'p': 545,
'q': 14,
'r': 4927,
's': 8074,
't': 4601,
'u': 2895,
'v': 706,
'w': 278,
'x': 1,
'y': 5738,
'z': 83},
's': {' ': 47722,
'?': 16292,
'a': 8389,
'b': 426,
'c': 2228,
'd': 64,
'e': 17543,
'f': 301,
'g': 45,
'h': 10843,
'i': 9072,
'j': 4,
'k': 2155,
'l': 1202,
'm': 1687,
'n': 440,
'o': 8549,
'p': 3240,
'q': 170,
'r': 26,
's': 9686,
't': 17765,
'u': 3947,
'v': 80,
'w': 670,
'x': 1,
'y': 373,
'z': 5},
't': {' ': 48102,
'?': 14532,
'a': 7579,
'b': 16,
'c': 635,
'd': 4,
'e': 19116,
'f': 187,
'g': 10,
'h': 73761,
'i': 13904,
'j': 1,
'k': 11,
'l': 2999,
'm': 275,
'n': 179,
'o': 23721,
'p': 44,
'q': 1,
'r': 5653,
's': 3903,
't': 4387,
'u': 2966,
'v': 18,
'w': 1164,
'x': 2,
'y': 3134,
'z': 138},
'u': {' ': 2960,
'?': 1114,
'a': 1324,
'b': 904,
'c': 2049,
'd': 1412,
'e': 1894,
'f': 332,
'g': 3252,
'h': 43,
'i': 1751,
'j': 2,
'k': 97,
'l': 6272,
'm': 1367,
'n': 8764,
'o': 149,
'p': 2776,
'q': 2,
'r': 7995,
's': 8788,
't': 10955,
'u': 1,
'v': 81,
'w': 3,
'x': 44,
'y': 21,
'z': 75},
'v': {' ': 1513,
'?': 1971,
'a': 1692,
'b': 1,
'c': 1,
'd': 1,
'e': 14499,
'f': 1,
'g': 4,
'h': 1,
'i': 4716,
'j': 1,
'k': 9,
'l': 216,
'm': 1,
'n': 533,
'o': 1467,
'p': 1,
'q': 1,
'r': 88,
's': 262,
't': 3,
'u': 21,
'v': 2,
'w': 2,
'x': 1,
'y': 106,
'z': 1},
'w': {' ': 6091,
'?': 2401,
'a': 12164,
'b': 7,
'c': 17,
'd': 368,
'e': 7759,
'f': 45,
'g': 1,
'h': 11926,
'i': 10021,
'j': 1,
'k': 64,
'l': 200,
'm': 3,
'n': 2223,
'o': 4596,
'p': 2,
'q': 1,
'r': 529,
's': 729,
't': 8,
'u': 20,
'v': 1,
'w': 18,
'x': 1,
'y': 40,
'z': 1},
'x': {' ': 177,
'?': 257,
'a': 338,
'b': 1,
'c': 602,
'd': 1,
'e': 271,
'f': 1,
'g': 1,
'h': 60,
'i': 514,
'j': 1,
'k': 1,
'l': 3,
'm': 1,
'n': 1,
'o': 6,
'p': 1356,
'q': 5,
'r': 1,
's': 1,
't': 472,
'u': 18,
'v': 157,
'w': 1,
'x': 159,
'y': 5,
'z': 1},
'y': {' ': 23477,
'?': 8711,
'a': 1168,
'b': 150,
'c': 168,
'd': 11,
'e': 2561,
'f': 99,
'g': 10,
'h': 13,
'i': 1076,
'j': 1,
'k': 37,
'l': 203,
'm': 167,
'n': 43,
'o': 5987,
'p': 53,
'q': 1,
'r': 84,
's': 1296,
't': 796,
'u': 54,
'v': 2,
'w': 82,
'x': 1,
'y': 1,
'z': 11},
'z': {' ': 72,
'?': 218,
'a': 100,
'b': 1,
'c': 1,
'd': 28,
'e': 730,
'f': 1,
'g': 1,
'h': 155,
'i': 243,
'j': 1,
'k': 5,
'l': 45,
'm': 64,
'n': 18,
'o': 632,
'p': 1,
'q': 1,
'r': 1,
's': 3,
't': 1,
'u': 27,
'v': 1,
'w': 2,
'x': 1,
'y': 15,
'z': 48}}
| transitions = {' ': {' ': 2877, '?': 24468, 'a': 68563, 'b': 24641, 'c': 21074, 'd': 16954, 'e': 11615, 'f': 21199, 'g': 9600, 'h': 49177, 'i': 29498, 'j': 1618, 'k': 3983, 'l': 13015, 'm': 19254, 'n': 14619, 'o': 33619, 'p': 18734, 'q': 1410, 'r': 15070, 's': 40402, 't': 86410, 'u': 5537, 'v': 3914, 'w': 39279, 'x': 450, 'y': 5982, 'z': 143}, '?': {' ': 127201, '?': 163084, 'a': 1373, 'b': 777, 'c': 605, 'd': 634, 'e': 512, 'f': 350, 'g': 453, 'h': 839, 'i': 1702, 'j': 47, 'k': 440, 'l': 1714, 'm': 581, 'n': 2518, 'o': 632, 'p': 311, 'q': 21, 'r': 799, 's': 7346, 't': 3686, 'u': 145, 'v': 1836, 'w': 1640, 'x': 3, 'y': 1143, 'z': 632}, 'a': {' ': 12363, '?': 3127, 'a': 8, 'b': 3459, 'c': 7015, 'd': 11260, 'e': 70, 'f': 1672, 'g': 3376, 'h': 315, 'i': 8729, 'j': 169, 'k': 2535, 'l': 14217, 'm': 4600, 'n': 45441, 'o': 43, 'p': 4631, 'q': 3, 'r': 17677, 's': 19514, 't': 27983, 'u': 2512, 'v': 4269, 'w': 2152, 'x': 52, 'y': 5206, 'z': 347}, 'b': {' ': 115, '?': 169, 'a': 3190, 'b': 230, 'c': 4, 'd': 17, 'e': 11356, 'f': 1, 'g': 1, 'h': 2, 'i': 1006, 'j': 176, 'k': 1, 'l': 3636, 'm': 70, 'n': 10, 'o': 4089, 'p': 1, 'q': 1, 'r': 1979, 's': 477, 't': 258, 'u': 5276, 'v': 47, 'w': 21, 'x': 1, 'y': 2551, 'z': 1}, 'c': {' ': 472, '?': 172, 'a': 6722, 'b': 1, 'c': 1050, 'd': 10, 'e': 13130, 'f': 1, 'g': 1, 'h': 11608, 'i': 2575, 'j': 1, 'k': 2625, 'l': 2005, 'm': 3, 'n': 1, 'o': 12831, 'p': 1, 'q': 118, 'r': 2072, 's': 97, 't': 4135, 'u': 1692, 'v': 1, 'w': 8, 'x': 1, 'y': 311, 'z': 6}, 'd': {' ': 63123, '?': 13679, 'a': 2441, 'b': 13, 'c': 11, 'd': 1305, 'e': 13743, 'f': 86, 'g': 436, 'h': 51, 'i': 7796, 'j': 237, 'k': 70, 'l': 1240, 'm': 315, 'n': 291, 'o': 4936, 'p': 5, 'q': 46, 'r': 3577, 's': 2228, 't': 48, 'u': 1101, 'v': 321, 'w': 45, 'x': 1, 'y': 1178, 'z': 3}, 'e': {' ': 91151, '?': 21447, 'a': 13337, 'b': 254, 'c': 5371, 'd': 28599, 'e': 7950, 'f': 3166, 'g': 2144, 'h': 715, 'i': 3468, 'j': 86, 'k': 269, 'l': 10161, 'm': 7104, 'n': 26200, 'o': 1614, 'p': 3427, 'q': 256, 'r': 44055, 's': 19610, 't': 7395, 'u': 312, 'v': 5304, 'w': 3185, 'x': 3134, 'y': 3718, 'z': 171}, 'f': {' ': 17058, '?': 2632, 'a': 3855, 'b': 28, 'c': 1, 'd': 1, 'e': 4581, 'f': 2836, 'g': 1, 'h': 4, 'i': 4670, 'j': 1, 'k': 8, 'l': 1210, 'm': 3, 'n': 6, 'o': 8090, 'p': 1, 'q': 1, 'r': 5661, 's': 150, 't': 2151, 'u': 1863, 'v': 1, 'w': 28, 'x': 1, 'y': 86, 'z': 1}, 'g': {' ': 17765, '?': 4701, 'a': 3360, 'b': 2, 'c': 1, 'd': 43, 'e': 5831, 'f': 1, 'g': 446, 'h': 5957, 'i': 2496, 'j': 1, 'k': 1, 'l': 1480, 'm': 19, 'n': 927, 'o': 3086, 'p': 1, 'q': 1, 'r': 2743, 's': 863, 't': 171, 'u': 1339, 'v': 1, 'w': 19, 'x': 1, 'y': 96, 'z': 3}, 'h': {' ': 12259, '?': 4165, 'a': 27452, 'b': 63, 'c': 63, 'd': 61, 'e': 74878, 'f': 69, 'g': 2, 'h': 7, 'i': 25824, 'j': 1, 'k': 96, 'l': 151, 'm': 378, 'n': 117, 'o': 13682, 'p': 5, 'q': 1, 'r': 1283, 's': 158, 't': 4196, 'u': 1594, 'v': 5, 'w': 37, 'x': 1, 'y': 894, 'z': 1}, 'i': {' ': 4311, '?': 1787, 'a': 2910, 'b': 1274, 'c': 8519, 'd': 8649, 'e': 8443, 'f': 3746, 'g': 4295, 'h': 7, 'i': 461, 'j': 1, 'k': 1199, 'l': 7924, 'm': 9815, 'n': 48157, 'o': 7276, 'p': 834, 'q': 28, 'r': 5916, 's': 21119, 't': 21136, 'u': 131, 'v': 3438, 'w': 5, 'x': 325, 'y': 2, 'z': 577}, 'j': {' ': 1, '?': 5, 'a': 97, 'b': 1, 'c': 1, 'd': 1, 'e': 565, 'f': 1, 'g': 1, 'h': 1, 'i': 12, 'j': 1, 'k': 1, 'l': 1, 'm': 1, 'n': 1, 'o': 717, 'p': 1, 'q': 1, 'r': 1, 's': 1, 't': 1, 'u': 1184, 'v': 1, 'w': 1, 'x': 1, 'y': 1, 'z': 1}, 'k': {' ': 3720, '?': 1871, 'a': 504, 'b': 8, 'c': 48, 'd': 4, 'e': 5655, 'f': 14, 'g': 13, 'h': 818, 'i': 3386, 'j': 1, 'k': 1, 'l': 340, 'm': 30, 'n': 2072, 'o': 256, 'p': 2, 'q': 1, 'r': 96, 's': 748, 't': 6, 'u': 667, 'v': 13, 'w': 83, 'x': 1, 'y': 101, 'z': 1}, 'l': {' ': 9798, '?': 4045, 'a': 7591, 'b': 72, 'c': 71, 'd': 6913, 'e': 16761, 'f': 2304, 'g': 87, 'h': 5, 'i': 9412, 'j': 1, 'k': 1037, 'l': 13210, 'm': 393, 'n': 123, 'o': 8291, 'p': 381, 'q': 2, 'r': 464, 's': 1556, 't': 1642, 'u': 1479, 'v': 424, 'w': 468, 'x': 1, 'y': 10003, 'z': 26}, 'm': {' ': 8429, '?': 4775, 'a': 9256, 'b': 1087, 'c': 37, 'd': 1, 'e': 15101, 'f': 134, 'g': 2, 'h': 1, 'i': 4823, 'j': 1, 'k': 7, 'l': 163, 'm': 1384, 'n': 228, 'o': 6642, 'p': 3431, 'q': 1, 'r': 82, 's': 1919, 't': 60, 'u': 1646, 'v': 1, 'w': 7, 'x': 1, 'y': 2457, 'z': 1}, 'n': {' ': 32502, '?': 10875, 'a': 5503, 'b': 152, 'c': 9103, 'd': 34576, 'e': 14824, 'f': 913, 'g': 24994, 'h': 144, 'i': 5678, 'j': 121, 'k': 1493, 'l': 2105, 'm': 139, 'n': 1950, 'o': 12562, 'p': 96, 'q': 244, 'r': 75, 's': 6174, 't': 15995, 'u': 956, 'v': 754, 'w': 107, 'x': 83, 'y': 2071, 'z': 23}, 'o': {' ': 23563, '?': 3430, 'a': 1380, 'b': 891, 'c': 1377, 'd': 3051, 'e': 501, 'f': 16918, 'g': 771, 'h': 361, 'i': 2234, 'j': 122, 'k': 3372, 'l': 7365, 'm': 11065, 'n': 26779, 'o': 7197, 'p': 3054, 'q': 26, 'r': 19748, 's': 6746, 't': 10012, 'u': 23549, 'v': 5735, 'w': 9911, 'x': 142, 'y': 697, 'z': 114}, 'p': {' ': 2258, '?': 1561, 'a': 4408, 'b': 12, 'c': 128, 'd': 3, 'e': 8192, 'f': 101, 'g': 10, 'h': 416, 'i': 4203, 'j': 1, 'k': 19, 'l': 4222, 'm': 28, 'n': 9, 'o': 4745, 'p': 2626, 'q': 1, 'r': 7856, 's': 1074, 't': 2168, 'u': 1165, 'v': 1, 'w': 20, 'x': 1, 'y': 332, 'z': 1}, 'q': {' ': 2, '?': 2, 'a': 1, 'b': 1, 'c': 1, 'd': 1, 'e': 1, 'f': 1, 'g': 1, 'h': 1, 'i': 1, 'j': 1, 'k': 1, 'l': 1, 'm': 1, 'n': 1, 'o': 1, 'p': 1, 'q': 1, 'r': 1, 's': 1, 't': 1, 'u': 2330, 'v': 1, 'w': 1, 'x': 1, 'y': 1, 'z': 1}, 'r': {' ': 24023, '?': 9533, 'a': 8040, 'b': 214, 'c': 1469, 'd': 4354, 'e': 35521, 'f': 449, 'g': 1397, 'h': 212, 'i': 13014, 'j': 3, 'k': 923, 'l': 1260, 'm': 2929, 'n': 2561, 'o': 14695, 'p': 545, 'q': 14, 'r': 4927, 's': 8074, 't': 4601, 'u': 2895, 'v': 706, 'w': 278, 'x': 1, 'y': 5738, 'z': 83}, 's': {' ': 47722, '?': 16292, 'a': 8389, 'b': 426, 'c': 2228, 'd': 64, 'e': 17543, 'f': 301, 'g': 45, 'h': 10843, 'i': 9072, 'j': 4, 'k': 2155, 'l': 1202, 'm': 1687, 'n': 440, 'o': 8549, 'p': 3240, 'q': 170, 'r': 26, 's': 9686, 't': 17765, 'u': 3947, 'v': 80, 'w': 670, 'x': 1, 'y': 373, 'z': 5}, 't': {' ': 48102, '?': 14532, 'a': 7579, 'b': 16, 'c': 635, 'd': 4, 'e': 19116, 'f': 187, 'g': 10, 'h': 73761, 'i': 13904, 'j': 1, 'k': 11, 'l': 2999, 'm': 275, 'n': 179, 'o': 23721, 'p': 44, 'q': 1, 'r': 5653, 's': 3903, 't': 4387, 'u': 2966, 'v': 18, 'w': 1164, 'x': 2, 'y': 3134, 'z': 138}, 'u': {' ': 2960, '?': 1114, 'a': 1324, 'b': 904, 'c': 2049, 'd': 1412, 'e': 1894, 'f': 332, 'g': 3252, 'h': 43, 'i': 1751, 'j': 2, 'k': 97, 'l': 6272, 'm': 1367, 'n': 8764, 'o': 149, 'p': 2776, 'q': 2, 'r': 7995, 's': 8788, 't': 10955, 'u': 1, 'v': 81, 'w': 3, 'x': 44, 'y': 21, 'z': 75}, 'v': {' ': 1513, '?': 1971, 'a': 1692, 'b': 1, 'c': 1, 'd': 1, 'e': 14499, 'f': 1, 'g': 4, 'h': 1, 'i': 4716, 'j': 1, 'k': 9, 'l': 216, 'm': 1, 'n': 533, 'o': 1467, 'p': 1, 'q': 1, 'r': 88, 's': 262, 't': 3, 'u': 21, 'v': 2, 'w': 2, 'x': 1, 'y': 106, 'z': 1}, 'w': {' ': 6091, '?': 2401, 'a': 12164, 'b': 7, 'c': 17, 'd': 368, 'e': 7759, 'f': 45, 'g': 1, 'h': 11926, 'i': 10021, 'j': 1, 'k': 64, 'l': 200, 'm': 3, 'n': 2223, 'o': 4596, 'p': 2, 'q': 1, 'r': 529, 's': 729, 't': 8, 'u': 20, 'v': 1, 'w': 18, 'x': 1, 'y': 40, 'z': 1}, 'x': {' ': 177, '?': 257, 'a': 338, 'b': 1, 'c': 602, 'd': 1, 'e': 271, 'f': 1, 'g': 1, 'h': 60, 'i': 514, 'j': 1, 'k': 1, 'l': 3, 'm': 1, 'n': 1, 'o': 6, 'p': 1356, 'q': 5, 'r': 1, 's': 1, 't': 472, 'u': 18, 'v': 157, 'w': 1, 'x': 159, 'y': 5, 'z': 1}, 'y': {' ': 23477, '?': 8711, 'a': 1168, 'b': 150, 'c': 168, 'd': 11, 'e': 2561, 'f': 99, 'g': 10, 'h': 13, 'i': 1076, 'j': 1, 'k': 37, 'l': 203, 'm': 167, 'n': 43, 'o': 5987, 'p': 53, 'q': 1, 'r': 84, 's': 1296, 't': 796, 'u': 54, 'v': 2, 'w': 82, 'x': 1, 'y': 1, 'z': 11}, 'z': {' ': 72, '?': 218, 'a': 100, 'b': 1, 'c': 1, 'd': 28, 'e': 730, 'f': 1, 'g': 1, 'h': 155, 'i': 243, 'j': 1, 'k': 5, 'l': 45, 'm': 64, 'n': 18, 'o': 632, 'p': 1, 'q': 1, 'r': 1, 's': 3, 't': 1, 'u': 27, 'v': 1, 'w': 2, 'x': 1, 'y': 15, 'z': 48}} |
# -*- coding: utf-8 -*-
# Module/mypkg/mod3.py
class MyClass():
def func3(self):
print("./mypkg/mod3.py")
print("func3")
| class Myclass:
def func3(self):
print('./mypkg/mod3.py')
print('func3') |
# Question
# WAP to find a reverse of the four-digit number
# Code
# I ask the user for the number
num=int(input('Enter a number: '))
# I initialize the value to null ; rev is just another variable I took for reverse
rev=0
# we can do the task by using a while loop
while (num>0): # 'num' should not be reversed otherwise there is no reverse
# Here we divide the value of num which helps to store first digit in one's place, second digit in ten's place and so on
digit=num%10
rev=rev*10+digit
# Now the last digit is removed by divind the number with 10 with no decimal
num=num//10
# Now we simply print the reverse of digit
print(f'Reverse number is {rev}')
| num = int(input('Enter a number: '))
rev = 0
while num > 0:
digit = num % 10
rev = rev * 10 + digit
num = num // 10
print(f'Reverse number is {rev}') |
'''
Problem description:
Create a function that accepts dimensions, of Rows x Columns, as parameters in order to create a
multiplication table sized according to the given dimensions. **The return value of the function
must be an array, and the numbers must be Fixnums, NOT strings.
Example:
multiplication_table(3,3)
1 2 3
2 4 6
3 6 9
-->[[1,2,3],[2,4,6],[3,6,9]]
Each value on the table should be equal to the value of multiplying the number in its first row
times the number in its first column.
'''
def multiplication_table(row,col):
out = []
mom = []
for i in range(1, row+1):
for j in range(1, col+1):
mom.append(j*i)
out.append(mom[:])
mom.clear()
return out | """
Problem description:
Create a function that accepts dimensions, of Rows x Columns, as parameters in order to create a
multiplication table sized according to the given dimensions. **The return value of the function
must be an array, and the numbers must be Fixnums, NOT strings.
Example:
multiplication_table(3,3)
1 2 3
2 4 6
3 6 9
-->[[1,2,3],[2,4,6],[3,6,9]]
Each value on the table should be equal to the value of multiplying the number in its first row
times the number in its first column.
"""
def multiplication_table(row, col):
out = []
mom = []
for i in range(1, row + 1):
for j in range(1, col + 1):
mom.append(j * i)
out.append(mom[:])
mom.clear()
return out |
# simple function calling
def our_method(a, b):
if a > b:
a = a + 1
a = a + 2
a = a + 3
a = a + 3
a = a + 3
a = a + 3
a = a + 3
return a
else:
b = b + 1
b = b + 2
b = b + 3
return b
x = our_method(2, 3)
print(x)
def our_method1(c, d):
if c > d:
pass
else:
pass
y = our_method1(10, 8)
print(y)
| def our_method(a, b):
if a > b:
a = a + 1
a = a + 2
a = a + 3
a = a + 3
a = a + 3
a = a + 3
a = a + 3
return a
else:
b = b + 1
b = b + 2
b = b + 3
return b
x = our_method(2, 3)
print(x)
def our_method1(c, d):
if c > d:
pass
else:
pass
y = our_method1(10, 8)
print(y) |
# https://www.codewars.com/kata/50654ddff44f800200000004
def multiply(a, b):
return a * b
| def multiply(a, b):
return a * b |
__version__ = "0.0.1"
# from .fe import *
# from .metric import *
# from .oos import *
# # from .scripts import *
# from .utils import *
test_var = 1
test_dict = {'a': 1, 'b': 2}
test_list = [1,2,3] | __version__ = '0.0.1'
test_var = 1
test_dict = {'a': 1, 'b': 2}
test_list = [1, 2, 3] |
# Set ranks of words in list (starting at 0)
def setRanks(wordList):
for x in range(len(wordList)):
wordList[x].setRank(x)
# Set ranks and initialize modify and notModify characteristics
# Modifies the words themselves (no copy created)
def readyWordList(wordList):
setRanks(wordList)
for x in wordList:
x.initializeModify()
x.initializeNotModify()
# Turn a wcList into a list of WordIds (w1, w2, w3, ...) -> ((1, "Above"), (2, "Down"), ...)
def extractIds(wcList):
ids = []
for word in wcList:
ids.append(word._id)
return ids | def set_ranks(wordList):
for x in range(len(wordList)):
wordList[x].setRank(x)
def ready_word_list(wordList):
set_ranks(wordList)
for x in wordList:
x.initializeModify()
x.initializeNotModify()
def extract_ids(wcList):
ids = []
for word in wcList:
ids.append(word._id)
return ids |
def symmetric_difference(a, b):
return sorted(set(a ^ b), key=int)
if __name__ == '__main__':
_,a = input(), set(input().split())
_,b = input(), set(input().split())
print('\n'.join(symmetric_difference(a, b)))
| def symmetric_difference(a, b):
return sorted(set(a ^ b), key=int)
if __name__ == '__main__':
(_, a) = (input(), set(input().split()))
(_, b) = (input(), set(input().split()))
print('\n'.join(symmetric_difference(a, b))) |
def make_bold(function):
def wrapper(*args):
return f"<b>{function(*args)}</b>"
return wrapper
def make_italic(function):
def wrapper(*args):
return f"<i>{function(*args)}</i>"
return wrapper
def make_underline(function):
def wrapper(*args):
return f"<u>{function(*args)}</u>"
return wrapper
@make_bold
@make_italic
@make_underline
def greet(name):
return f"Hello, {name}"
print(greet("Peter"))
| def make_bold(function):
def wrapper(*args):
return f'<b>{function(*args)}</b>'
return wrapper
def make_italic(function):
def wrapper(*args):
return f'<i>{function(*args)}</i>'
return wrapper
def make_underline(function):
def wrapper(*args):
return f'<u>{function(*args)}</u>'
return wrapper
@make_bold
@make_italic
@make_underline
def greet(name):
return f'Hello, {name}'
print(greet('Peter')) |
def test_passed():
assert True
def test_read_params(config, param):
assert config.get(param) == 2
def test_do_nothing():
pass
| def test_passed():
assert True
def test_read_params(config, param):
assert config.get(param) == 2
def test_do_nothing():
pass |
def print_list(head):
temp=head
while temp:
print (temp.data)
temp=temp.next
def reverse_even_nodes(head):
odd=head
even=None
while odd:
if odd.next:
temp=odd.next
odd.next=odd.next.next
temp.next=even
even=temp
odd=odd.next
odd=head
curr=head
print("this is odd list")
print_list(odd)
print("this is even list")
print_list(even)
while odd:
odd=odd.next
curr.next=even
if even:
even=even.next
curr=curr.next
curr.next=odd
curr=curr.next
return head
| def print_list(head):
temp = head
while temp:
print(temp.data)
temp = temp.next
def reverse_even_nodes(head):
odd = head
even = None
while odd:
if odd.next:
temp = odd.next
odd.next = odd.next.next
temp.next = even
even = temp
odd = odd.next
odd = head
curr = head
print('this is odd list')
print_list(odd)
print('this is even list')
print_list(even)
while odd:
odd = odd.next
curr.next = even
if even:
even = even.next
curr = curr.next
curr.next = odd
curr = curr.next
return head |
hparam_grids={
'rf':{
'n_estimators':[120,300,500,800,1200],
'max_depth':[15,25,30,None],
'min_samples_split':[2,5,10,15,100],
'min_samples_leaf':[2,4,5,10],
'max_features':[None, 0.5]
},
'xgb':{
'eta':[0.01, 0.015, 0.025, 0.05, 0.1],
'gamma':[0.05, 0.1, 0.3, 0.5, 0.7, 0.9, 1.0],
'max_depth':[3,5,7,9,12,15,17,25],
'min_child_weight':[1, 3, 5, 7],
'subsample':[0.6, 0.7, 0.8, 0.9, 1.0],
'colsample_bytree':[0.6, 0.7, 0.8, 0.9, 1.0],
'lambda':[0.01,0.1,1.0],
'alpha':[0, 0.1, 0.5, 1.0]
},
'lin_reg':{
'fit_intercept':[False, True],
'normalize':[True,False]
}
} | hparam_grids = {'rf': {'n_estimators': [120, 300, 500, 800, 1200], 'max_depth': [15, 25, 30, None], 'min_samples_split': [2, 5, 10, 15, 100], 'min_samples_leaf': [2, 4, 5, 10], 'max_features': [None, 0.5]}, 'xgb': {'eta': [0.01, 0.015, 0.025, 0.05, 0.1], 'gamma': [0.05, 0.1, 0.3, 0.5, 0.7, 0.9, 1.0], 'max_depth': [3, 5, 7, 9, 12, 15, 17, 25], 'min_child_weight': [1, 3, 5, 7], 'subsample': [0.6, 0.7, 0.8, 0.9, 1.0], 'colsample_bytree': [0.6, 0.7, 0.8, 0.9, 1.0], 'lambda': [0.01, 0.1, 1.0], 'alpha': [0, 0.1, 0.5, 1.0]}, 'lin_reg': {'fit_intercept': [False, True], 'normalize': [True, False]}} |
data = open("data-14006B000", "r").read()
a = []
index = 0
for _ in range(266504):
index = data.find("dup(", index) + 4
a.append(int(data[index]))
print(a)
| data = open('data-14006B000', 'r').read()
a = []
index = 0
for _ in range(266504):
index = data.find('dup(', index) + 4
a.append(int(data[index]))
print(a) |
COMMONSENSE_MAPPING = {'Antonym': 'antonym',
'AtLocation': 'at location',
'CapableOf': 'capable of',
'Causes': 'causes',
'CausesDesire': 'causes desire',
'CreatedBy': 'created by',
'DefinedAs': 'defined as',
'DerivedFrom': 'derived from',
'Desires': 'desires',
'DistinctFrom': 'destinct from',
'Entails': 'entails',
'EtymologicallyDerivedFrom': 'etymologically derived from',
'EtymologicallyRelatedTo': 'etymologically related to',
'ExcludesFE': 'excludes frame element',
'FormOf': 'form of',
'HasA': 'has a',
'HasContext': 'has context',
'HasFirstSubevent': 'has first subevent',
'HasFrameElement': 'has frame element',
'HasInstance': 'has instance',
'HasLastSubevent': 'has last subevent',
'HasLexicalUnit': 'has lexical unit',
'HasPrerequisite': 'has prerequisite',
'HasProperty': 'has property',
'HasSemType': 'has semantic type',
'HasSubevent': 'has subevent',
'HasSubframe': 'has subframe',
'InstanceOf': 'instance of',
'IsA': 'is a',
'IsCausativeOf': 'is causative of',
'IsInchoativeOf': 'is inchoative of',
'IsInheritedBy': 'is inherited by',
'IsPerspectivizedIn': 'is perspectivized in',
'IsPOSFormOf': 'is part-of-speech form of',
'IsPrecededBy': 'is preceded by',
'IsUsedBy': 'is used by',
'LocatedNear': 'location near',
'MadeOf': 'made of',
'MannerOf': 'manner of',
'MotivatedByGoal': 'motivated by goal',
'object': 'object',
'OMWordnetOffset': 'wordnet offset',
'NotCapableOf': 'not capable of',
'NotDesires': 'not desires',
'NotHasProperty': 'not has property',
'PartOf': 'part of',
'PartOfSpeech': 'part-of-speech',
'PerspectiveOn': 'perspective on',
'POSForm': 'part-of-speech form',
'Precedes': 'precedes',
'PWordnetSynset': 'wordnet synset',
'ReceivesAction': 'received action',
'ReframingMapping': 'reframing mapping',
'RelatedTo': 'related to',
'RequiresFE': 'requires frame element',
'subject': 'subject',
'SeeAlso': 'see also',
'SimilarTo': 'similar to',
'subClassOf': 'subclass of',
'SubframeOf': 'subframe of',
'SubType': 'subtype',
'SuperType': 'supertype',
'SymbolOf': 'symbol of',
'Synonym': 'synonym',
'UsedFor': 'used for',
'Uses': 'uses',
'DesireOf': 'desire of',
'InheritsFrom': 'inherits from',
'LocationOfAction': 'location of action',
'dbpedia/capital': 'capital',
'dbpedia/field': 'field',
'dbpedia/genre': 'genre',
'dbpedia/genus': 'genus',
'dbpedia/influencedBy': 'influenced by',
'dbpedia/knownFor': 'known for',
'dbpedia/language': 'language',
'dbpedia/leader': 'leader',
'dbpedia/occupation': 'occupation',
'dbpedia/product': 'product'}
| commonsense_mapping = {'Antonym': 'antonym', 'AtLocation': 'at location', 'CapableOf': 'capable of', 'Causes': 'causes', 'CausesDesire': 'causes desire', 'CreatedBy': 'created by', 'DefinedAs': 'defined as', 'DerivedFrom': 'derived from', 'Desires': 'desires', 'DistinctFrom': 'destinct from', 'Entails': 'entails', 'EtymologicallyDerivedFrom': 'etymologically derived from', 'EtymologicallyRelatedTo': 'etymologically related to', 'ExcludesFE': 'excludes frame element', 'FormOf': 'form of', 'HasA': 'has a', 'HasContext': 'has context', 'HasFirstSubevent': 'has first subevent', 'HasFrameElement': 'has frame element', 'HasInstance': 'has instance', 'HasLastSubevent': 'has last subevent', 'HasLexicalUnit': 'has lexical unit', 'HasPrerequisite': 'has prerequisite', 'HasProperty': 'has property', 'HasSemType': 'has semantic type', 'HasSubevent': 'has subevent', 'HasSubframe': 'has subframe', 'InstanceOf': 'instance of', 'IsA': 'is a', 'IsCausativeOf': 'is causative of', 'IsInchoativeOf': 'is inchoative of', 'IsInheritedBy': 'is inherited by', 'IsPerspectivizedIn': 'is perspectivized in', 'IsPOSFormOf': 'is part-of-speech form of', 'IsPrecededBy': 'is preceded by', 'IsUsedBy': 'is used by', 'LocatedNear': 'location near', 'MadeOf': 'made of', 'MannerOf': 'manner of', 'MotivatedByGoal': 'motivated by goal', 'object': 'object', 'OMWordnetOffset': 'wordnet offset', 'NotCapableOf': 'not capable of', 'NotDesires': 'not desires', 'NotHasProperty': 'not has property', 'PartOf': 'part of', 'PartOfSpeech': 'part-of-speech', 'PerspectiveOn': 'perspective on', 'POSForm': 'part-of-speech form', 'Precedes': 'precedes', 'PWordnetSynset': 'wordnet synset', 'ReceivesAction': 'received action', 'ReframingMapping': 'reframing mapping', 'RelatedTo': 'related to', 'RequiresFE': 'requires frame element', 'subject': 'subject', 'SeeAlso': 'see also', 'SimilarTo': 'similar to', 'subClassOf': 'subclass of', 'SubframeOf': 'subframe of', 'SubType': 'subtype', 'SuperType': 'supertype', 'SymbolOf': 'symbol of', 'Synonym': 'synonym', 'UsedFor': 'used for', 'Uses': 'uses', 'DesireOf': 'desire of', 'InheritsFrom': 'inherits from', 'LocationOfAction': 'location of action', 'dbpedia/capital': 'capital', 'dbpedia/field': 'field', 'dbpedia/genre': 'genre', 'dbpedia/genus': 'genus', 'dbpedia/influencedBy': 'influenced by', 'dbpedia/knownFor': 'known for', 'dbpedia/language': 'language', 'dbpedia/leader': 'leader', 'dbpedia/occupation': 'occupation', 'dbpedia/product': 'product'} |
class BasePlanet:
def __init__(self, name, description):
self.name = name
self.description = description
self.port = None
def get_info(self):
return f'*{self.name}*\n' \
f'{self.description}'
def start(self, message):
self.port.start(message)
def __str__(self):
return self.name
| class Baseplanet:
def __init__(self, name, description):
self.name = name
self.description = description
self.port = None
def get_info(self):
return f'*{self.name}*\n{self.description}'
def start(self, message):
self.port.start(message)
def __str__(self):
return self.name |
def calcularMitadHorizontal(size = int(), division = int(), position = int(), message = str()):
if position < 1:
return -1
if division < 2:
return -1
if size <= division:
return -1
return int(((size / division)*position)/int(2) - len(message))
| def calcular_mitad_horizontal(size=int(), division=int(), position=int(), message=str()):
if position < 1:
return -1
if division < 2:
return -1
if size <= division:
return -1
return int(size / division * position / int(2) - len(message)) |
class Person:
def sleep(self):
return "sleeping..."
class Employee:
def get_fired(self):
return "fired..."
class Teacher(Person, Employee):
def teach(self):
return "teaching..."
gosho = Teacher()
print(Teacher.__mro__)
print(gosho.sleep())
print(gosho.get_fired())
print(gosho.teach()) | class Person:
def sleep(self):
return 'sleeping...'
class Employee:
def get_fired(self):
return 'fired...'
class Teacher(Person, Employee):
def teach(self):
return 'teaching...'
gosho = teacher()
print(Teacher.__mro__)
print(gosho.sleep())
print(gosho.get_fired())
print(gosho.teach()) |
number1 = int(input("Enter number 1: "))
number2 = int(input("Enter number 2: "))
def multiplication(number1, number2):
return number1 * number2
print(multiplication(number1, number2)) | number1 = int(input('Enter number 1: '))
number2 = int(input('Enter number 2: '))
def multiplication(number1, number2):
return number1 * number2
print(multiplication(number1, number2)) |
'''
Write a Python program to perform an action if a condition is true.
Given a variable name, if the value is 1, display the string "First day of a Month!" and do nothing if the value is not equal.
'''
var_word = int(input("Enter a number between 0-9: "))
if var_word == 1:
print("First day of a month!")
| """
Write a Python program to perform an action if a condition is true.
Given a variable name, if the value is 1, display the string "First day of a Month!" and do nothing if the value is not equal.
"""
var_word = int(input('Enter a number between 0-9: '))
if var_word == 1:
print('First day of a month!') |
# class constructor takes an array of integers as a parameter and saves it to the __elements instance variable.
class Difference:
def __init__(self, a):
self.__elements = a
def computeDifference(self):
maxDiff = 0
# computeDifference method that finds the maximum absolute difference between any 2 numbers in __elements and stores it in the maximumDifference instance variable
for i in range(len(self.__elements)):
for j in range(len(self.__elements)):
absolute = abs(self.__elements[i] - self.__elements[j])
if absolute > maxDiff:
maxDiff = absolute
self.maximumDifference = maxDiff
# End of Difference class
_ = input()
a = [int(e) for e in input().split(' ')]
d = Difference(a)
d.computeDifference()
print(d.maximumDifference)
| class Difference:
def __init__(self, a):
self.__elements = a
def compute_difference(self):
max_diff = 0
for i in range(len(self.__elements)):
for j in range(len(self.__elements)):
absolute = abs(self.__elements[i] - self.__elements[j])
if absolute > maxDiff:
max_diff = absolute
self.maximumDifference = maxDiff
_ = input()
a = [int(e) for e in input().split(' ')]
d = difference(a)
d.computeDifference()
print(d.maximumDifference) |
# coding: utf-8
RESOURCE_MAPPING = {
'list_spreadsheets': {
'resource': '/spreadsheets/private/full',
'docs': 'https://developers.google.com/google-apps/spreadsheets/worksheets'
'#retrieve_a_list_of_spreadsheets'
},
'manage_worksheets': {
'resource': '/worksheets/{key}/private/full',
'docs': 'https://developers.google.com/google-apps/spreadsheets/worksheets'
'#retrieve_information_about_worksheets'
},
'list_feed': {
'resource': '/list/{key}/{worksheet_id}/private/full',
'docs': 'https://developers.google.com/google-apps/spreadsheets/data'
},
'cell_feed': {
'resource': '/cells/{key}/{worksheet_id}/private/full',
'docs': 'https://developers.google.com/google-apps/spreadsheets/data'
'#work_with_cell-based_feeds'
},
'cell_feed_batch': {
'resource': '/cells/{key}/{worksheet_id}/private/full/batch',
'docs': 'https://developers.google.com/google-apps/spreadsheets/data'
'#update_multiple_cells_with_a_batch_request'
}
}
| resource_mapping = {'list_spreadsheets': {'resource': '/spreadsheets/private/full', 'docs': 'https://developers.google.com/google-apps/spreadsheets/worksheets#retrieve_a_list_of_spreadsheets'}, 'manage_worksheets': {'resource': '/worksheets/{key}/private/full', 'docs': 'https://developers.google.com/google-apps/spreadsheets/worksheets#retrieve_information_about_worksheets'}, 'list_feed': {'resource': '/list/{key}/{worksheet_id}/private/full', 'docs': 'https://developers.google.com/google-apps/spreadsheets/data'}, 'cell_feed': {'resource': '/cells/{key}/{worksheet_id}/private/full', 'docs': 'https://developers.google.com/google-apps/spreadsheets/data#work_with_cell-based_feeds'}, 'cell_feed_batch': {'resource': '/cells/{key}/{worksheet_id}/private/full/batch', 'docs': 'https://developers.google.com/google-apps/spreadsheets/data#update_multiple_cells_with_a_batch_request'}} |
def majorityElement(self, nums: List[int]) -> int:
'''
tracker = {}
for num in nums:
if num not in tracker:
tracker[num] = 1
else:
tracker[num] += 1
return max(tracker, key=tracker.get)
'''
# Much nicer
num = sorted(nums)
return num[len(num)//2] | def majority_element(self, nums: List[int]) -> int:
"""
tracker = {}
for num in nums:
if num not in tracker:
tracker[num] = 1
else:
tracker[num] += 1
return max(tracker, key=tracker.get)
"""
num = sorted(nums)
return num[len(num) // 2] |
a, b = input().split()
if int(a) > int(b):
print(b * int(a))
else:
print(a * int(b)) | (a, b) = input().split()
if int(a) > int(b):
print(b * int(a))
else:
print(a * int(b)) |
n=int(input())
arr = []
for i in range(n):
arr.append(int(input()))
k=None
c=0
temp=[]
for i in range(n):
temp.append(abs(arr[0]-arr[i]))
k=max(temp)
if k<2:
k=2
for i in range(n):
c+=abs(k-arr[i])
k+=1
print(c)
| n = int(input())
arr = []
for i in range(n):
arr.append(int(input()))
k = None
c = 0
temp = []
for i in range(n):
temp.append(abs(arr[0] - arr[i]))
k = max(temp)
if k < 2:
k = 2
for i in range(n):
c += abs(k - arr[i])
k += 1
print(c) |
class ActException(Exception):
def __init__(self, message):
super(ActException, self).__init__(message)
self.message = message
class ActLoginError(ActException):
def __init__(self, msg):
super(ActLoginError, self).__init__('Actifio Login Exception: %s' % msg)
self.msg = msg
class ActConnectError(ActException):
def __init__(self, msg):
super(ActConnectError, self).__init__('Actifio Connection Error: %s' % msg)
self.msg = msg
class ActAPIError(ActException):
def __init__(self, msg, error_code=''):
if error_code != '':
super(ActAPIError, self).__init__('[%s] Actifio API Error: %s' % (error_code, msg))
else:
super(ActAPIError, self).__init__('Actifio API Error: %s' % msg)
self.msg = msg
self.error_code = error_code
class ActUserError(ActException):
def __init__(self, msg):
super(ActUserError, self).__init__('Actifio User Error: %s' % msg)
self.msg = msg
class ActVersionError(ActException):
def __init__(self, object_name, min_version):
super(ActVersionError, self).__init__('Actifio Version Error: "%s" is not supported with the current version. Min version == %s' % (object_name, min_version))
self.object_name = object_name
self.min_version = min_version
| class Actexception(Exception):
def __init__(self, message):
super(ActException, self).__init__(message)
self.message = message
class Actloginerror(ActException):
def __init__(self, msg):
super(ActLoginError, self).__init__('Actifio Login Exception: %s' % msg)
self.msg = msg
class Actconnecterror(ActException):
def __init__(self, msg):
super(ActConnectError, self).__init__('Actifio Connection Error: %s' % msg)
self.msg = msg
class Actapierror(ActException):
def __init__(self, msg, error_code=''):
if error_code != '':
super(ActAPIError, self).__init__('[%s] Actifio API Error: %s' % (error_code, msg))
else:
super(ActAPIError, self).__init__('Actifio API Error: %s' % msg)
self.msg = msg
self.error_code = error_code
class Actusererror(ActException):
def __init__(self, msg):
super(ActUserError, self).__init__('Actifio User Error: %s' % msg)
self.msg = msg
class Actversionerror(ActException):
def __init__(self, object_name, min_version):
super(ActVersionError, self).__init__('Actifio Version Error: "%s" is not supported with the current version. Min version == %s' % (object_name, min_version))
self.object_name = object_name
self.min_version = min_version |
a = "WWW"
b = 'WWW'
lrc = "I've let you down"
# lrc2 = 'I've let you down'
print(lrc);
# \t
# \n
sen = "Jack: \"You jump I jump\""
sen2 = 'Jack: "You jump I jump"'
print(sen);
print(sen2);
| a = 'WWW'
b = 'WWW'
lrc = "I've let you down"
print(lrc)
sen = 'Jack: "You jump I jump"'
sen2 = 'Jack: "You jump I jump"'
print(sen)
print(sen2) |
class NotDefined:
pass
def has_descent_attrs(obj, *args):
i = obj
for attr_name in args:
if not hasattr(i, attr_name):
return False
i = getattr(i, attr_name)
return True
def get_descent_attrs(obj, *args, **kwargs):
default = kwargs.pop('default', NotDefined)
i = obj
for attr_name in args:
if not hasattr(i, attr_name):
if default is NotDefined:
raise AttributeError(attr_name)
else:
return default
i = getattr(i, attr_name)
return i
| class Notdefined:
pass
def has_descent_attrs(obj, *args):
i = obj
for attr_name in args:
if not hasattr(i, attr_name):
return False
i = getattr(i, attr_name)
return True
def get_descent_attrs(obj, *args, **kwargs):
default = kwargs.pop('default', NotDefined)
i = obj
for attr_name in args:
if not hasattr(i, attr_name):
if default is NotDefined:
raise attribute_error(attr_name)
else:
return default
i = getattr(i, attr_name)
return i |
# Here go your api methods.
def get_products():
if request.vars['query'] is None:
product_list = db().select(db.r_products.ALL)
return response.json(dict(product_list=product_list))
else:
product_list = db(db.r_products.f_name.like(request.vars['query'] + '%') ).select()
return response.json(dict(product_list=product_list))
| def get_products():
if request.vars['query'] is None:
product_list = db().select(db.r_products.ALL)
return response.json(dict(product_list=product_list))
else:
product_list = db(db.r_products.f_name.like(request.vars['query'] + '%')).select()
return response.json(dict(product_list=product_list)) |
class Emp:
def __init__(self, emp_id=0, name="", age=0, gender="", place="", salary=0, previous_company="", joining_date=""):
self._emp_id = emp_id
self._name = name
self._age = age
self._gender = gender
self._place = place
self._salary = salary
self._previous_company = previous_company
self._joining_date = joining_date
def set_name(self, name):
self._name = name
return "Name modified successfully"
def set_age(self, age):
self._age = age
return "age modified successfully"
def set_gender(self, gender):
self._gender = gender
return "gender modified successfully"
def set_name(self, salary):
self._salary = salary
return "salary modified successfully"
| class Emp:
def __init__(self, emp_id=0, name='', age=0, gender='', place='', salary=0, previous_company='', joining_date=''):
self._emp_id = emp_id
self._name = name
self._age = age
self._gender = gender
self._place = place
self._salary = salary
self._previous_company = previous_company
self._joining_date = joining_date
def set_name(self, name):
self._name = name
return 'Name modified successfully'
def set_age(self, age):
self._age = age
return 'age modified successfully'
def set_gender(self, gender):
self._gender = gender
return 'gender modified successfully'
def set_name(self, salary):
self._salary = salary
return 'salary modified successfully' |
def test_foo():
assert False
def test_bar():
assert False
| def test_foo():
assert False
def test_bar():
assert False |
with open("input", "r") as f:
count = 0
for line in f:
string = line.split(': ')[1]
fst = line.split(': ')[0]
letter = fst[-1]
fst = fst[:-1]
a = int(fst.split('-')[0])
a -= 1
b = int(fst.split('-')[1])
b -= 1
count += bool(string[a] == letter) != bool(string[b] == letter)
print(count)
| with open('input', 'r') as f:
count = 0
for line in f:
string = line.split(': ')[1]
fst = line.split(': ')[0]
letter = fst[-1]
fst = fst[:-1]
a = int(fst.split('-')[0])
a -= 1
b = int(fst.split('-')[1])
b -= 1
count += bool(string[a] == letter) != bool(string[b] == letter)
print(count) |
sol = ""
for i in range (1,1000000):
sol = sol+str(i)
if len(sol) > 1000000:
break
ans = 1
for i in range(6):
ans = ans*int(sol[10**i-1])
print(ans) | sol = ''
for i in range(1, 1000000):
sol = sol + str(i)
if len(sol) > 1000000:
break
ans = 1
for i in range(6):
ans = ans * int(sol[10 ** i - 1])
print(ans) |
side = 1080
frames = 120
speed = 4000
def lsPts(inc):
steps = 1 + inc
size = 2
tr = 106.5
points = []
for i in range(steps):
t = i / 21 * pi
x = (size * t) * cos(t)
y = (size * t) * sin(t) - (tr/2)
points.append((x, y))
for i in range(-steps, 0):
t = i / 21 * pi
x = (-size * t) * cos(t)
y = (-size * t) * sin(t) + (tr/2)
points.append((x, y))
return points
def spiral(s, sw):
stroke(s, 1, 1)
strokeWidth(sw)
fill(None)
lineCap('round')
path = BezierPath()
path.moveTo(points[0])
path.curveTo(*points)
with savedState():
translate(side/2, side/2)
drawPath(path)
inc = 0
exp = 1
f = speed / frames * exp
s = 0
for i in range(frames):
newPage(side, side)
frameDuration(1/24)
fill(0)
rect(0, 0, side, side)
points = lsPts(179)
spiral(0, 3)
points = lsPts(inc)
spiral(s, 1)
if i < frames/2:
inc += int(f)
exp += 10
s += 0.01
else:
inc -= int(f)
exp -= 10
s -= 0.01
saveImage('~/Desktop/30_36_DAYS_OF_TYPE_2020.mp4') | side = 1080
frames = 120
speed = 4000
def ls_pts(inc):
steps = 1 + inc
size = 2
tr = 106.5
points = []
for i in range(steps):
t = i / 21 * pi
x = size * t * cos(t)
y = size * t * sin(t) - tr / 2
points.append((x, y))
for i in range(-steps, 0):
t = i / 21 * pi
x = -size * t * cos(t)
y = -size * t * sin(t) + tr / 2
points.append((x, y))
return points
def spiral(s, sw):
stroke(s, 1, 1)
stroke_width(sw)
fill(None)
line_cap('round')
path = bezier_path()
path.moveTo(points[0])
path.curveTo(*points)
with saved_state():
translate(side / 2, side / 2)
draw_path(path)
inc = 0
exp = 1
f = speed / frames * exp
s = 0
for i in range(frames):
new_page(side, side)
frame_duration(1 / 24)
fill(0)
rect(0, 0, side, side)
points = ls_pts(179)
spiral(0, 3)
points = ls_pts(inc)
spiral(s, 1)
if i < frames / 2:
inc += int(f)
exp += 10
s += 0.01
else:
inc -= int(f)
exp -= 10
s -= 0.01
save_image('~/Desktop/30_36_DAYS_OF_TYPE_2020.mp4') |
def do_stuff():
print('stuff')
def do_other_stuff():
print('other stuff')
def branching(some_condition):
if some_condition is True:
do_stuff()
do_other_stuff()
| def do_stuff():
print('stuff')
def do_other_stuff():
print('other stuff')
def branching(some_condition):
if some_condition is True:
do_stuff()
do_other_stuff() |
def react(text):
stack = []
for letter in text:
if not stack:
stack.append(letter)
else:
l = stack[-1]
if letter != l and l.lower() == letter.lower():
stack.pop()
else:
stack.append(letter)
return len(stack)
def part_1():
with open('input') as f:
text = f.read().strip()
return react(text)
def part_2():
letters = 'abcdefghijklmnopqrstuvwxyz'
with open('input') as f:
orig_text = f.read().strip()
results = []
for letter in letters:
text = ''.join(l for l in orig_text if l not in (letter, letter.upper()))
results.append(react(text))
return min(results)
def main():
print('1:', part_1())
print('2:', part_2())
if __name__ == '__main__':
main()
| def react(text):
stack = []
for letter in text:
if not stack:
stack.append(letter)
else:
l = stack[-1]
if letter != l and l.lower() == letter.lower():
stack.pop()
else:
stack.append(letter)
return len(stack)
def part_1():
with open('input') as f:
text = f.read().strip()
return react(text)
def part_2():
letters = 'abcdefghijklmnopqrstuvwxyz'
with open('input') as f:
orig_text = f.read().strip()
results = []
for letter in letters:
text = ''.join((l for l in orig_text if l not in (letter, letter.upper())))
results.append(react(text))
return min(results)
def main():
print('1:', part_1())
print('2:', part_2())
if __name__ == '__main__':
main() |
class Node:
def __init__(self, data=None):
self.val = data
self.right = None
self.left = None
class BST:
def __init__(self, data=None):
self.tree = None if data is None else Node(data)
def isEmpty(self):
if self.tree == None:
return True
else:
return False
def insert(self, x):
if self.tree != None:
self.insertWRecursive(self.tree, x)
else:
self.tree = Node(x)
def insertWRecursive(self, t, x):
if t.val < x:
if t.right == None:
t.right = Node(x)
else:
self.insertWRecursive(t.right, x)
else:
if t.left == None:
t.left = Node(x)
else:
self.insertWRecursive(t.left, x)
def find(self, x):
temp = self.tree
while temp != None:
if temp.val == x:
return temp
else:
temp = temp.left if temp.val > x else temp.right
return None
def printTree(self, tree):
if tree == None:
print("Tree is empty")
else:
self.printTree(tree.left)
print(tree.val)
self.printTree(tree.right)
b = BST(6)
b.insert(7)
b.printTree(b)
b.insert(9)
b.printTree(b)
| class Node:
def __init__(self, data=None):
self.val = data
self.right = None
self.left = None
class Bst:
def __init__(self, data=None):
self.tree = None if data is None else node(data)
def is_empty(self):
if self.tree == None:
return True
else:
return False
def insert(self, x):
if self.tree != None:
self.insertWRecursive(self.tree, x)
else:
self.tree = node(x)
def insert_w_recursive(self, t, x):
if t.val < x:
if t.right == None:
t.right = node(x)
else:
self.insertWRecursive(t.right, x)
elif t.left == None:
t.left = node(x)
else:
self.insertWRecursive(t.left, x)
def find(self, x):
temp = self.tree
while temp != None:
if temp.val == x:
return temp
else:
temp = temp.left if temp.val > x else temp.right
return None
def print_tree(self, tree):
if tree == None:
print('Tree is empty')
else:
self.printTree(tree.left)
print(tree.val)
self.printTree(tree.right)
b = bst(6)
b.insert(7)
b.printTree(b)
b.insert(9)
b.printTree(b) |
# Define a function searching for the longest word
def get_longest_word(words):
longest_word = ''
for word in words:
if len(word) > len(longest_word):
longest_word = word
return longest_word
wlist = [
['Python', 'creativity', 'universe'],
['interview', 'study', 'job', 'university', 'lecture'],
['task', 'objective', 'aim', 'subject', 'programming', 'test', 'research']
]
print("List of lists: ", wlist)
print("#----------------------------")
# Create a list of tuples with lengths and longest words
result = [
(len(item), get_longest_word(item)) for item in wlist
]
print("Tuple: len(item) and get_longest_word(item)) from wlist: ", result)
print("#----------------------------")
# Unzip the result
lengths, words = zip(*result)
print("lengths: ", lengths)
print("words: ", words)
print("#----------------------------")
for item in zip(wlist, lengths, words):
print(item) | def get_longest_word(words):
longest_word = ''
for word in words:
if len(word) > len(longest_word):
longest_word = word
return longest_word
wlist = [['Python', 'creativity', 'universe'], ['interview', 'study', 'job', 'university', 'lecture'], ['task', 'objective', 'aim', 'subject', 'programming', 'test', 'research']]
print('List of lists: ', wlist)
print('#----------------------------')
result = [(len(item), get_longest_word(item)) for item in wlist]
print('Tuple: len(item) and get_longest_word(item)) from wlist: ', result)
print('#----------------------------')
(lengths, words) = zip(*result)
print('lengths: ', lengths)
print('words: ', words)
print('#----------------------------')
for item in zip(wlist, lengths, words):
print(item) |
def create_tags_list(*tags):
tags_list = list(set(tags))
tags_list.sort()
return tags_list
| def create_tags_list(*tags):
tags_list = list(set(tags))
tags_list.sort()
return tags_list |
# cc71 meanMedianMode https://repl.it/student/submissions/1871422
'''
Write a function that, given a list of numbers, calculates the
mean, median, and mode of those numbers. Return a dictionary with
properties for the mean, median and mode.
For example:
mmm_dict = meanMedianMode([1,2,3,4,5,6,7,8,9,10,10])
print(mmm_dict) should print:
{'mean': 5.909090909090909, 'median': 6, 'mode': 10}
'''
def meanMedianMode (nums):
# MEAN average total all nums, divide total by number of numbers
total = 0
for num in nums:
total += num
mean = total / len(nums)
# MEDIAN: https://www.mathsisfun.com/definitions/median.html
# sort the numbers, if there are two middle numbers, return the average
median = None
sortedNums = sorted(nums, key=int)
middle = len(nums) / 2
if (len(sortedNums) % 2 == 0):
median = (sortedNums[int(middle - 1)] + sortedNums[int(middle)]) / 2
else:
median = sortedNums[int(middle)]
# MODE https://en.wikipedia.org/wiki/Mode_(statistics)
mapping = {}
count = 0
mode = max(set(nums), key=nums.count)
# DICT
MMM = {}
MMM['mean'] = mean
MMM['median'] = median
MMM['mode'] = mode
return MMM
# TEST SUITE
mmm_dict = meanMedianMode([1,2,3,4,5,6,7,8,9,10,10])
print(mmm_dict) # ~~~> {'mean': 5.909090909090909, 'median': 6, 'mode': 10}
mmm_dict2 = meanMedianMode([1,2,3,4,5,6,7,8,9,10])
print(mmm_dict2)
mmm_dict3 = meanMedianMode([1,1,2,3,4,5,6,7,8,9,10,10])
print(mmm_dict3)
mmm_dict4 = meanMedianMode([951, 402, 984, 651, 360, 69, 408, 319, 601, 485, 980, 507, 725, 547, 544, 615, 83, 165, 141, 501, 263, 617, 865, 575, 219, 390, 984, 592, 236, 105, 942, 941, 386, 462, 47, 418, 907, 344, 236, 375, 823, 566, 597, 978, 328, 615, 953, 345, 399, 162, 758, 219, 918, 237, 412, 566, 826, 248, 866, 950, 626, 949, 687, 217, 815, 67, 104, 58, 512, 24, 892, 894, 767, 553, 81, 379, 843, 831, 445, 742, 717, 958, 609, 842, 451, 688, 753, 854, 685, 93, 857, 440, 380, 126, 721, 328, 753, 470, 743, 527])
print(mmm_dict4)
mmm_dict5 = meanMedianMode([24, 47, 58, 67, 69, 81, 83, 93, 104, 105, 126, 141, 162, 165, 217, 219, 219, 236, 236, 237, 248, 263, 319, 328, 328, 344, 345, 360, 375, 379, 380, 386, 390, 399, 402, 408, 412, 418, 440, 445, 451, 462, 470, 485, 501, 507, 512, 527, 544, 547, 553, 566, 566, 575, 592, 597, 601, 609, 615, 615, 617, 626, 651, 685, 687, 688, 717, 721, 725, 742, 743, 753, 753, 758, 767, 815, 823, 826, 831, 842, 843, 854, 857, 865, 866, 892, 894, 907, 918, 941, 942, 949, 950, 951, 953, 958, 978, 980, 984, 984])
print(mmm_dict5)
| """
Write a function that, given a list of numbers, calculates the
mean, median, and mode of those numbers. Return a dictionary with
properties for the mean, median and mode.
For example:
mmm_dict = meanMedianMode([1,2,3,4,5,6,7,8,9,10,10])
print(mmm_dict) should print:
{'mean': 5.909090909090909, 'median': 6, 'mode': 10}
"""
def mean_median_mode(nums):
total = 0
for num in nums:
total += num
mean = total / len(nums)
median = None
sorted_nums = sorted(nums, key=int)
middle = len(nums) / 2
if len(sortedNums) % 2 == 0:
median = (sortedNums[int(middle - 1)] + sortedNums[int(middle)]) / 2
else:
median = sortedNums[int(middle)]
mapping = {}
count = 0
mode = max(set(nums), key=nums.count)
mmm = {}
MMM['mean'] = mean
MMM['median'] = median
MMM['mode'] = mode
return MMM
mmm_dict = mean_median_mode([1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 10])
print(mmm_dict)
mmm_dict2 = mean_median_mode([1, 2, 3, 4, 5, 6, 7, 8, 9, 10])
print(mmm_dict2)
mmm_dict3 = mean_median_mode([1, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 10])
print(mmm_dict3)
mmm_dict4 = mean_median_mode([951, 402, 984, 651, 360, 69, 408, 319, 601, 485, 980, 507, 725, 547, 544, 615, 83, 165, 141, 501, 263, 617, 865, 575, 219, 390, 984, 592, 236, 105, 942, 941, 386, 462, 47, 418, 907, 344, 236, 375, 823, 566, 597, 978, 328, 615, 953, 345, 399, 162, 758, 219, 918, 237, 412, 566, 826, 248, 866, 950, 626, 949, 687, 217, 815, 67, 104, 58, 512, 24, 892, 894, 767, 553, 81, 379, 843, 831, 445, 742, 717, 958, 609, 842, 451, 688, 753, 854, 685, 93, 857, 440, 380, 126, 721, 328, 753, 470, 743, 527])
print(mmm_dict4)
mmm_dict5 = mean_median_mode([24, 47, 58, 67, 69, 81, 83, 93, 104, 105, 126, 141, 162, 165, 217, 219, 219, 236, 236, 237, 248, 263, 319, 328, 328, 344, 345, 360, 375, 379, 380, 386, 390, 399, 402, 408, 412, 418, 440, 445, 451, 462, 470, 485, 501, 507, 512, 527, 544, 547, 553, 566, 566, 575, 592, 597, 601, 609, 615, 615, 617, 626, 651, 685, 687, 688, 717, 721, 725, 742, 743, 753, 753, 758, 767, 815, 823, 826, 831, 842, 843, 854, 857, 865, 866, 892, 894, 907, 918, 941, 942, 949, 950, 951, 953, 958, 978, 980, 984, 984])
print(mmm_dict5) |
class Vector:
def __init__(self, x, y):
self.x = x
self.y = y
def add(self, other):
return Vector(self.x + other.x , self.y + other.y)
def sub(self, other):
return Vector(self.x - other.x, self.y - other.y)
def mag2(self):
return self.x ** 2 + self.y ** 2
def mag(self):
return self.mag2() ** .5
def norm(self):
return Vector(self.x / self.mag(), self.y / self.mag())
def scale(self, s):
return Vector(self.x * s, self.y * s)
class Circle:
def __init__(self, center, radius):
self.center = center
self.radius = radius
def inside(self, vector):
return (self.radius ** 2) >= (self.center.sub(vector).mag2())
def intersects(self, circle):
return self.inside(circle.center)
def moveX(self, d):
self.center.x += d
def moveY(self, d):
self.center.y += d
def getCenter(self):
return self.center
def setCenter(self, center):
self.center = center
def bound(self, minX, maxX, minY, maxY):
self.center.x = max(minX, self.center.x)
self.center.y = max(minY, self.center.y)
self.center.x = min(maxX, self.center.x)
self.center.y = min(maxY, self.center.y)
| class Vector:
def __init__(self, x, y):
self.x = x
self.y = y
def add(self, other):
return vector(self.x + other.x, self.y + other.y)
def sub(self, other):
return vector(self.x - other.x, self.y - other.y)
def mag2(self):
return self.x ** 2 + self.y ** 2
def mag(self):
return self.mag2() ** 0.5
def norm(self):
return vector(self.x / self.mag(), self.y / self.mag())
def scale(self, s):
return vector(self.x * s, self.y * s)
class Circle:
def __init__(self, center, radius):
self.center = center
self.radius = radius
def inside(self, vector):
return self.radius ** 2 >= self.center.sub(vector).mag2()
def intersects(self, circle):
return self.inside(circle.center)
def move_x(self, d):
self.center.x += d
def move_y(self, d):
self.center.y += d
def get_center(self):
return self.center
def set_center(self, center):
self.center = center
def bound(self, minX, maxX, minY, maxY):
self.center.x = max(minX, self.center.x)
self.center.y = max(minY, self.center.y)
self.center.x = min(maxX, self.center.x)
self.center.y = min(maxY, self.center.y) |
# Copyright 2016 F5 Networks Inc.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
#
def setup_test(request, mgmt_root, name):
def teardown():
if dns1.exists(name=name):
dns1.delete()
request.addfinalizer(teardown)
dc1 = mgmt_root.tm.net.dns_resolvers
dr1 = dc1.dns_resolver
dns1 = dr1.create(name=name)
return dc1, dns1
class TestDnsResolver(object):
def test_CURDL(self, request, mgmt_root):
# Test create
dc1, dns1 = setup_test(request, mgmt_root, name='test_dns_resolver')
assert dns1.name == 'test_dns_resolver'
# Test update
dns1.useTcp = 'no'
dns1.update()
assert dns1.useTcp == 'no'
# Test refresh
dns1.useTcp = 'yes'
dns1.refresh()
assert dns1.useTcp == 'no'
# Test Load
dns2 = dc1.dns_resolver.load(name='test_dns_resolver')
assert dns2.useTcp == dns1.useTcp
| def setup_test(request, mgmt_root, name):
def teardown():
if dns1.exists(name=name):
dns1.delete()
request.addfinalizer(teardown)
dc1 = mgmt_root.tm.net.dns_resolvers
dr1 = dc1.dns_resolver
dns1 = dr1.create(name=name)
return (dc1, dns1)
class Testdnsresolver(object):
def test_curdl(self, request, mgmt_root):
(dc1, dns1) = setup_test(request, mgmt_root, name='test_dns_resolver')
assert dns1.name == 'test_dns_resolver'
dns1.useTcp = 'no'
dns1.update()
assert dns1.useTcp == 'no'
dns1.useTcp = 'yes'
dns1.refresh()
assert dns1.useTcp == 'no'
dns2 = dc1.dns_resolver.load(name='test_dns_resolver')
assert dns2.useTcp == dns1.useTcp |
#3
for row in range(8):
for col in range(6):
if (row==0) or (row==1 and col==4) or (row==2 and col==3)or (row==3 and col==2)or (row==4 and col==3)or (row==5 and col==4) or row==6:
print("*",end=" ")
else:
print(" ",end=" ")
print()
| for row in range(8):
for col in range(6):
if row == 0 or (row == 1 and col == 4) or (row == 2 and col == 3) or (row == 3 and col == 2) or (row == 4 and col == 3) or (row == 5 and col == 4) or (row == 6):
print('*', end=' ')
else:
print(' ', end=' ')
print() |
def main():
info('Waiting for minibone access')
wait('JanMiniboneFlag', 0)
info('Minibone released')
wait('MinibonePumpTimeFlag', 0)
acquire('FelixMiniboneFlag', clear=True)
info('minibone acquired')
| def main():
info('Waiting for minibone access')
wait('JanMiniboneFlag', 0)
info('Minibone released')
wait('MinibonePumpTimeFlag', 0)
acquire('FelixMiniboneFlag', clear=True)
info('minibone acquired') |
def findFirstAndLast(arr, n, x) :
first = -1
last = -1
for i in range(0, n) :
if (x != arr[i]) :
continue
if (first == -1) :
first = i
last = i
if (first != -1) :
print( "First Occurrence = ", first,
" \nLast Occurrence = ", last)
else :
print("Not Found")
arr = [1, 2, 2, 2, 2, 3, 4, 7, 8, 8 ]
n = len(arr)
x = 8
findFirstAndLast(arr, n, x)
| def find_first_and_last(arr, n, x):
first = -1
last = -1
for i in range(0, n):
if x != arr[i]:
continue
if first == -1:
first = i
last = i
if first != -1:
print('First Occurrence = ', first, ' \nLast Occurrence = ', last)
else:
print('Not Found')
arr = [1, 2, 2, 2, 2, 3, 4, 7, 8, 8]
n = len(arr)
x = 8
find_first_and_last(arr, n, x) |
#Config File for declaring and initializing global variables
data_glance_exit_flag = False
current_temp = 0
current_humidity = 0
current_soil = 0
current_float = 0
current_fan = 0
pumped = False
currently_lighting = False
| data_glance_exit_flag = False
current_temp = 0
current_humidity = 0
current_soil = 0
current_float = 0
current_fan = 0
pumped = False
currently_lighting = False |
team_names = ['Pittsburgh Steelers', 'Baltimore Ravens', 'NE Patriots', 'Miami Dolphins',
'Indianapolis Colts', 'Jacksonville Jaguars', 'Denver Broncos', 'KC Chiefs',
'Green Bay Packers', 'Chicago Bears', 'Dallas Cowboys', 'Philadelphia Eagles',
'New Orleans Saints', 'Atlanta Falcons', 'Seattle Seahawks', 'LA Rams']
# TODO
# Add possible locations and weeks in the season
| team_names = ['Pittsburgh Steelers', 'Baltimore Ravens', 'NE Patriots', 'Miami Dolphins', 'Indianapolis Colts', 'Jacksonville Jaguars', 'Denver Broncos', 'KC Chiefs', 'Green Bay Packers', 'Chicago Bears', 'Dallas Cowboys', 'Philadelphia Eagles', 'New Orleans Saints', 'Atlanta Falcons', 'Seattle Seahawks', 'LA Rams'] |
class Solution:
# @param n, an integer
# @return an integer
def climbStairs(self, n):
table = {}
table[1] = 1
table[2] = 2
for i in range(1, n+1):
if i not in table:
table[i] = table[i-1] + table[i-2]
return table[n]
s = 3
solution = Solution()
print(solution.climbStairs(s))
| class Solution:
def climb_stairs(self, n):
table = {}
table[1] = 1
table[2] = 2
for i in range(1, n + 1):
if i not in table:
table[i] = table[i - 1] + table[i - 2]
return table[n]
s = 3
solution = solution()
print(solution.climbStairs(s)) |
##f = []
##
##def factorial(n):
## result = n
## for i in range(1, n):
## if(i in f):
## result = i * f[f.index(i)]
## else:
## result = i * result
## f.append(result)
## print(result)
##
##factorial(3)
##factorial(4)
##n = int(input())
##arr = [1] * (n + 1)
##for i in range(1, n + 1):
## arr[i] = i * arr[i - 1]
##
##print(arr)
n = int(input())
f = []
result = 1
for i in range(1, n + 1):
result = i * result
f.append(result)
print(result)
| n = int(input())
f = []
result = 1
for i in range(1, n + 1):
result = i * result
f.append(result)
print(result) |
class Solution:
def __init__(self):
self.RED = 0
self.BLUE = 1
self.GREEN = 2
def minCost(self, costs: List[List[int]]) -> int:
if len(costs) == 0:
return 0
for idx in range(1, len(costs)):
prev_min_costs = costs[idx - 1]
costs[idx][self.RED] += min(prev_min_costs[self.BLUE], prev_min_costs[self.GREEN])
costs[idx][self.BLUE] += min(prev_min_costs[self.RED], prev_min_costs[self.GREEN])
costs[idx][self.GREEN] += min(prev_min_costs[self.RED], prev_min_costs[self.BLUE])
min_cost = min(costs[-1])
return min_cost
| class Solution:
def __init__(self):
self.RED = 0
self.BLUE = 1
self.GREEN = 2
def min_cost(self, costs: List[List[int]]) -> int:
if len(costs) == 0:
return 0
for idx in range(1, len(costs)):
prev_min_costs = costs[idx - 1]
costs[idx][self.RED] += min(prev_min_costs[self.BLUE], prev_min_costs[self.GREEN])
costs[idx][self.BLUE] += min(prev_min_costs[self.RED], prev_min_costs[self.GREEN])
costs[idx][self.GREEN] += min(prev_min_costs[self.RED], prev_min_costs[self.BLUE])
min_cost = min(costs[-1])
return min_cost |
class Node:
def __init__(self, data=None, prev=None, next=None):
self.data = data
self.prev = prev
self.next = next
class DoublyLinkedList:
def __init__(self):
self.head = None
def insert_at_begining(self, data):
node = Node(data=data)
if self.head is None:
self.head = node
else:
self.head.prev = node
node.next = self.head
self.head = node
def insert_at_end(self, data):
node = Node(data=data)
if self.head is None:
self.head = node
return
itr = self.head
while itr.next:
itr = itr.next
node.prev = itr
itr.next = node
def insert_values(self, data_list):
self.head = None
for data in data_list:
self.insert_at_begining(data=data)
def get_length(self):
count = 0
itr = self.head
while itr:
itr = itr.next
count += 1
return count
def remove_at(self, index):
if index < 0 or index >= self.get_length():
raise ValueError("Invalid index")
count = 0
if index == 0:
self.head = self.head.next
self.head.prev = None
return
itr = self.head
while itr:
if count == index - 1:
node = itr.next.next
if node is not None:
node.prev = itr.next
itr.next = node
break
count += 1
itr = itr.next
def insert_at(self, index, data):
if index < 0 or index > self.get_length():
raise ValueError("Invalid index")
if index == 0:
node = Node(data=data)
self.head.prev = node
node.next = self.head
self.head = node
itr = self.head
count = 0
while itr:
if count == index - 1:
node = Node(data=data, prev=itr, next=itr.next)
itr.next = node
return
itr = itr.next
count += 1
def insert_after_value(self, data_after, data_to_insert):
itr = self.head
while itr:
if data_after == itr.data:
node = Node(data=data_to_insert, prev=itr, next=itr.next)
itr.next = node
print("Inserted successfully")
break
itr = itr.next
print("value not found")
def remove_by_value(self, data):
if self.head.data == data:
self.head = self.head.next
self.head.prev = None
print("deleted successfully")
return
itr = self.head
while itr.next:
if itr.next.data == data:
itr.next = itr.next.next
if itr.next is not None:
itr.next.prev = itr
print("deleted successfully")
break
itr = itr.next
print("value not found")
def print(self):
if self.head is None:
print("Linked list is empty")
return
itr = self.head
dlistr = ''
while itr:
dlistr += str(itr.data) + '<-->'
itr = itr.next
print(dlistr)
def print_backward(self):
if self.head is None:
print("List is empty")
return
itr = self.head
while itr.next:
itr = itr.next
lstr = ''
while itr:
lstr += '<-->' + itr.data
itr = itr.prev
print(lstr)
if __name__ == '__main__':
dli = DoublyLinkedList()
dli.insert_at_begining(5)
dli.insert_at_begining(35)
dli.insert_at_begining(52)
dli.print()
dli.insert_at_end(43)
dli.print()
dli.insert_values(["1", "8", "4", "2", "9"])
dli.print()
dli.remove_at(4)
dli.print()
dli.remove_at(0)
dli.print()
dli.remove_at(2)
dli.print()
dli.insert_at(2, "232")
dli.print()
dli.insert_at(0, "23")
dli.print()
dli.insert_after_value(data_after="232", data_to_insert="213")
dli.print()
dli.remove_by_value("213")
dli.print()
dli.remove_by_value("23")
dli.print()
print("Length of list is: ", dli.get_length())
dli.print_backward()
| class Node:
def __init__(self, data=None, prev=None, next=None):
self.data = data
self.prev = prev
self.next = next
class Doublylinkedlist:
def __init__(self):
self.head = None
def insert_at_begining(self, data):
node = node(data=data)
if self.head is None:
self.head = node
else:
self.head.prev = node
node.next = self.head
self.head = node
def insert_at_end(self, data):
node = node(data=data)
if self.head is None:
self.head = node
return
itr = self.head
while itr.next:
itr = itr.next
node.prev = itr
itr.next = node
def insert_values(self, data_list):
self.head = None
for data in data_list:
self.insert_at_begining(data=data)
def get_length(self):
count = 0
itr = self.head
while itr:
itr = itr.next
count += 1
return count
def remove_at(self, index):
if index < 0 or index >= self.get_length():
raise value_error('Invalid index')
count = 0
if index == 0:
self.head = self.head.next
self.head.prev = None
return
itr = self.head
while itr:
if count == index - 1:
node = itr.next.next
if node is not None:
node.prev = itr.next
itr.next = node
break
count += 1
itr = itr.next
def insert_at(self, index, data):
if index < 0 or index > self.get_length():
raise value_error('Invalid index')
if index == 0:
node = node(data=data)
self.head.prev = node
node.next = self.head
self.head = node
itr = self.head
count = 0
while itr:
if count == index - 1:
node = node(data=data, prev=itr, next=itr.next)
itr.next = node
return
itr = itr.next
count += 1
def insert_after_value(self, data_after, data_to_insert):
itr = self.head
while itr:
if data_after == itr.data:
node = node(data=data_to_insert, prev=itr, next=itr.next)
itr.next = node
print('Inserted successfully')
break
itr = itr.next
print('value not found')
def remove_by_value(self, data):
if self.head.data == data:
self.head = self.head.next
self.head.prev = None
print('deleted successfully')
return
itr = self.head
while itr.next:
if itr.next.data == data:
itr.next = itr.next.next
if itr.next is not None:
itr.next.prev = itr
print('deleted successfully')
break
itr = itr.next
print('value not found')
def print(self):
if self.head is None:
print('Linked list is empty')
return
itr = self.head
dlistr = ''
while itr:
dlistr += str(itr.data) + '<-->'
itr = itr.next
print(dlistr)
def print_backward(self):
if self.head is None:
print('List is empty')
return
itr = self.head
while itr.next:
itr = itr.next
lstr = ''
while itr:
lstr += '<-->' + itr.data
itr = itr.prev
print(lstr)
if __name__ == '__main__':
dli = doubly_linked_list()
dli.insert_at_begining(5)
dli.insert_at_begining(35)
dli.insert_at_begining(52)
dli.print()
dli.insert_at_end(43)
dli.print()
dli.insert_values(['1', '8', '4', '2', '9'])
dli.print()
dli.remove_at(4)
dli.print()
dli.remove_at(0)
dli.print()
dli.remove_at(2)
dli.print()
dli.insert_at(2, '232')
dli.print()
dli.insert_at(0, '23')
dli.print()
dli.insert_after_value(data_after='232', data_to_insert='213')
dli.print()
dli.remove_by_value('213')
dli.print()
dli.remove_by_value('23')
dli.print()
print('Length of list is: ', dli.get_length())
dli.print_backward() |
with open("top10000words.txt", 'r') as f:
allwords = f.readlines()
fiveletterwords = []
for word in allwords:
if len(list(word)) == 6:
fiveletterwords.append(word.lower())
with open('5lettertop10k.txt', 'w') as g:
g.writelines(fiveletterwords) | with open('top10000words.txt', 'r') as f:
allwords = f.readlines()
fiveletterwords = []
for word in allwords:
if len(list(word)) == 6:
fiveletterwords.append(word.lower())
with open('5lettertop10k.txt', 'w') as g:
g.writelines(fiveletterwords) |
#
# @lc app=leetcode.cn id=151 lang=python3
#
# [151] reverse-words-in-a-string
#
None
# @lc code=end | None |
# calc the spawn in a factorial way would be nice in erlang or elixir...
def count_fishes(input, days):
vals = list(map(int, input.split(',')))
# Only need to calc for each unique
unique_ages = list(set(vals))
result = 0
for unique_age in unique_ages:
spawn = _calc_spawn([unique_age], days)
# Multiply the result with the number of occurences in the input...
result += spawn * vals.count(unique_age)
return result
def _calc_spawn(fishes, days_left):
if days_left < 1:
return len(fishes)
next_fishes = []
for fish in fishes:
if fish == 0:
next_fishes.append(6)
next_fishes.append(8)
else:
next_fishes.append(fish - 1)
return _calc_spawn(next_fishes, days_left - 1)
# Need to do some caching for the next level | def count_fishes(input, days):
vals = list(map(int, input.split(',')))
unique_ages = list(set(vals))
result = 0
for unique_age in unique_ages:
spawn = _calc_spawn([unique_age], days)
result += spawn * vals.count(unique_age)
return result
def _calc_spawn(fishes, days_left):
if days_left < 1:
return len(fishes)
next_fishes = []
for fish in fishes:
if fish == 0:
next_fishes.append(6)
next_fishes.append(8)
else:
next_fishes.append(fish - 1)
return _calc_spawn(next_fishes, days_left - 1) |
def format(discrepancies, margins = None):
if discrepancies == {}:
return "No Discrepancies Found"
inequal_messages = ""
missing_physical_message = ""
missing_digital_message = ""
valid_discrepancies = 0
for item, entry in discrepancies.items():
valid_discrepancies += 1
if entry["digital"] == None:
if entry["physical"] in [0,None]:
valid_discrepancies -= 1
continue
missing_digital_message += "{} - Inventory has {}, nothing in the records found\n".format(item, entry["physical"])
elif entry["physical"] == None:
if entry["digital"] in [0,None]:
valid_discrepancies -= 1
continue
missing_physical_message += "{} - Records show {}, nothing in inventory found\n".format(item, entry["digital"])
else:
inequal_messages += "{} - Records show {}, inventory has {}\n".format(item, entry["digital"],entry["physical"])
if valid_discrepancies == 0:
return "No Discrepancies Found"
message = "1 Discrepancy Found:\n"
if len(discrepancies) > 1:
message = "{} Discrepancies Found:\n".format(valid_discrepancies)
return message + inequal_messages + missing_physical_message + missing_digital_message | def format(discrepancies, margins=None):
if discrepancies == {}:
return 'No Discrepancies Found'
inequal_messages = ''
missing_physical_message = ''
missing_digital_message = ''
valid_discrepancies = 0
for (item, entry) in discrepancies.items():
valid_discrepancies += 1
if entry['digital'] == None:
if entry['physical'] in [0, None]:
valid_discrepancies -= 1
continue
missing_digital_message += '{} - Inventory has {}, nothing in the records found\n'.format(item, entry['physical'])
elif entry['physical'] == None:
if entry['digital'] in [0, None]:
valid_discrepancies -= 1
continue
missing_physical_message += '{} - Records show {}, nothing in inventory found\n'.format(item, entry['digital'])
else:
inequal_messages += '{} - Records show {}, inventory has {}\n'.format(item, entry['digital'], entry['physical'])
if valid_discrepancies == 0:
return 'No Discrepancies Found'
message = '1 Discrepancy Found:\n'
if len(discrepancies) > 1:
message = '{} Discrepancies Found:\n'.format(valid_discrepancies)
return message + inequal_messages + missing_physical_message + missing_digital_message |
'''
Simple hello world python modules.
'''
__name__ = "greetworld"
__version__ = 0.4
__author__ = 'Rajendra Kumar R Yadav'
__doc__ = '''
A simple Greet World module in Python
'''
| """
Simple hello world python modules.
"""
__name__ = 'greetworld'
__version__ = 0.4
__author__ = 'Rajendra Kumar R Yadav'
__doc__ = '\nA simple Greet World module in Python\n' |
class LRUCache(object):
def __init__(self, size):
self.size = size
self.cache = {}
self.priorities = []
def adjust(self, key):
item_index = self.priorities.index(key)
self.priorities[:] = self.priorities[:item_index] + self.priorities[item_index+1:]
self.priorities.insert(0, key)
def push(self, key, value):
item = (key, value)
if item[0] in self.cache:
self.adjust(item[0])
else:
if len(self.priorities) > self.size:
self.get(self.priorities[-1])
self.cache[item[0]] = item[1]
self.priorities.insert(0, item[0])
print (item[0], item[1])
def get(self, key):
if key in self.cache:
to_get = self.cache[key]
self.adjust(key)
return to_get
else:
print("Key not found.")
def remove(self, key):
try:
del self.cache[key]
del self.priorities[self.priorities.index(key)]
except:
pass
def test():
cache = LRUCache(size=3)
cache.push(1, 'one')
cache.push(2, 'two')
cache.push(1, 'one_a')
cache.push(3, 'three')
print (cache.get(1))
print (cache.get(2))
cache.remove(2)
print (cache.get(2))
print (cache.get(3))
print (cache.get(0))
test() | class Lrucache(object):
def __init__(self, size):
self.size = size
self.cache = {}
self.priorities = []
def adjust(self, key):
item_index = self.priorities.index(key)
self.priorities[:] = self.priorities[:item_index] + self.priorities[item_index + 1:]
self.priorities.insert(0, key)
def push(self, key, value):
item = (key, value)
if item[0] in self.cache:
self.adjust(item[0])
else:
if len(self.priorities) > self.size:
self.get(self.priorities[-1])
self.cache[item[0]] = item[1]
self.priorities.insert(0, item[0])
print(item[0], item[1])
def get(self, key):
if key in self.cache:
to_get = self.cache[key]
self.adjust(key)
return to_get
else:
print('Key not found.')
def remove(self, key):
try:
del self.cache[key]
del self.priorities[self.priorities.index(key)]
except:
pass
def test():
cache = lru_cache(size=3)
cache.push(1, 'one')
cache.push(2, 'two')
cache.push(1, 'one_a')
cache.push(3, 'three')
print(cache.get(1))
print(cache.get(2))
cache.remove(2)
print(cache.get(2))
print(cache.get(3))
print(cache.get(0))
test() |
def rounded_box_fn_icon(node):
return {
"shape": "box",
"style": "rounded",
}
def rounded_box_metric_icon(node):
return {
"shape": "box",
"style": "rounded",
}
def square_box_database_icon(node):
return {
"shape": "box",
}
def square_box_json_icon(node):
return {
"shape": "box",
}
def square_box_highlight(node):
return {
"shape": "box",
}
def square_box_model_icon(node):
return {
"shape": "box",
}
| def rounded_box_fn_icon(node):
return {'shape': 'box', 'style': 'rounded'}
def rounded_box_metric_icon(node):
return {'shape': 'box', 'style': 'rounded'}
def square_box_database_icon(node):
return {'shape': 'box'}
def square_box_json_icon(node):
return {'shape': 'box'}
def square_box_highlight(node):
return {'shape': 'box'}
def square_box_model_icon(node):
return {'shape': 'box'} |
#
# Simple Hello World Program
#
print("Hello Python")
print('Hello World') | print('Hello Python')
print('Hello World') |
class Solution:
def findShortestSubArray(self, nums: List[int]) -> int:
max_cnt = 0
for num in set(nums):
cur_cnt = nums.count(num)
if cur_cnt > max_cnt:
max_cnt=cur_cnt
max_num = [num]
elif cur_cnt == max_cnt:
max_num.append(num)
min_path = len(nums)
for cur_num in max_num:
cur_indices = [i for i, num in enumerate(nums) if num==cur_num]
path = cur_indices[-1]-cur_indices[0]+1
if path<min_path:
min_path=path
return min_path | class Solution:
def find_shortest_sub_array(self, nums: List[int]) -> int:
max_cnt = 0
for num in set(nums):
cur_cnt = nums.count(num)
if cur_cnt > max_cnt:
max_cnt = cur_cnt
max_num = [num]
elif cur_cnt == max_cnt:
max_num.append(num)
min_path = len(nums)
for cur_num in max_num:
cur_indices = [i for (i, num) in enumerate(nums) if num == cur_num]
path = cur_indices[-1] - cur_indices[0] + 1
if path < min_path:
min_path = path
return min_path |
expected_output = {
"primary_load_time_percent":0,
"secondary_load_time_percent":0,
"one_minute_load_percent":1,
"five_minute_load_percent":1,
"ntp_time":"14:48:32.688 UTC Tue Mar 22 2022",
"smart_licensing_status":{
"export_authorization_key":{
"features_authorized":"none"
},
"utility":{
"status":"DISABLED"
},
"smart_licensing_using_policy":{
"status":"ENABLED"
},
"data_privacy":{
"sending_hostname":"yes",
"callhome_hostname_privacy":"DISABLED",
"smart_licensing_hostname_privacy":"DISABLED",
"version_privacy":"DISABLED"
},
"transport":{
"type":"Smart",
"url":"https://smartreceiver.cisco.com/licservice/license",
"proxy":{
"address":"<empty>",
"port":"<empty>",
"username":"<empty>",
"password":"<empty>"
},
"server_identity_check":"True"
},
"miscellaneous":{
"custom_id":"<empty>"
},
"policy":{
"policy_in_use":"Installed On Mar 22 11:19:35 2022 UTC",
"policy_name":"SLE Policy",
"reporting_ack_required":"yes (Customer Policy)",
"unenforced_non_export_perpetual_attributes":{
"first_report_requirement_days":"30 (Customer Policy)",
"reporting_frequency_days":"60 (Customer Policy)",
"report_on_change_days":"60 (Customer Policy)"
},
"unenforced_non_export_subscription_attributes":{
"first_report_requirement_days":"120 (Customer Policy)",
"reporting_frequency_days":"111 (Customer Policy)",
"report_on_change_days":"111 (Customer Policy)"
},
"enforced_perpetual_subscription_license_attributes":{
"first_report_requirement_days":"0 (CISCO default)",
"reporting_frequency_days":"90 (Customer Policy)",
"report_on_change_days":"60 (Customer Policy)"
},
"export_perpetual_subscription_license_attributes":{
"first_report_requirement_days":"0 (CISCO default)",
"reporting_frequency_days":"30 (Customer Policy)",
"report_on_change_days":"30 (Customer Policy)"
}
},
"usage_reporting":{
"last_ack_received":"Mar 22 12:19:01 2022 UTC",
"next_ack_deadline":"May 21 12:19:01 2022 UTC",
"reporting_push_interval":"30 days State(4) InPolicy(60)",
"next_ack_push_check":"<none>",
"next_report_push":"Apr 21 12:14:02 2022 UTC",
"last_report_push":"Mar 22 12:14:02 2022 UTC",
"last_report_file_write":"<none>"
}
},
"license_usage":{
"handle":{
1:{
"license":"network-advantage",
"entitlement_tag":"regid.2017-03.com.cisco.advantagek9,1.0_bd1da96e-ec1d-412b-a50e-53846b347d53",
"description":"C9300-24 Network Advantage",
"count":3,
"version":"1.0",
"status":"IN USE(15)",
"status_time":"Mar 22 11:13:23 2022 UTC",
"request_time":"Mar 22 11:13:34 2022 UTC",
"export_status":"NOT RESTRICTED",
"feature_name":"network-advantage",
"feature_description":"C9300-24 Network Advantage",
"enforcement_type":"NOT ENFORCED",
"license_type":"Perpetual",
"measurements":{
"entitlement":{
"interval":"00:01:00",
"current_value":3
}
},
"soft_enforced":"True"
},
2:{
"license":"dna-advantage",
"entitlement_tag":"regid.2017-05.com.cisco.c9300_dna_advantage,1.0_411773c3-2116-4c10-94a4-5d357fe6ff18",
"description":"C9300-24 DNA Advantage",
"count":3,
"version":"1.0",
"status":"IN USE(15)",
"status_time":"Mar 22 11:13:23 2022 UTC",
"request_time":"Mar 22 11:13:34 2022 UTC",
"export_status":"NOT RESTRICTED",
"feature_name":"dna-advantage",
"feature_description":"C9300-24 DNA Advantage",
"enforcement_type":"NOT ENFORCED",
"license_type":"Subscription",
"measurements":{
"entitlement":{
"interval":"00:01:00",
"current_value":3
}
},
"soft_enforced":"True"
},
9:{
"license":"air-network-advantage",
"entitlement_tag":"regid.2018-06.com.cisco.DNA_NWStack,1.0_e7244e71-3ad5-4608-8bf0-d12f67c80896",
"description":"air-network-advantage",
"count":0,
"version":"1.0",
"status":"IN USE(15)",
"status_time":"Mar 22 12:13:29 2022 UTC",
"request_time":"None",
"export_status":"NOT RESTRICTED",
"feature_name":"air-network-advantage",
"feature_description":"air-network-advantage",
"enforcement_type":"NOT ENFORCED",
"license_type":"Perpetual",
"measurements":{
"entitlement":{
"interval":"00:15:00",
"current_value":0
}
},
"soft_enforced":"True"
},
10:{
"license":"air-dna-advantage",
"entitlement_tag":"regid.2017-08.com.cisco.AIR-DNA-A,1.0_b6308627-3ab0-4a11-a3d9-586911a0d790",
"description":"air-dna-advantage",
"count":0,
"version":"1.0",
"status":"IN USE(15)",
"status_time":"Mar 22 12:13:29 2022 UTC",
"request_time":"None",
"export_status":"NOT RESTRICTED",
"feature_name":"air-dna-advantage",
"feature_description":"air-dna-advantage",
"enforcement_type":"NOT ENFORCED",
"license_type":"Subscription",
"measurements":{
"entitlement":{
"interval":"00:15:00",
"current_value":0
}
},
"soft_enforced":"True"
}
}
},
"product_information":{
"udi":{
"pid":"C9300-24UX",
"sn":"FCW2134L00C"
},
"ha_udi_list":{
"active":{
"pid":"C9300-24UX",
"sn":"FCW2134L00C"
},
"standby":{
"pid":"C9300-24U",
"sn":"FOC2129Z02H"
},
"member":{
"pid":"C9300-24T",
"sn":"FCW2125L07Y"
}
}
},
"agent_version":{
"smart_agent_for_licensing":"5.1.26_rel/120"
},
"upcoming_scheduled_jobs":{
"current_time":"Mar 22 14:48:32 2022 UTC",
"daily":"Mar 23 11:13:25 2022 UTC (20 hours, 24 minutes, 53 seconds remaining)",
"authorization_renewal":"Mar 23 11:15:05 2022 UTC (20 hours, 26 minutes, 33 seconds remaining)",
"init_flag_check":"Expired Not Rescheduled",
"register_period_expiration_check":"Expired Not Rescheduled",
"ack_expiration_check":"Expired Not Rescheduled",
"reservation_configuration_mismatch_between_nodes_in_ha_mode":"Expired Not Rescheduled",
"retrieve_data_processing_result":"Expired Not Rescheduled",
"start_utility_measurements":"Mar 22 14:49:00 2022 UTC (28 seconds remaining)",
"send_utility_rum_reports":"Apr 21 12:14:01 2022 UTC (29 days, 21 hours, 25 minutes, 29 seconds remaining)",
"save_unreported_rum_reports":"Mar 22 15:48:10 2022 UTC (59 minutes, 38 seconds remaining)",
"process_utility_rum_reports":"Mar 23 11:14:05 2022 UTC (20 hours, 25 minutes, 33 seconds remaining)",
"data_synchronization":"Expired Not Rescheduled",
"external_event":"May 21 11:14:04 2022 UTC (59 days, 20 hours, 25 minutes, 32 seconds remaining)",
"operational_model":"Expired Not Rescheduled"
},
"communication_statistics":{
"communication_level_allowed":"DIRECT",
"overall_state":"<empty>",
"trust_establishment":{
"attempts":"Total=1, Success=1, Fail=0",
"ongoing_failure":"Overall=0 Communication=0",
"last_response":"OK on Mar 22 11:19:35 2022 UTC",
"failure_reason":"<none>",
"last_success_time":"Mar 22 11:19:35 2022 UTC",
"last_failure_time":"<none>"
},
"trust_acknowledgement":{
"attempts":"Total=0, Success=0, Fail=0",
"ongoing_failure":"Overall=0 Communication=0",
"last_response":"<none>",
"failure_reason":"<none>",
"last_success_time":"<none>",
"last_failure_time":"<none>"
},
"usage_reporting":{
"attempts":"Total=4, Success=4, Fail=0",
"ongoing_failure":"Overall=0 Communication=0",
"last_response":"OK_POLL on Mar 22 12:14:01 2022 UTC",
"failure_reason":"<none>",
"last_success_time":"Mar 22 12:14:01 2022 UTC",
"last_failure_time":"<none>"
},
"result_polling":{
"attempts":"Total=4, Success=4, Fail=0",
"ongoing_failure":"Overall=0 Communication=0",
"last_response":"OK on Mar 22 12:19:01 2022 UTC",
"failure_reason":"<none>",
"last_success_time":"Mar 22 12:19:01 2022 UTC",
"last_failure_time":"<none>"
},
"authorization_request":{
"attempts":"Total=0, Success=0, Fail=0",
"ongoing_failure":"Overall=0 Communication=0",
"last_response":"<none>",
"failure_reason":"<none>",
"last_success_time":"<none>",
"last_failure_time":"<none>"
},
"authorization_confirmation":{
"attempts":"Total=0, Success=0, Fail=0",
"ongoing_failure":"Overall=0 Communication=0",
"last_response":"<none>",
"failure_reason":"<none>",
"last_success_time":"<none>",
"last_failure_time":"<none>"
},
"authorization_return":{
"attempts":"Total=0, Success=0, Fail=0",
"ongoing_failure":"Overall=0 Communication=0",
"last_response":"<none>",
"failure_reason":"<none>",
"last_success_time":"<none>",
"last_failure_time":"<none>"
},
"trust_sync":{
"attempts":"Total=2, Success=2, Fail=0",
"ongoing_failure":"Overall=0 Communication=0",
"last_response":"OK on Mar 22 11:28:22 2022 UTC",
"failure_reason":"<none>",
"last_success_time":"Mar 22 11:28:22 2022 UTC",
"last_failure_time":"<none>"
},
"hello_message":{
"attempts":"Total=0, Success=0, Fail=0",
"ongoing_failure":"Overall=0 Communication=0",
"last_response":"<none>",
"failure_reason":"<none>",
"last_success_time":"<none>",
"last_failure_time":"<none>"
}
},
"license_certificates":{
"production_cert":"True"
},
"ha_info":{
"rp_role":"Active",
"chassis_role":"Active",
"behavior_role":"Active",
"rmf":"True",
"cf":"True",
"cf_state":"Stateless",
"message_flow_allowed":"False"
},
"reservation_info":{
"license_reservation":"DISABLED",
"overall_status":{
"active":{
"pid":"C9300-24UX",
"sn":"FCW2134L00C",
"reservation_status":"NOT INSTALLED",
"request_code":"<none>",
"last_return_code":"<none>",
"last_confirmation_code":"<none>",
"reservation_authorization_code":"<none>"
},
"standby":{
"pid":"C9300-24U",
"sn":"FOC2129Z02H",
"reservation_status":"NOT INSTALLED",
"request_code":"<none>",
"last_return_code":"<none>",
"last_confirmation_code":"<none>",
"reservation_authorization_code":"<none>"
},
"member":{
"pid":"C9300-24T",
"sn":"FCW2125L07Y",
"reservation_status":"NOT INSTALLED",
"request_code":"<none>",
"last_return_code":"<none>",
"last_confirmation_code":"<none>",
"reservation_authorization_code":"<none>"
}
},
"purchased_licenses":"No Purchase Information Available"
},
"other_info":{
"software_id":"regid.2017-05.com.cisco.C9300,v1_727af1d9-6c39-4444-b301-863f81445b72",
"agent_state":"authorized",
"ts_enable":"True",
"transport":"Smart",
"default_url":"https://smartreceiver.cisco.com/licservice/license",
"locale":"en_US.UTF-8",
"debug_flags":"0x7",
"privacy_send_hostname":"True",
"privacy_send_ip":"True",
"build_type":"Production",
"sizeof_char":1,
"sizeof_int":4,
"sizeof_long":4,
"sizeof_char_*":8,
"sizeof_time_t":4,
"sizeof_size_t":8,
"endian":"Big",
"write_erase_occurred":"False",
"xos_version":"0.12.0.0",
"config_persist_received":"True",
"message_version":"1.3",
"connect_info_name":"SSM",
"connect_info_version":"1.3",
"connect_info_prod":"True",
"connect_info_capabilities":"DLC, AppHA, EXPORT_2, POLICY_USAGE, UTILITY",
"agent_capabilities":"UTILITY, DLC, AppHA, MULTITIER, EXPORT_2, OK_TRY_AGAIN, POLICY_USAGE",
"check_point_interface":"True",
"config_management_interface":"False",
"license_map_interface":"True",
"ha_interface":"True",
"trusted_store_interface":"True",
"platform_data_interface":"True",
"crypto_version_2_interface":"False",
"sapluginmgmtinterfacemutex":"True",
"sapluginmgmtipdomainname":"True",
"smartagentclientwaitforserver":2000,
"smartagentcmretrysend":"True",
"smartagentclientisunified":"True",
"smartagentcmclient":"True",
"smartagentclientname":"UnifiedClient",
"builtinencryption":"True",
"enableoninit":"True",
"routingreadybyevent":"True",
"systeminitbyevent":"True",
"smarttransportserveridcheck":"True",
"smarttransportproxysupport":"True",
"smartagentreportonupgrade":"False",
"smartagentusagestatisticsenable":"False",
"smartagentmaxrummemory":50,
"smartagentconcurrentthreadmax":10,
"smartagentpolicycontrollermodel":"False",
"smartagentpolicymodel":"True",
"smartagentfederallicense":"True",
"smartagentmultitenant":"False",
"attr365dayevalsyslog":"True",
"checkpointwriteonly":"False",
"smartagentdelaycertvalidation":"False",
"enablebydefault":"False",
"conversionautomatic":"False",
"conversionallowed":"False",
"storageencryptdisable":"False",
"storageloadunencrypteddisable":"False",
"tsplugindisable":"False",
"bypassudicheck":"False",
"loggingaddtstamp":"False",
"loggingaddtid":"True",
"highavailabilityoverrideevent":"UnknownPlatformEvent",
"platformindependentoverrideevent":"UnknownPlatformEvent",
"platformoverrideevent":"SmartAgentSystemDataListChanged",
"waitforharole":"False",
"standbyishot":"True",
"chkpttype":2,
"delaycomminit":"False",
"rolebyevent":"True",
"maxtracelength":150,
"tracealwayson":"True",
"debugflags":0,
"event_log_max_size":"5120 KB",
"event_log_current_size":"CALCULATING",
"trust_data":{
"fcw2134l00c:":{
"p":"C9300-24UX",
"trustvalue":"Trust Data INSTALLED"
},
"foc2129z02h:":{
"p":"C9300-24U",
"trustvalue":"Trust Data INSTALLED"
},
"fcw2125l07y:":{
"p":"C9300-24T",
"trustvalue":"Trust Data INSTALLED"
}
},
"overall_trust":"INSTALLED (2)",
"clock_synced_with_ntp":"True"
},
"platform_provided_mapping_table":{
"pid":"C9300-24UX",
"total_licenses_found":194,
"enforced_licenses":{
"fcw2134l00c":{
"pid":"C9300-24UX"
},
"foc2129z02h":{
"pid":"C9300-24U"
},
"fcw2125l07y":{
"pid":"C9300-24T"
}
}
}
} | expected_output = {'primary_load_time_percent': 0, 'secondary_load_time_percent': 0, 'one_minute_load_percent': 1, 'five_minute_load_percent': 1, 'ntp_time': '14:48:32.688 UTC Tue Mar 22 2022', 'smart_licensing_status': {'export_authorization_key': {'features_authorized': 'none'}, 'utility': {'status': 'DISABLED'}, 'smart_licensing_using_policy': {'status': 'ENABLED'}, 'data_privacy': {'sending_hostname': 'yes', 'callhome_hostname_privacy': 'DISABLED', 'smart_licensing_hostname_privacy': 'DISABLED', 'version_privacy': 'DISABLED'}, 'transport': {'type': 'Smart', 'url': 'https://smartreceiver.cisco.com/licservice/license', 'proxy': {'address': '<empty>', 'port': '<empty>', 'username': '<empty>', 'password': '<empty>'}, 'server_identity_check': 'True'}, 'miscellaneous': {'custom_id': '<empty>'}, 'policy': {'policy_in_use': 'Installed On Mar 22 11:19:35 2022 UTC', 'policy_name': 'SLE Policy', 'reporting_ack_required': 'yes (Customer Policy)', 'unenforced_non_export_perpetual_attributes': {'first_report_requirement_days': '30 (Customer Policy)', 'reporting_frequency_days': '60 (Customer Policy)', 'report_on_change_days': '60 (Customer Policy)'}, 'unenforced_non_export_subscription_attributes': {'first_report_requirement_days': '120 (Customer Policy)', 'reporting_frequency_days': '111 (Customer Policy)', 'report_on_change_days': '111 (Customer Policy)'}, 'enforced_perpetual_subscription_license_attributes': {'first_report_requirement_days': '0 (CISCO default)', 'reporting_frequency_days': '90 (Customer Policy)', 'report_on_change_days': '60 (Customer Policy)'}, 'export_perpetual_subscription_license_attributes': {'first_report_requirement_days': '0 (CISCO default)', 'reporting_frequency_days': '30 (Customer Policy)', 'report_on_change_days': '30 (Customer Policy)'}}, 'usage_reporting': {'last_ack_received': 'Mar 22 12:19:01 2022 UTC', 'next_ack_deadline': 'May 21 12:19:01 2022 UTC', 'reporting_push_interval': '30 days State(4) InPolicy(60)', 'next_ack_push_check': '<none>', 'next_report_push': 'Apr 21 12:14:02 2022 UTC', 'last_report_push': 'Mar 22 12:14:02 2022 UTC', 'last_report_file_write': '<none>'}}, 'license_usage': {'handle': {1: {'license': 'network-advantage', 'entitlement_tag': 'regid.2017-03.com.cisco.advantagek9,1.0_bd1da96e-ec1d-412b-a50e-53846b347d53', 'description': 'C9300-24 Network Advantage', 'count': 3, 'version': '1.0', 'status': 'IN USE(15)', 'status_time': 'Mar 22 11:13:23 2022 UTC', 'request_time': 'Mar 22 11:13:34 2022 UTC', 'export_status': 'NOT RESTRICTED', 'feature_name': 'network-advantage', 'feature_description': 'C9300-24 Network Advantage', 'enforcement_type': 'NOT ENFORCED', 'license_type': 'Perpetual', 'measurements': {'entitlement': {'interval': '00:01:00', 'current_value': 3}}, 'soft_enforced': 'True'}, 2: {'license': 'dna-advantage', 'entitlement_tag': 'regid.2017-05.com.cisco.c9300_dna_advantage,1.0_411773c3-2116-4c10-94a4-5d357fe6ff18', 'description': 'C9300-24 DNA Advantage', 'count': 3, 'version': '1.0', 'status': 'IN USE(15)', 'status_time': 'Mar 22 11:13:23 2022 UTC', 'request_time': 'Mar 22 11:13:34 2022 UTC', 'export_status': 'NOT RESTRICTED', 'feature_name': 'dna-advantage', 'feature_description': 'C9300-24 DNA Advantage', 'enforcement_type': 'NOT ENFORCED', 'license_type': 'Subscription', 'measurements': {'entitlement': {'interval': '00:01:00', 'current_value': 3}}, 'soft_enforced': 'True'}, 9: {'license': 'air-network-advantage', 'entitlement_tag': 'regid.2018-06.com.cisco.DNA_NWStack,1.0_e7244e71-3ad5-4608-8bf0-d12f67c80896', 'description': 'air-network-advantage', 'count': 0, 'version': '1.0', 'status': 'IN USE(15)', 'status_time': 'Mar 22 12:13:29 2022 UTC', 'request_time': 'None', 'export_status': 'NOT RESTRICTED', 'feature_name': 'air-network-advantage', 'feature_description': 'air-network-advantage', 'enforcement_type': 'NOT ENFORCED', 'license_type': 'Perpetual', 'measurements': {'entitlement': {'interval': '00:15:00', 'current_value': 0}}, 'soft_enforced': 'True'}, 10: {'license': 'air-dna-advantage', 'entitlement_tag': 'regid.2017-08.com.cisco.AIR-DNA-A,1.0_b6308627-3ab0-4a11-a3d9-586911a0d790', 'description': 'air-dna-advantage', 'count': 0, 'version': '1.0', 'status': 'IN USE(15)', 'status_time': 'Mar 22 12:13:29 2022 UTC', 'request_time': 'None', 'export_status': 'NOT RESTRICTED', 'feature_name': 'air-dna-advantage', 'feature_description': 'air-dna-advantage', 'enforcement_type': 'NOT ENFORCED', 'license_type': 'Subscription', 'measurements': {'entitlement': {'interval': '00:15:00', 'current_value': 0}}, 'soft_enforced': 'True'}}}, 'product_information': {'udi': {'pid': 'C9300-24UX', 'sn': 'FCW2134L00C'}, 'ha_udi_list': {'active': {'pid': 'C9300-24UX', 'sn': 'FCW2134L00C'}, 'standby': {'pid': 'C9300-24U', 'sn': 'FOC2129Z02H'}, 'member': {'pid': 'C9300-24T', 'sn': 'FCW2125L07Y'}}}, 'agent_version': {'smart_agent_for_licensing': '5.1.26_rel/120'}, 'upcoming_scheduled_jobs': {'current_time': 'Mar 22 14:48:32 2022 UTC', 'daily': 'Mar 23 11:13:25 2022 UTC (20 hours, 24 minutes, 53 seconds remaining)', 'authorization_renewal': 'Mar 23 11:15:05 2022 UTC (20 hours, 26 minutes, 33 seconds remaining)', 'init_flag_check': 'Expired Not Rescheduled', 'register_period_expiration_check': 'Expired Not Rescheduled', 'ack_expiration_check': 'Expired Not Rescheduled', 'reservation_configuration_mismatch_between_nodes_in_ha_mode': 'Expired Not Rescheduled', 'retrieve_data_processing_result': 'Expired Not Rescheduled', 'start_utility_measurements': 'Mar 22 14:49:00 2022 UTC (28 seconds remaining)', 'send_utility_rum_reports': 'Apr 21 12:14:01 2022 UTC (29 days, 21 hours, 25 minutes, 29 seconds remaining)', 'save_unreported_rum_reports': 'Mar 22 15:48:10 2022 UTC (59 minutes, 38 seconds remaining)', 'process_utility_rum_reports': 'Mar 23 11:14:05 2022 UTC (20 hours, 25 minutes, 33 seconds remaining)', 'data_synchronization': 'Expired Not Rescheduled', 'external_event': 'May 21 11:14:04 2022 UTC (59 days, 20 hours, 25 minutes, 32 seconds remaining)', 'operational_model': 'Expired Not Rescheduled'}, 'communication_statistics': {'communication_level_allowed': 'DIRECT', 'overall_state': '<empty>', 'trust_establishment': {'attempts': 'Total=1, Success=1, Fail=0', 'ongoing_failure': 'Overall=0 Communication=0', 'last_response': 'OK on Mar 22 11:19:35 2022 UTC', 'failure_reason': '<none>', 'last_success_time': 'Mar 22 11:19:35 2022 UTC', 'last_failure_time': '<none>'}, 'trust_acknowledgement': {'attempts': 'Total=0, Success=0, Fail=0', 'ongoing_failure': 'Overall=0 Communication=0', 'last_response': '<none>', 'failure_reason': '<none>', 'last_success_time': '<none>', 'last_failure_time': '<none>'}, 'usage_reporting': {'attempts': 'Total=4, Success=4, Fail=0', 'ongoing_failure': 'Overall=0 Communication=0', 'last_response': 'OK_POLL on Mar 22 12:14:01 2022 UTC', 'failure_reason': '<none>', 'last_success_time': 'Mar 22 12:14:01 2022 UTC', 'last_failure_time': '<none>'}, 'result_polling': {'attempts': 'Total=4, Success=4, Fail=0', 'ongoing_failure': 'Overall=0 Communication=0', 'last_response': 'OK on Mar 22 12:19:01 2022 UTC', 'failure_reason': '<none>', 'last_success_time': 'Mar 22 12:19:01 2022 UTC', 'last_failure_time': '<none>'}, 'authorization_request': {'attempts': 'Total=0, Success=0, Fail=0', 'ongoing_failure': 'Overall=0 Communication=0', 'last_response': '<none>', 'failure_reason': '<none>', 'last_success_time': '<none>', 'last_failure_time': '<none>'}, 'authorization_confirmation': {'attempts': 'Total=0, Success=0, Fail=0', 'ongoing_failure': 'Overall=0 Communication=0', 'last_response': '<none>', 'failure_reason': '<none>', 'last_success_time': '<none>', 'last_failure_time': '<none>'}, 'authorization_return': {'attempts': 'Total=0, Success=0, Fail=0', 'ongoing_failure': 'Overall=0 Communication=0', 'last_response': '<none>', 'failure_reason': '<none>', 'last_success_time': '<none>', 'last_failure_time': '<none>'}, 'trust_sync': {'attempts': 'Total=2, Success=2, Fail=0', 'ongoing_failure': 'Overall=0 Communication=0', 'last_response': 'OK on Mar 22 11:28:22 2022 UTC', 'failure_reason': '<none>', 'last_success_time': 'Mar 22 11:28:22 2022 UTC', 'last_failure_time': '<none>'}, 'hello_message': {'attempts': 'Total=0, Success=0, Fail=0', 'ongoing_failure': 'Overall=0 Communication=0', 'last_response': '<none>', 'failure_reason': '<none>', 'last_success_time': '<none>', 'last_failure_time': '<none>'}}, 'license_certificates': {'production_cert': 'True'}, 'ha_info': {'rp_role': 'Active', 'chassis_role': 'Active', 'behavior_role': 'Active', 'rmf': 'True', 'cf': 'True', 'cf_state': 'Stateless', 'message_flow_allowed': 'False'}, 'reservation_info': {'license_reservation': 'DISABLED', 'overall_status': {'active': {'pid': 'C9300-24UX', 'sn': 'FCW2134L00C', 'reservation_status': 'NOT INSTALLED', 'request_code': '<none>', 'last_return_code': '<none>', 'last_confirmation_code': '<none>', 'reservation_authorization_code': '<none>'}, 'standby': {'pid': 'C9300-24U', 'sn': 'FOC2129Z02H', 'reservation_status': 'NOT INSTALLED', 'request_code': '<none>', 'last_return_code': '<none>', 'last_confirmation_code': '<none>', 'reservation_authorization_code': '<none>'}, 'member': {'pid': 'C9300-24T', 'sn': 'FCW2125L07Y', 'reservation_status': 'NOT INSTALLED', 'request_code': '<none>', 'last_return_code': '<none>', 'last_confirmation_code': '<none>', 'reservation_authorization_code': '<none>'}}, 'purchased_licenses': 'No Purchase Information Available'}, 'other_info': {'software_id': 'regid.2017-05.com.cisco.C9300,v1_727af1d9-6c39-4444-b301-863f81445b72', 'agent_state': 'authorized', 'ts_enable': 'True', 'transport': 'Smart', 'default_url': 'https://smartreceiver.cisco.com/licservice/license', 'locale': 'en_US.UTF-8', 'debug_flags': '0x7', 'privacy_send_hostname': 'True', 'privacy_send_ip': 'True', 'build_type': 'Production', 'sizeof_char': 1, 'sizeof_int': 4, 'sizeof_long': 4, 'sizeof_char_*': 8, 'sizeof_time_t': 4, 'sizeof_size_t': 8, 'endian': 'Big', 'write_erase_occurred': 'False', 'xos_version': '0.12.0.0', 'config_persist_received': 'True', 'message_version': '1.3', 'connect_info_name': 'SSM', 'connect_info_version': '1.3', 'connect_info_prod': 'True', 'connect_info_capabilities': 'DLC, AppHA, EXPORT_2, POLICY_USAGE, UTILITY', 'agent_capabilities': 'UTILITY, DLC, AppHA, MULTITIER, EXPORT_2, OK_TRY_AGAIN, POLICY_USAGE', 'check_point_interface': 'True', 'config_management_interface': 'False', 'license_map_interface': 'True', 'ha_interface': 'True', 'trusted_store_interface': 'True', 'platform_data_interface': 'True', 'crypto_version_2_interface': 'False', 'sapluginmgmtinterfacemutex': 'True', 'sapluginmgmtipdomainname': 'True', 'smartagentclientwaitforserver': 2000, 'smartagentcmretrysend': 'True', 'smartagentclientisunified': 'True', 'smartagentcmclient': 'True', 'smartagentclientname': 'UnifiedClient', 'builtinencryption': 'True', 'enableoninit': 'True', 'routingreadybyevent': 'True', 'systeminitbyevent': 'True', 'smarttransportserveridcheck': 'True', 'smarttransportproxysupport': 'True', 'smartagentreportonupgrade': 'False', 'smartagentusagestatisticsenable': 'False', 'smartagentmaxrummemory': 50, 'smartagentconcurrentthreadmax': 10, 'smartagentpolicycontrollermodel': 'False', 'smartagentpolicymodel': 'True', 'smartagentfederallicense': 'True', 'smartagentmultitenant': 'False', 'attr365dayevalsyslog': 'True', 'checkpointwriteonly': 'False', 'smartagentdelaycertvalidation': 'False', 'enablebydefault': 'False', 'conversionautomatic': 'False', 'conversionallowed': 'False', 'storageencryptdisable': 'False', 'storageloadunencrypteddisable': 'False', 'tsplugindisable': 'False', 'bypassudicheck': 'False', 'loggingaddtstamp': 'False', 'loggingaddtid': 'True', 'highavailabilityoverrideevent': 'UnknownPlatformEvent', 'platformindependentoverrideevent': 'UnknownPlatformEvent', 'platformoverrideevent': 'SmartAgentSystemDataListChanged', 'waitforharole': 'False', 'standbyishot': 'True', 'chkpttype': 2, 'delaycomminit': 'False', 'rolebyevent': 'True', 'maxtracelength': 150, 'tracealwayson': 'True', 'debugflags': 0, 'event_log_max_size': '5120 KB', 'event_log_current_size': 'CALCULATING', 'trust_data': {'fcw2134l00c:': {'p': 'C9300-24UX', 'trustvalue': 'Trust Data INSTALLED'}, 'foc2129z02h:': {'p': 'C9300-24U', 'trustvalue': 'Trust Data INSTALLED'}, 'fcw2125l07y:': {'p': 'C9300-24T', 'trustvalue': 'Trust Data INSTALLED'}}, 'overall_trust': 'INSTALLED (2)', 'clock_synced_with_ntp': 'True'}, 'platform_provided_mapping_table': {'pid': 'C9300-24UX', 'total_licenses_found': 194, 'enforced_licenses': {'fcw2134l00c': {'pid': 'C9300-24UX'}, 'foc2129z02h': {'pid': 'C9300-24U'}, 'fcw2125l07y': {'pid': 'C9300-24T'}}}} |
# coding: utf-8
#
atx_agent_version = "" # set from command line
| atx_agent_version = '' |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.