content
stringlengths 7
1.05M
| fixed_cases
stringlengths 1
1.28M
|
---|---|
class Solution:
def solve(self, nums):
sameIndexAfterSortingCount = 0
sortedNums = sorted(nums)
for i in range(len(nums)):
if sortedNums[i] == nums[i]:
sameIndexAfterSortingCount += 1
return sameIndexAfterSortingCount
|
class Solution:
def solve(self, nums):
same_index_after_sorting_count = 0
sorted_nums = sorted(nums)
for i in range(len(nums)):
if sortedNums[i] == nums[i]:
same_index_after_sorting_count += 1
return sameIndexAfterSortingCount
|
S = 'shrubbery'
L = list(S)
print('L', L)
|
s = 'shrubbery'
l = list(S)
print('L', L)
|
def get_binary_nmubmer(decimal_number):
assert isinstance(decimal_number, int)
return bin(decimal_number)
print(get_binary_nmubmer(10.5))
|
def get_binary_nmubmer(decimal_number):
assert isinstance(decimal_number, int)
return bin(decimal_number)
print(get_binary_nmubmer(10.5))
|
def is_kadomatsu(a):
if a[0] == a[1] or a[1] == a[2] or a[0] == a[2]:
return False
return min(a) == a[1] or max(a) == a[1]
a = list(map(int, input().split()))
b = list(map(int, input().split()))
for i in range(3):
for j in range(3):
a[i], b[j] = b[j], a[i]
if is_kadomatsu(a) and is_kadomatsu(b):
print('Yes')
exit()
a[i], b[j] = b[j], a[i]
print('No')
|
def is_kadomatsu(a):
if a[0] == a[1] or a[1] == a[2] or a[0] == a[2]:
return False
return min(a) == a[1] or max(a) == a[1]
a = list(map(int, input().split()))
b = list(map(int, input().split()))
for i in range(3):
for j in range(3):
(a[i], b[j]) = (b[j], a[i])
if is_kadomatsu(a) and is_kadomatsu(b):
print('Yes')
exit()
(a[i], b[j]) = (b[j], a[i])
print('No')
|
class Tesla:
# WRITE YOUR CODE HERE
def __init__(self, model: str, color: str, autopilot: bool = False, seats_count: int = 5, is_locked: bool = True, battery_charge: float = 99.9, efficiency: float = 0.3):
self.__model = model
self.__color = color
self.__autopilot = autopilot
self.__battery_charge = battery_charge
self.__is_locked = is_locked
self.__seats_count = seats_count
self.__efficiency = efficiency
@property
def color(self) -> str:
return self.__color
@property
def autopilot(self) -> str:
return self.__autopilot
@property
def seats_count(self) -> int:
return self.__seats_count
@property
def is_locked(self) -> bool:
return self.__is_locked
@property
def battery_charge(self) -> int:
return self.__battery_charge
@color.setter
def color(self, new_color: str) -> None:
self.__color = new_color
@autopilot.setter
def autopilot(self, autopilot: bool) -> None:
self.__autopilot = autopilot
@seats_count.setter
def seats_count(self, seats: int) -> None:
if(seats < 2):
return "Seats count cannot be lower than 2!"
self.__seats_count = seats
@is_locked.setter
def is_locked(self) -> None:
self.is_locked = True
def autopilot(self, obsticle: str) -> str:
'''
Takes in an obsticle object as string, returns string information about successfully avoiding the object or string information about availability of autopilot.
Parameters:
obsticle (str): An real world object that needs to be manuverd
Returns:
success (str): String informing about avoided obsticle
fail (str): String warning that the car does not have autopilot
'''
if self.__autopilot:
return f"Tesla model {self.__model} avoids {obsticle}"
return "Autopilot is not available"
#unlocking car
def unlock(self) -> None:
self.__is_locked = False
# opening doors
def open_doors(self) -> str:
'''
Returns string information about opening the doors of the car.
Parameters:
None
Returns:
success (str): String informing that the doors are opening
fail (str): String warning that the car is locked
'''
if(self.__is_locked):
return "Car is locked!"
return "Doors opens sideways"
# checking battery
def check_battery_level(self) -> str:
return f"Battery charge level is {self.__battery_charge}%"
# charging battery
def charge_battery(self) -> None:
self.__battery_charge = 100
# driving the car
def drive(self, travel_range: float):
'''
Takes in the travel distance number, returns remaining battery life or not enough battery warning.
Parameters:
travel_range (float): A float number
Returns:
battery_charge_level (str): String informing about remaining battery life
String warning (str): String warning that there is not enough battery to complete the travel distance
'''
battery_discharge_percent = travel_range * self.__efficiency
# COMPLETE THE FUNCTION
if self.__battery_charge - battery_discharge_percent >= 0:
self.__battery_charge = self.__battery_charge - battery_discharge_percent
return self.check_battery_level()
else:
return "Battery charge level is too low!"
def welcome(self) -> str:
raise NotImplementedError
|
class Tesla:
def __init__(self, model: str, color: str, autopilot: bool=False, seats_count: int=5, is_locked: bool=True, battery_charge: float=99.9, efficiency: float=0.3):
self.__model = model
self.__color = color
self.__autopilot = autopilot
self.__battery_charge = battery_charge
self.__is_locked = is_locked
self.__seats_count = seats_count
self.__efficiency = efficiency
@property
def color(self) -> str:
return self.__color
@property
def autopilot(self) -> str:
return self.__autopilot
@property
def seats_count(self) -> int:
return self.__seats_count
@property
def is_locked(self) -> bool:
return self.__is_locked
@property
def battery_charge(self) -> int:
return self.__battery_charge
@color.setter
def color(self, new_color: str) -> None:
self.__color = new_color
@autopilot.setter
def autopilot(self, autopilot: bool) -> None:
self.__autopilot = autopilot
@seats_count.setter
def seats_count(self, seats: int) -> None:
if seats < 2:
return 'Seats count cannot be lower than 2!'
self.__seats_count = seats
@is_locked.setter
def is_locked(self) -> None:
self.is_locked = True
def autopilot(self, obsticle: str) -> str:
"""
Takes in an obsticle object as string, returns string information about successfully avoiding the object or string information about availability of autopilot.
Parameters:
obsticle (str): An real world object that needs to be manuverd
Returns:
success (str): String informing about avoided obsticle
fail (str): String warning that the car does not have autopilot
"""
if self.__autopilot:
return f'Tesla model {self.__model} avoids {obsticle}'
return 'Autopilot is not available'
def unlock(self) -> None:
self.__is_locked = False
def open_doors(self) -> str:
"""
Returns string information about opening the doors of the car.
Parameters:
None
Returns:
success (str): String informing that the doors are opening
fail (str): String warning that the car is locked
"""
if self.__is_locked:
return 'Car is locked!'
return 'Doors opens sideways'
def check_battery_level(self) -> str:
return f'Battery charge level is {self.__battery_charge}%'
def charge_battery(self) -> None:
self.__battery_charge = 100
def drive(self, travel_range: float):
"""
Takes in the travel distance number, returns remaining battery life or not enough battery warning.
Parameters:
travel_range (float): A float number
Returns:
battery_charge_level (str): String informing about remaining battery life
String warning (str): String warning that there is not enough battery to complete the travel distance
"""
battery_discharge_percent = travel_range * self.__efficiency
if self.__battery_charge - battery_discharge_percent >= 0:
self.__battery_charge = self.__battery_charge - battery_discharge_percent
return self.check_battery_level()
else:
return 'Battery charge level is too low!'
def welcome(self) -> str:
raise NotImplementedError
|
def sum(*args):
total_sum = 0
for number in args:
total_sum += number
return total_sum
result = sum(1, 3, 4, 5, 8, 9, 16)
print({ 'result': result })
|
def sum(*args):
total_sum = 0
for number in args:
total_sum += number
return total_sum
result = sum(1, 3, 4, 5, 8, 9, 16)
print({'result': result})
|
class VangError(Exception):
def __init__(self, msg=None, key=None):
self.msg = msg or {}
self.key = key
class InitError(Exception):
pass
|
class Vangerror(Exception):
def __init__(self, msg=None, key=None):
self.msg = msg or {}
self.key = key
class Initerror(Exception):
pass
|
BOS_TOKEN = '[unused98]'
EOS_TOKEN = '[unused99]'
CLS_TOKEN = '[CLS]'
SPACE_TOKEN = '[unused1]'
UNK_TOKEN = '[UNK]'
SPECIAL_TOKENS = [BOS_TOKEN, EOS_TOKEN, CLS_TOKEN, SPACE_TOKEN, UNK_TOKEN]
TRAIN = 'train'
EVAL = 'eval'
PREDICT = 'infer'
MODAL_LIST = ['image', 'others']
|
bos_token = '[unused98]'
eos_token = '[unused99]'
cls_token = '[CLS]'
space_token = '[unused1]'
unk_token = '[UNK]'
special_tokens = [BOS_TOKEN, EOS_TOKEN, CLS_TOKEN, SPACE_TOKEN, UNK_TOKEN]
train = 'train'
eval = 'eval'
predict = 'infer'
modal_list = ['image', 'others']
|
def saveHigh(whatyouwant):
file = open('HighPriorityIssues.txt', 'a')
file.write(formatError(whatyouwant))
file.close()
def saveMedium(whatyouwant):
file = open('MediumPriorityIssues.txt', 'a')
file.write(formatError(whatyouwant))
file.close()
def saveLow(whatyouwant):
file = open('LowPriorityIssues.txt', 'a')
file.write(formatError(whatyouwant))
file.close()
def formatError(input):
if not isinstance(input, str):
return repr(input)
return input
|
def save_high(whatyouwant):
file = open('HighPriorityIssues.txt', 'a')
file.write(format_error(whatyouwant))
file.close()
def save_medium(whatyouwant):
file = open('MediumPriorityIssues.txt', 'a')
file.write(format_error(whatyouwant))
file.close()
def save_low(whatyouwant):
file = open('LowPriorityIssues.txt', 'a')
file.write(format_error(whatyouwant))
file.close()
def format_error(input):
if not isinstance(input, str):
return repr(input)
return input
|
#!/usr/bin/python3
def add(*matrices):
def check(data):
if data == 1:
return True
else:
raise ValueError
return [[sum(slice) for slice in zip(*row) if check(len(set(map(len, row))))]
for row in zip(*matrices) if check(len(set(map(len, matrices))))]
|
def add(*matrices):
def check(data):
if data == 1:
return True
else:
raise ValueError
return [[sum(slice) for slice in zip(*row) if check(len(set(map(len, row))))] for row in zip(*matrices) if check(len(set(map(len, matrices))))]
|
# By Websten from forums
#
# Given your birthday and the current date, calculate your age in days.
# Account for leap days.
#
# Assume that the birthday and current date are correct dates (and no
# time travel).
#
def daysBetweenDates(year1, month1, day1, year2, month2, day2):
daysOfMonths = [ 31, 28, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31, 0]
if isLeap(year1):
daysOfMonths[1] = 29
else:
daysOfMonths[1] = 28
if year1 == year2:
return (daysOfMonths[month1-1] - day1) + sum(daysOfMonths[month1:month2-1]) + day2
totalDays = 0
for year in range(year1, year2 + 1):
if isLeap(year):
daysOfMonths[1] = 29
else:
daysOfMonths[1] = 28
if year == year1:
totalDays += (daysOfMonths[month1-1] - day1) + sum(daysOfMonths[month1:])
elif year == year2:
totalDays += day2 + sum(daysOfMonths[:month2 - 1])
else:
totalDays += sum(daysOfMonths)
return totalDays
# Test routine
def isLeap(year):
return (year % 100 == 0 and year % 400 == 0 ) or (year % 4 == 0 and year % 100 != 0)
#if year % 4 == 0:
#if year % 100 == 0:
#if year % 400 == 0:
#return True
#else:
#return False
#return True
#return False
def test():
test_cases = [((2012,1,1,2012,2,28), 58),
((2012,1,1,2012,3,1), 60),
((2011,6,30,2012,6,30), 366),
((2011,1,1,2012,8,8), 585 ),
((1900,1,1,1999,12,31), 36523)]
for (args, answer) in test_cases:
result = daysBetweenDates(*args)
if result != answer:
print ("Test with data:", args, "failed")
else:
print ("Test case passed!")
#test()
print(daysBetweenDates(1973,7,28,2018,1,13))
|
def days_between_dates(year1, month1, day1, year2, month2, day2):
days_of_months = [31, 28, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31, 0]
if is_leap(year1):
daysOfMonths[1] = 29
else:
daysOfMonths[1] = 28
if year1 == year2:
return daysOfMonths[month1 - 1] - day1 + sum(daysOfMonths[month1:month2 - 1]) + day2
total_days = 0
for year in range(year1, year2 + 1):
if is_leap(year):
daysOfMonths[1] = 29
else:
daysOfMonths[1] = 28
if year == year1:
total_days += daysOfMonths[month1 - 1] - day1 + sum(daysOfMonths[month1:])
elif year == year2:
total_days += day2 + sum(daysOfMonths[:month2 - 1])
else:
total_days += sum(daysOfMonths)
return totalDays
def is_leap(year):
return year % 100 == 0 and year % 400 == 0 or (year % 4 == 0 and year % 100 != 0)
def test():
test_cases = [((2012, 1, 1, 2012, 2, 28), 58), ((2012, 1, 1, 2012, 3, 1), 60), ((2011, 6, 30, 2012, 6, 30), 366), ((2011, 1, 1, 2012, 8, 8), 585), ((1900, 1, 1, 1999, 12, 31), 36523)]
for (args, answer) in test_cases:
result = days_between_dates(*args)
if result != answer:
print('Test with data:', args, 'failed')
else:
print('Test case passed!')
print(days_between_dates(1973, 7, 28, 2018, 1, 13))
|
class HWriter(object):
def __init__(self):
self.__bIsNewLine = True # are we at a new line position?
self.__bHasContent = False # do we already have content in this line?
self.__allParts = []
self.__prefix = ""
self.__nIndent = 0
#
def incrementIndent(self):
self.__nIndent += 1
if self.__nIndent > len(self.__prefix):
self.__prefix += "\t"
#
def decrementIndent(self):
if self.__nIndent == 0:
raise Exception("Indentation error!")
self.__nIndent -= 1
#
def write(self, *items):
# print("write( " + repr(items) + " )")
if self.__bIsNewLine:
self.__bIsNewLine = False
for item in items:
if hasattr(type(item), "__iter__"):
for i in item:
if len(i) > 0:
if not self.__bHasContent:
self.__allParts.append(self.__prefix[:self.__nIndent])
self.__allParts.append(i)
self.__bHasContent = True
else:
if len(item) > 0:
if not self.__bHasContent:
self.__allParts.append(self.__prefix[:self.__nIndent])
self.__allParts.append(item)
self.__bHasContent = True
#
def writeLn(self, *items):
# print("writeLn( " + repr(items) + " )")
if self.__bIsNewLine:
self.__bIsNewLine = False
for item in items:
if hasattr(type(item), "__iter__"):
for i in item:
if len(i) > 0:
if not self.__bHasContent:
self.__allParts.append(self.__prefix[:self.__nIndent])
self.__allParts.append(i)
self.__bHasContent = True
else:
if len(item) > 0:
if not self.__bHasContent:
self.__allParts.append(self.__prefix[:self.__nIndent])
self.__allParts.append(item)
self.__bHasContent = True
self.lineBreak()
#
#
# Add a line break if (and only if) the last item was not a line break.
# Typically you won't want to use this method but <c>writeLn</c> instead.
# <c>writeLn</c> will add a line in any case.
#
def lineBreak(self):
if not self.__bIsNewLine:
self.__bHasContent = False
self.__allParts.append("\n")
self.__bIsNewLine = True
#
#
# Get a list of lines (without line breaks).
#
def getLines(self) -> list:
ret = []
iStart = 0
iMax = len(self.__allParts)
for i in range(0, iMax):
if self.__allParts[i] == "\n":
ret.append("".join(self.__allParts[iStart:i]))
iStart = i + 1
if iMax > iStart:
ret.append("".join(self.__allParts[iStart:]))
return ret
#
def toString(self) -> str:
self.lineBreak()
return "".join(self.__allParts)
#
def __str__(self):
self.lineBreak()
return "".join(self.__allParts)
#
def __repr__(self):
return "HWriter<" + str(len(self.__allParts)) + " parts>"
#
#
|
class Hwriter(object):
def __init__(self):
self.__bIsNewLine = True
self.__bHasContent = False
self.__allParts = []
self.__prefix = ''
self.__nIndent = 0
def increment_indent(self):
self.__nIndent += 1
if self.__nIndent > len(self.__prefix):
self.__prefix += '\t'
def decrement_indent(self):
if self.__nIndent == 0:
raise exception('Indentation error!')
self.__nIndent -= 1
def write(self, *items):
if self.__bIsNewLine:
self.__bIsNewLine = False
for item in items:
if hasattr(type(item), '__iter__'):
for i in item:
if len(i) > 0:
if not self.__bHasContent:
self.__allParts.append(self.__prefix[:self.__nIndent])
self.__allParts.append(i)
self.__bHasContent = True
elif len(item) > 0:
if not self.__bHasContent:
self.__allParts.append(self.__prefix[:self.__nIndent])
self.__allParts.append(item)
self.__bHasContent = True
def write_ln(self, *items):
if self.__bIsNewLine:
self.__bIsNewLine = False
for item in items:
if hasattr(type(item), '__iter__'):
for i in item:
if len(i) > 0:
if not self.__bHasContent:
self.__allParts.append(self.__prefix[:self.__nIndent])
self.__allParts.append(i)
self.__bHasContent = True
elif len(item) > 0:
if not self.__bHasContent:
self.__allParts.append(self.__prefix[:self.__nIndent])
self.__allParts.append(item)
self.__bHasContent = True
self.lineBreak()
def line_break(self):
if not self.__bIsNewLine:
self.__bHasContent = False
self.__allParts.append('\n')
self.__bIsNewLine = True
def get_lines(self) -> list:
ret = []
i_start = 0
i_max = len(self.__allParts)
for i in range(0, iMax):
if self.__allParts[i] == '\n':
ret.append(''.join(self.__allParts[iStart:i]))
i_start = i + 1
if iMax > iStart:
ret.append(''.join(self.__allParts[iStart:]))
return ret
def to_string(self) -> str:
self.lineBreak()
return ''.join(self.__allParts)
def __str__(self):
self.lineBreak()
return ''.join(self.__allParts)
def __repr__(self):
return 'HWriter<' + str(len(self.__allParts)) + ' parts>'
|
class Symbol:
def __init__(self, name):
self.name = name
def __hash__(self):
return hash(self.name)
def __eq__(self, other):
return self.name == other.name
class SymbolTable:
def __init__(self):
self._symbol_table = dict()
def put_symbol(self, symbol):
self._symbol_table[symbol] = 1
def get_symbol(self, symbol):
return self._symbol_table[symbol]
|
class Symbol:
def __init__(self, name):
self.name = name
def __hash__(self):
return hash(self.name)
def __eq__(self, other):
return self.name == other.name
class Symboltable:
def __init__(self):
self._symbol_table = dict()
def put_symbol(self, symbol):
self._symbol_table[symbol] = 1
def get_symbol(self, symbol):
return self._symbol_table[symbol]
|
#Max retorna o maior numero de um iteravel ou o maior de 2 ou mais elementos
#Min retorna o menor numero de um iteravel ou o menor de 2 ou mais elementos
lista=[9,5,2,1,4,5,3,6,21,5,4,55,0]
print(max(lista))
print(max(8,9,5,7,4,5,6))
dicionario={'a':0,'b':1,'f':51,'g':12,'q':5,'u':3,'d':2}
print(max(dicionario))
print(max(dicionario.values()))
print(min(lista))
print(min(8,9,5,7,4,5,6))
dicionario1={'a':0,'b':1,'f':51,'g':12,'q':5,'u':3,'d':2}
print(min(dicionario1))
print(min(dicionario1.values()))
nomes=['alexandre', 'maiure','joselito']
print(min(nomes)) #pela ordem alfabetica
print(max(nomes)) #pela ordem alfabetica
|
lista = [9, 5, 2, 1, 4, 5, 3, 6, 21, 5, 4, 55, 0]
print(max(lista))
print(max(8, 9, 5, 7, 4, 5, 6))
dicionario = {'a': 0, 'b': 1, 'f': 51, 'g': 12, 'q': 5, 'u': 3, 'd': 2}
print(max(dicionario))
print(max(dicionario.values()))
print(min(lista))
print(min(8, 9, 5, 7, 4, 5, 6))
dicionario1 = {'a': 0, 'b': 1, 'f': 51, 'g': 12, 'q': 5, 'u': 3, 'd': 2}
print(min(dicionario1))
print(min(dicionario1.values()))
nomes = ['alexandre', 'maiure', 'joselito']
print(min(nomes))
print(max(nomes))
|
# Input your Wi-Fi credentials here, if applicable, and rename to "secrets.py"
ssid = ''
wpa = ''
|
ssid = ''
wpa = ''
|
# To use this bot you need to set up the bot in here,
# You need to decide the prefix you want to use,
# and you need your Token and Application ID from
# the discord page where you manage your apps and bots.
# You need your User ID which you can get from the
# context menu on your name in discord under Copy ID.
# if you want to make more than 30 requests per hour to
# data.gov apis like nasa you will need to get an api key to
# replace "DEMO_KEY" below. The openweathermap (!wx),
# wolframalpha (!ask) and exchangerate-api.com apis need a
# free key from their websites to function.
# Add QRZ username and password for callsign lookup function
BOT_PREFIX = ("YOUR_BOT_PREFIX_HERE")
TOKEN = "YOUR_TOKEN_HERE"
APPLICATION_ID = "YOUR_APPLICATION_ID"
OWNERS = [123456789, 987654321]
DATA_GOV_API_KEY = "DEMO_KEY"
OPENWEATHER_API_KEY = "YOUR_API_KEY_HERE"
WOLFRAMALPHA_API_KEY = "YOUR_API_KEY_HERE"
EXCHANGERATE_API_KEY = "YOUR_API_KEY_HERE"
#QRZ_USERNAME = "YOUR_QRZ_USERNAME" #only used if using direct qrz access instead of qrmbot qrz
#QRZ_PASSWORD = "YOUR_QRZ_PASSWORD"
GOOGLEGEO_API_KEY = "YOUR_API_KEY_HERE"
WEBHOOK_URL = "https://webhookurl.here/"
APRS_FI_API_KEY = "YOUR_API_KEY_HERE"
APRS_FI_HTTP_AGENT = "lidbot/current (+https://github.com/vk3dan/sturdy-lidbot)"
BLACKLIST = []
# Default cogs that I use in the bot at the moment
STARTUP_COGS = [
"cogs.general", "cogs.help", "cogs.owner", "cogs.ham", "cogs.gonkphone"
]
|
bot_prefix = 'YOUR_BOT_PREFIX_HERE'
token = 'YOUR_TOKEN_HERE'
application_id = 'YOUR_APPLICATION_ID'
owners = [123456789, 987654321]
data_gov_api_key = 'DEMO_KEY'
openweather_api_key = 'YOUR_API_KEY_HERE'
wolframalpha_api_key = 'YOUR_API_KEY_HERE'
exchangerate_api_key = 'YOUR_API_KEY_HERE'
googlegeo_api_key = 'YOUR_API_KEY_HERE'
webhook_url = 'https://webhookurl.here/'
aprs_fi_api_key = 'YOUR_API_KEY_HERE'
aprs_fi_http_agent = 'lidbot/current (+https://github.com/vk3dan/sturdy-lidbot)'
blacklist = []
startup_cogs = ['cogs.general', 'cogs.help', 'cogs.owner', 'cogs.ham', 'cogs.gonkphone']
|
# Constants
VERSION = '2.0'
STATUS_GREY = 'lair-grey'
STATUS_BLUE = 'lair-blue'
STATUS_GREEN = 'lair-greeen'
STATUS_ORANGE = 'lair-orange'
STATUS_RED = 'lair-red'
STATUS_MAP = [STATUS_GREY, STATUS_BLUE, STATUS_GREEN, STATUS_ORANGE, STATUS_RED]
PROTOCOL_TCP = 'tcp'
PROTOCOL_UDP = 'udp'
PROTOCOL_ICMP = 'icmp'
PRODUCT_UNKNOWN = 'unknown'
SERVICE_UNKNOWN = 'unknown'
RATING_HIGH = 'high'
RATING_MEDIUM = 'medium'
RATING_LOW = 'low'
# Main dictionary used to relate all data
project = {
'_id': '',
'name': '',
'industry': '',
'createdAt': '',
'description': '',
'owner': '',
'contributors': [], # List of strings
'commands': [], # List of 'command' items
'notes': [], # List of 'note' items
'droneLog': [], # List of strings
'tool': '',
'hosts': [], # List of 'host' items
'issues': [], # List of 'issue' items
'authInterfaces': [], # List of 'auth_interface' items
'netblocks': [], # List of 'netblock' items
'people': [], # List of 'person' items
'credentials': [] # List of 'credential' items
}
# Represents a single host
host = {
'_id': '',
'projectId': '',
'longIpv4Addr': 0, # Integer version of IP address
'ipv4': '',
'mac': '',
'hostnames': [], # List of strings
'os': dict(), # 'os' item
'notes': [], # List of 'note' items
'statusMessage': '', # Used to label host in Lair, can be arbitrary
'tags': [], # List of strings
'status': '', # See the STATUS_* constants for allowable strings
'lastModifiedBy': '',
'isFlagged': False,
'files': [], # List of 'file' items
'webDirectories': [], # List of 'web_directory' items
'services': [] # List of 'service' items
}
# Represents a single service/port
service = {
'_id': '',
'projectId': '',
'hostId': '',
'port': 0,
'protocol': PROTOCOL_TCP, # See the PROTOCOL_* constants for allowable strings
'service': '',
'product': '',
'status': '', # See the STATUS_* constants for allowable strings
'isFlagged': False,
'lastModifiedBy': '',
'notes': [], # List of 'note' items
'files': [], # List of 'file' items
}
# Represents a single issue
issue = {
'_id': '',
'projectId': '',
'title': '',
'cvss': 0.0,
'rating': '', # See the RATING_* constants for allowable strings
'isConfirmed': False,
'description': '',
'evidence': '',
'solution': '',
'hosts': [], # List of 'issue_host' items
'pluginIds': [], # List of 'plugin_id' items
'cves': [], # List of strings
'references': [], # List of 'issue_reference' items
'identifiedBy': dict(), # 'identified_by' object
'isFlagged': False,
'status': '', # See the STATUS_* constants for allowable strings
'lastModifiedBy': '',
'notes': [], # List of 'note' items
'files': [] # List of 'file' items
}
# Represents an authentication interface
auth_interface = {
'_id': '',
'projectId': '',
'isMultifactor': False,
'kind': '', # What type of interface (e.g. Cisco, Juniper)
'url': '',
'description': ''
}
# Represents a single netblock
netblock = {
'_id': '',
'projectId': '',
'asn': '',
'asnCountryCode': '',
'asnCidr': '',
'asnDate': '',
'asnRegistry': '',
'cidr': '',
'abuseEmails': '',
'miscEmails': '',
'techEmails': '',
'name': '',
'address': '',
'city': '',
'state': '',
'country': '',
'postalCode': '',
'created': '',
'updated': '',
'description': '',
'handle': ''
}
# Represents a single person
person = {
'_id': '',
'projectId': '',
'principalName': '',
'samAccountName': '',
'distinguishedName': '',
'firstName': '',
'middleName': '',
'lastName': '',
'displayName': '',
'department': '',
'description': '',
'address': '',
'emails': [], # List of strings
'phones': [], # List of strings
'references': [], # List of 'person_reference' items
'groups': [], # List of strings
'lastLogon': '',
'lastLogoff': '',
'loggedIn': [] # List of strings
}
# Represents a single credentials
credential = {
'_id': '',
'projectId': '',
'username': '',
'password': '',
'format': '',
'hash': '',
'host': '', # Free-form value of host
'service': '' # Free-form value of service
}
# Represents an operating system
os = {
'tool': '',
'weight': 0, # Confidence level between 0-100
'fingerprint': 'unknown'
}
# Represents a web directory
web_directory = {
'_id': '',
'projectId': '',
'hostId': '',
'path': '',
'port': 0,
'responseCode': '404', # String version of HTTP response code.
'lastModifiedBy': '',
'isFlagged': False
}
# Dictionary used to represent a specific command run by a tool
command = {
'tool': '',
'command': ''
}
# Dictionariy used to represent a note.
note = {
'title': '',
'content': '',
'lastModifiedBy': ''
}
# Represents a file object
file = {
'fileName': '',
'url': ''
}
# Represents a reference to a host. Used for correlating an issue
# to a specific host.
issue_host = {
'ipv4': '',
'port': 0,
'protocol': PROTOCOL_TCP # See PROTOCOL_* constants for allowable values
}
# Represents a plugin (a unique identifier for a specific tool)
plugin_id = {
'tool': '',
'id': ''
}
# Represents a reference to a 3rd party site that contains issue details
issue_reference = {
'link': '', # Target URL
'name': '' # Link display
}
# Represents the tool that identified a specific issue
identified_by = {
'tool': ''
}
# Represents a reference from a person to a third party site
person_reference = {
'description': '',
'username': '',
'link': '' # Target URL
}
|
version = '2.0'
status_grey = 'lair-grey'
status_blue = 'lair-blue'
status_green = 'lair-greeen'
status_orange = 'lair-orange'
status_red = 'lair-red'
status_map = [STATUS_GREY, STATUS_BLUE, STATUS_GREEN, STATUS_ORANGE, STATUS_RED]
protocol_tcp = 'tcp'
protocol_udp = 'udp'
protocol_icmp = 'icmp'
product_unknown = 'unknown'
service_unknown = 'unknown'
rating_high = 'high'
rating_medium = 'medium'
rating_low = 'low'
project = {'_id': '', 'name': '', 'industry': '', 'createdAt': '', 'description': '', 'owner': '', 'contributors': [], 'commands': [], 'notes': [], 'droneLog': [], 'tool': '', 'hosts': [], 'issues': [], 'authInterfaces': [], 'netblocks': [], 'people': [], 'credentials': []}
host = {'_id': '', 'projectId': '', 'longIpv4Addr': 0, 'ipv4': '', 'mac': '', 'hostnames': [], 'os': dict(), 'notes': [], 'statusMessage': '', 'tags': [], 'status': '', 'lastModifiedBy': '', 'isFlagged': False, 'files': [], 'webDirectories': [], 'services': []}
service = {'_id': '', 'projectId': '', 'hostId': '', 'port': 0, 'protocol': PROTOCOL_TCP, 'service': '', 'product': '', 'status': '', 'isFlagged': False, 'lastModifiedBy': '', 'notes': [], 'files': []}
issue = {'_id': '', 'projectId': '', 'title': '', 'cvss': 0.0, 'rating': '', 'isConfirmed': False, 'description': '', 'evidence': '', 'solution': '', 'hosts': [], 'pluginIds': [], 'cves': [], 'references': [], 'identifiedBy': dict(), 'isFlagged': False, 'status': '', 'lastModifiedBy': '', 'notes': [], 'files': []}
auth_interface = {'_id': '', 'projectId': '', 'isMultifactor': False, 'kind': '', 'url': '', 'description': ''}
netblock = {'_id': '', 'projectId': '', 'asn': '', 'asnCountryCode': '', 'asnCidr': '', 'asnDate': '', 'asnRegistry': '', 'cidr': '', 'abuseEmails': '', 'miscEmails': '', 'techEmails': '', 'name': '', 'address': '', 'city': '', 'state': '', 'country': '', 'postalCode': '', 'created': '', 'updated': '', 'description': '', 'handle': ''}
person = {'_id': '', 'projectId': '', 'principalName': '', 'samAccountName': '', 'distinguishedName': '', 'firstName': '', 'middleName': '', 'lastName': '', 'displayName': '', 'department': '', 'description': '', 'address': '', 'emails': [], 'phones': [], 'references': [], 'groups': [], 'lastLogon': '', 'lastLogoff': '', 'loggedIn': []}
credential = {'_id': '', 'projectId': '', 'username': '', 'password': '', 'format': '', 'hash': '', 'host': '', 'service': ''}
os = {'tool': '', 'weight': 0, 'fingerprint': 'unknown'}
web_directory = {'_id': '', 'projectId': '', 'hostId': '', 'path': '', 'port': 0, 'responseCode': '404', 'lastModifiedBy': '', 'isFlagged': False}
command = {'tool': '', 'command': ''}
note = {'title': '', 'content': '', 'lastModifiedBy': ''}
file = {'fileName': '', 'url': ''}
issue_host = {'ipv4': '', 'port': 0, 'protocol': PROTOCOL_TCP}
plugin_id = {'tool': '', 'id': ''}
issue_reference = {'link': '', 'name': ''}
identified_by = {'tool': ''}
person_reference = {'description': '', 'username': '', 'link': ''}
|
#!/usr/bin/env python3
# https://codeforces.com/problemset/problem/996/A
total = int(input())
bills = [100,20,10,5,1]
nob = 0
for b in bills:
nob += total//b
total = total%b
if total == 0:
break
print(nob)
|
total = int(input())
bills = [100, 20, 10, 5, 1]
nob = 0
for b in bills:
nob += total // b
total = total % b
if total == 0:
break
print(nob)
|
# Copyright (c) 2020 Anastasiia Birillo
class VkCity:
def __init__(self, data: dict) -> None:
self.id = data['id']
self.title = data.get('title')
def __str__(self):
return f"[{', '.join(map(lambda key: f'{key}={self.__dict__[key]}', self.__dict__))}]"
class VkUser:
def __init__(self, data: dict) -> None:
self.id = data['id']
self.first_name = data.get('first_name')
self.last_name = data.get('last_name')
self.sex = data.get('sex')
self.domain = data.get('domain')
self.city = data.get('about')
self.city = VkCity(data.get('city')) if data.get('city') is not None else None
def __str__(self):
return f"[{', '.join(map(lambda key: f'{key}={self.__dict__[key]}', self.__dict__))}]"
|
class Vkcity:
def __init__(self, data: dict) -> None:
self.id = data['id']
self.title = data.get('title')
def __str__(self):
return f"[{', '.join(map(lambda key: f'{key}={self.__dict__[key]}', self.__dict__))}]"
class Vkuser:
def __init__(self, data: dict) -> None:
self.id = data['id']
self.first_name = data.get('first_name')
self.last_name = data.get('last_name')
self.sex = data.get('sex')
self.domain = data.get('domain')
self.city = data.get('about')
self.city = vk_city(data.get('city')) if data.get('city') is not None else None
def __str__(self):
return f"[{', '.join(map(lambda key: f'{key}={self.__dict__[key]}', self.__dict__))}]"
|
GENDER_VALUES = (('M', 'Male'),
('F', 'Female'),
('TG', 'Transgender'))
MARITAL_STATUS_VALUES = (('M', 'Married'),
('S', 'Single'),
('U', 'Unknown'))
CATEGORY_VALUES = (('BR', 'Bramhachari'),
('FTT', 'Full Time Teacher'),
('PTT', 'Part Time Teacher'),
('FTV', 'Full Time Volunteer'),
('VOL', 'Volunteer'),
('STAFF', 'Staff'),
('SEV', 'Sevadhar'))
STATUS_VALUES = (('ACTV', 'Active'),
('INACTV', 'Inactive'),
('EXPD', 'Deceased'))
ID_PROOF_VALUES = (('DL', 'Driving License'),
('PP', 'Passport'),
('RC', 'Ration Card'),
('VC', 'Voters ID'),
('AA', 'Aadhaar'),
('PC', 'PAN Card'),
('OT', 'Other Government Issued'))
ROLE_LEVEL_CHOICES = (('ZO', 'Zone'),
('SC', 'Sector'),
('CE', 'Center'),)
NOTE_TYPE_VALUES = (('IN', 'Information Note'),
('SC', 'Status Change'),
('CN', 'Critical Note'),
('MN', 'Medical Note'),
)
ADDRESS_TYPE_VALUES = (('WO', 'Work'),
('HO', 'Home'))
CENTER_CATEGORY_VALUES = (('A', 'A Center'),
('B', 'B Center'),
('C', 'C Center'),)
|
gender_values = (('M', 'Male'), ('F', 'Female'), ('TG', 'Transgender'))
marital_status_values = (('M', 'Married'), ('S', 'Single'), ('U', 'Unknown'))
category_values = (('BR', 'Bramhachari'), ('FTT', 'Full Time Teacher'), ('PTT', 'Part Time Teacher'), ('FTV', 'Full Time Volunteer'), ('VOL', 'Volunteer'), ('STAFF', 'Staff'), ('SEV', 'Sevadhar'))
status_values = (('ACTV', 'Active'), ('INACTV', 'Inactive'), ('EXPD', 'Deceased'))
id_proof_values = (('DL', 'Driving License'), ('PP', 'Passport'), ('RC', 'Ration Card'), ('VC', 'Voters ID'), ('AA', 'Aadhaar'), ('PC', 'PAN Card'), ('OT', 'Other Government Issued'))
role_level_choices = (('ZO', 'Zone'), ('SC', 'Sector'), ('CE', 'Center'))
note_type_values = (('IN', 'Information Note'), ('SC', 'Status Change'), ('CN', 'Critical Note'), ('MN', 'Medical Note'))
address_type_values = (('WO', 'Work'), ('HO', 'Home'))
center_category_values = (('A', 'A Center'), ('B', 'B Center'), ('C', 'C Center'))
|
def solution(S):
# write your code in Python 3.6
if not S:
return 1
stack = []
for s in S:
if s == '(':
stack.append(s)
else:
if not stack:
return 0
else:
stack.pop()
if stack:
return 0
return 1
|
def solution(S):
if not S:
return 1
stack = []
for s in S:
if s == '(':
stack.append(s)
elif not stack:
return 0
else:
stack.pop()
if stack:
return 0
return 1
|
class DistributionDiscriminator:
def __init__(self, dataset=None, extractor=None, criterion=None, **kwargs):
super().__init__(**kwargs)
self.dataset = dataset
self.extractor = extractor
self.criterion = criterion
def judge(self, samples):
return self.extractor.extract(samples)
def compare(self, features, dataset):
raise NotImplementedError
|
class Distributiondiscriminator:
def __init__(self, dataset=None, extractor=None, criterion=None, **kwargs):
super().__init__(**kwargs)
self.dataset = dataset
self.extractor = extractor
self.criterion = criterion
def judge(self, samples):
return self.extractor.extract(samples)
def compare(self, features, dataset):
raise NotImplementedError
|
class Solution:
def stack(self, s: str) -> list:
st = []
for x in s:
if x == '#':
if len(st) != 0:
st.pop()
continue
st.append(x)
return st
def backspaceCompare(self, S: str, T: str) -> bool:
s = self.stack(S)
t = self.stack(T)
if len(s) != len(t):
return False
for i, c in enumerate(s):
if c != t[i]:
return False
return True
|
class Solution:
def stack(self, s: str) -> list:
st = []
for x in s:
if x == '#':
if len(st) != 0:
st.pop()
continue
st.append(x)
return st
def backspace_compare(self, S: str, T: str) -> bool:
s = self.stack(S)
t = self.stack(T)
if len(s) != len(t):
return False
for (i, c) in enumerate(s):
if c != t[i]:
return False
return True
|
connections = {}
connections["Joj"] = []
connections["Emily"] = ["Joj","Jeph","Jeff"]
connections["Jeph"] = ["Joj","Geoff"]
connections["Jeff"] = ["Joj","Judge"]
connections["Geoff"] = ["Joj","Jebb"]
connections["Jebb"] = ["Joj","Emily"]
connections["Judge"] = ["Joj","Judy"]
connections["Jodge"] = ["Joj","Jebb","Stephan","Judy"]
connections["Judy"] = ["Joj","Judge"]
connections["Stephan"] = ["Joj","Jodge"]
names = ["Emily","Jeph","Jeff","Geoff","Jebb","Judge","Jodge","Judy", "Joj","Stephan"]
candidate = names[0]
for i in range(1, len(names)):
if names[i] in connections[candidate]:
candidate = names[i]
print("Our best candidate is {0}".format(candidate))
for name in names:
if name != candidate and name in connections[candidate]:
print("The candidate is a lie!")
exit()
elif name != candidate and candidate not in connections[name]:
print("The candidate is a lie, they are not known by somebody!")
exit()
print("We made it to the end, the celebrity is the real deal.")
|
connections = {}
connections['Joj'] = []
connections['Emily'] = ['Joj', 'Jeph', 'Jeff']
connections['Jeph'] = ['Joj', 'Geoff']
connections['Jeff'] = ['Joj', 'Judge']
connections['Geoff'] = ['Joj', 'Jebb']
connections['Jebb'] = ['Joj', 'Emily']
connections['Judge'] = ['Joj', 'Judy']
connections['Jodge'] = ['Joj', 'Jebb', 'Stephan', 'Judy']
connections['Judy'] = ['Joj', 'Judge']
connections['Stephan'] = ['Joj', 'Jodge']
names = ['Emily', 'Jeph', 'Jeff', 'Geoff', 'Jebb', 'Judge', 'Jodge', 'Judy', 'Joj', 'Stephan']
candidate = names[0]
for i in range(1, len(names)):
if names[i] in connections[candidate]:
candidate = names[i]
print('Our best candidate is {0}'.format(candidate))
for name in names:
if name != candidate and name in connections[candidate]:
print('The candidate is a lie!')
exit()
elif name != candidate and candidate not in connections[name]:
print('The candidate is a lie, they are not known by somebody!')
exit()
print('We made it to the end, the celebrity is the real deal.')
|
class Constants:
def __init__(self):
pass
SIMPLE_CONFIG_DIR = "/etc/simple_grid"
GIT_PKG_NAME = "git"
DOCKER_PKG_NAME = "docker"
BOLT_PKG_NAME = "bolt"
|
class Constants:
def __init__(self):
pass
simple_config_dir = '/etc/simple_grid'
git_pkg_name = 'git'
docker_pkg_name = 'docker'
bolt_pkg_name = 'bolt'
|
class Solution:
def longestPrefix(self, s: str) -> str:
pi = [0]*len(s)
for i in range(1, len(s)):
k = pi[i-1]
while k > 0 and s[i] != s[k]:
k = pi[k-1]
if s[i] == s[k]:
k += 1
pi[i] = k
print('pi is: ', pi)
return s[len(s)-pi[-1]:]
# i, j = 1, 0
# table = [0]
# while i < len(s):
# while j and s[i] != s[j]:
# j = table[j-1]
# if s[i] == s[j]:
# j += 1
# table.append(j+1)
# else:
# table.append(0)
# j = 0
# i += 1
# print('table: ', table)
# return s[len(s) - table[-1]]
|
class Solution:
def longest_prefix(self, s: str) -> str:
pi = [0] * len(s)
for i in range(1, len(s)):
k = pi[i - 1]
while k > 0 and s[i] != s[k]:
k = pi[k - 1]
if s[i] == s[k]:
k += 1
pi[i] = k
print('pi is: ', pi)
return s[len(s) - pi[-1]:]
|
def _update_doc_distribution(
X,
exp_topic_word_distr,
doc_topic_prior,
max_doc_update_iter,
mean_change_tol,
cal_sstats,
random_state,
):
is_sparse_x = sp.issparse(X)
n_samples, n_features = X.shape
n_topics = exp_topic_word_distr.shape[0]
if random_state:
doc_topic_distr = random_state.gamma(100.0, 0.01, (n_samples, n_topics))
else:
doc_topic_distr = np.ones((n_samples, n_topics))
# In the literature, this is `exp(E[log(theta)])`
exp_doc_topic = np.exp(_dirichlet_expectation_2d(doc_topic_distr))
# diff on `component_` (only calculate it when `cal_diff` is True)
suff_stats = np.zeros(exp_topic_word_distr.shape) if cal_sstats else None
if is_sparse_x:
X_data = X.data
X_indices = X.indices
X_indptr = X.indptr
for idx_d in range(n_samples):
if is_sparse_x:
ids = X_indices[X_indptr[idx_d] : X_indptr[idx_d + 1]]
cnts = X_data[X_indptr[idx_d] : X_indptr[idx_d + 1]]
else:
ids = np.nonzero(X[idx_d, :])[0]
cnts = X[idx_d, ids]
doc_topic_d = doc_topic_distr[idx_d, :]
# The next one is a copy, since the inner loop overwrites it.
exp_doc_topic_d = exp_doc_topic[idx_d, :].copy()
exp_topic_word_d = exp_topic_word_distr[:, ids]
# Iterate between `doc_topic_d` and `norm_phi` until convergence
for _ in range(0, max_doc_update_iter):
last_d = doc_topic_d
# The optimal phi_{dwk} is proportional to
# exp(E[log(theta_{dk})]) * exp(E[log(beta_{dw})]).
norm_phi = np.dot(exp_doc_topic_d, exp_topic_word_d) + EPS
doc_topic_d = exp_doc_topic_d * np.dot(cnts / norm_phi, exp_topic_word_d.T)
# Note: adds doc_topic_prior to doc_topic_d, in-place.
_dirichlet_expectation_1d(doc_topic_d, doc_topic_prior, exp_doc_topic_d)
if mean_change(last_d, doc_topic_d) < mean_change_tol:
break
doc_topic_distr[idx_d, :] = doc_topic_d
# Contribution of document d to the expected sufficient
# statistics for the M step.
if cal_sstats:
norm_phi = np.dot(exp_doc_topic_d, exp_topic_word_d) + EPS
suff_stats[:, ids] += np.outer(exp_doc_topic_d, cnts / norm_phi)
|
def _update_doc_distribution(X, exp_topic_word_distr, doc_topic_prior, max_doc_update_iter, mean_change_tol, cal_sstats, random_state):
is_sparse_x = sp.issparse(X)
(n_samples, n_features) = X.shape
n_topics = exp_topic_word_distr.shape[0]
if random_state:
doc_topic_distr = random_state.gamma(100.0, 0.01, (n_samples, n_topics))
else:
doc_topic_distr = np.ones((n_samples, n_topics))
exp_doc_topic = np.exp(_dirichlet_expectation_2d(doc_topic_distr))
suff_stats = np.zeros(exp_topic_word_distr.shape) if cal_sstats else None
if is_sparse_x:
x_data = X.data
x_indices = X.indices
x_indptr = X.indptr
for idx_d in range(n_samples):
if is_sparse_x:
ids = X_indices[X_indptr[idx_d]:X_indptr[idx_d + 1]]
cnts = X_data[X_indptr[idx_d]:X_indptr[idx_d + 1]]
else:
ids = np.nonzero(X[idx_d, :])[0]
cnts = X[idx_d, ids]
doc_topic_d = doc_topic_distr[idx_d, :]
exp_doc_topic_d = exp_doc_topic[idx_d, :].copy()
exp_topic_word_d = exp_topic_word_distr[:, ids]
for _ in range(0, max_doc_update_iter):
last_d = doc_topic_d
norm_phi = np.dot(exp_doc_topic_d, exp_topic_word_d) + EPS
doc_topic_d = exp_doc_topic_d * np.dot(cnts / norm_phi, exp_topic_word_d.T)
_dirichlet_expectation_1d(doc_topic_d, doc_topic_prior, exp_doc_topic_d)
if mean_change(last_d, doc_topic_d) < mean_change_tol:
break
doc_topic_distr[idx_d, :] = doc_topic_d
if cal_sstats:
norm_phi = np.dot(exp_doc_topic_d, exp_topic_word_d) + EPS
suff_stats[:, ids] += np.outer(exp_doc_topic_d, cnts / norm_phi)
|
def read_convert(input: str) -> list:
dict_list = []
input = input.split("__::__")
for lines in input:
line_dict = {}
line = lines.split("__$$__")
for l in line:
dict_value = l.split("__=__")
key = dict_value[0]
if len(dict_value) == 1:
value = ""
else:
value = dict_value[1]
line_dict[key] = value
dict_list.append(line_dict)
return dict_list
def write_convert(input: list) -> str:
output_str = ""
for dicts in input:
for key, value in dicts.items():
output_str = output_str + key + "__=__" + value
output_str = output_str + "__$$__"
output_str = output_str[:len(output_str) - 6]
output_str = output_str + "__::__"
output_str = output_str[:len(output_str) - 6]
return output_str
if __name__ == "__main__":
loans = "Processor__=____$$__Loan_Number__=__2501507794__$$__Underwriter__=____$$__Borrower__=__CREDCO,BARRY__$$__Purpose__=__Construction/Perm__$$__Loan_Type__=__Conventional-Conf__$$__Est_Closing_Date__=__2020-09-25 00:00:00__$$__Program__=__One Close Construction Conf__$$__processor_manager__=__No contact selected__$$__underwriter_manager__=__No contact selected__$$__e_consent__=____$$__processor_note__=____$$__investor_category__=__PPB__$$__risk_level__=__3__$$__sample_status__=____$$__rush_status__=____$$__type__=__New__$$__sampled_date__=__2021-03-25 12:21:58.0__$$__update_date__=__2021-03-25 12:21:58.0__$$____::__Processor__=__Carmen Medrano__$$__Loan_Number__=__2501666460__$$__Underwriter__=__Erica Lopes__$$__Borrower__=__Credco,Barry__$$__Purpose__=__Purchase__$$__Loan_Type__=__Conventional-Conf__$$__Est_Closing_Date__=__2021-03-29 00:00:00__$$__Program__=__Conf__$$__processor_manager__=__No contact selected__$$__underwriter_manager__=__Joy Swift-Greiff__$$__e_consent__=____$$__processor_note__=____$$__investor_category__=__PCB__$$__risk_level__=__1__$$__sample_status__=____$$__rush_status__=____$$__type__=__New__$$__sampled_date__=__2021-03-25 12:21:58.0__$$__update_date__=__2021-03-25 12:21:58.0__::__Processor__=____$$__Loan_Number__=__2501679729__$$__Underwriter__=____$$__Borrower__=__Credco,Barry__$$__Purpose__=__Refinance__$$__Loan_Type__=__Conventional-Conf__$$__Est_Closing_Date__=__2021-04-24 00:00:00__$$__Program__=__BMO Harris ReadyLine Conf__$$__processor_manager__=__No contact selected__$$__underwriter_manager__=__No contact selected__$$__e_consent__=____$$__processor_note__=____$$__investor_category__=__SMU__$$__risk_level__=__1__$$__sample_status__=____$$__rush_status__=____$$__type__=__New__$$__sampled_date__=__2021-03-25 12:21:58.0__$$__update_date__=__2021-03-25 12:21:58.0__::__Processor__=____$$__Loan_Number__=__2501682907__$$__Underwriter__=____$$__Borrower__=__Firstimer,Alice__$$__Purpose__=__Purchase__$$__Loan_Type__=__Conventional-Conf__$$__Est_Closing_Date__=__2021-05-01 00:00:00__$$__Program__=__BMO Harris ReadyLine Conf__$$__processor_manager__=__No contact selected__$$__underwriter_manager__=__No contact selected__$$__e_consent__=____$$__processor_note__=____$$__investor_category__=__PCB__$$__risk_level__=__1__$$__sample_status__=____$$__rush_status__=____$$__type__=__New__$$__sampled_date__=__2021-03-25 12:21:58.0__$$__update_date__=__2021-03-25 12:21:58.0__::__Processor__=__Carmen Medrano__$$__Loan_Number__=__2501682635__$$__Underwriter__=____$$__Borrower__=__Credco,Barry__$$__Purpose__=__Purchase__$$__Loan_Type__=__Conventional-Conf__$$__Est_Closing_Date__=__2021-04-30 00:00:00__$$__Program__=__Conf__$$__processor_manager__=__No contact selected__$$__underwriter_manager__=__No contact selected__$$__e_consent__=____$$__processor_note__=____$$__investor_category__=__SMU__$$__risk_level__=__1__$$__sample_status__=____$$__rush_status__=____$$__type__=__New__$$__sampled_date__=__2021-03-25 12:21:58.0__$$__update_date__=__2021-03-25 12:21:58.0"
dicts = read_convert(loans)
outputstr = write_convert(dicts)
converted = read_convert(outputstr)
print(dicts == converted)
|
def read_convert(input: str) -> list:
dict_list = []
input = input.split('__::__')
for lines in input:
line_dict = {}
line = lines.split('__$$__')
for l in line:
dict_value = l.split('__=__')
key = dict_value[0]
if len(dict_value) == 1:
value = ''
else:
value = dict_value[1]
line_dict[key] = value
dict_list.append(line_dict)
return dict_list
def write_convert(input: list) -> str:
output_str = ''
for dicts in input:
for (key, value) in dicts.items():
output_str = output_str + key + '__=__' + value
output_str = output_str + '__$$__'
output_str = output_str[:len(output_str) - 6]
output_str = output_str + '__::__'
output_str = output_str[:len(output_str) - 6]
return output_str
if __name__ == '__main__':
loans = 'Processor__=____$$__Loan_Number__=__2501507794__$$__Underwriter__=____$$__Borrower__=__CREDCO,BARRY__$$__Purpose__=__Construction/Perm__$$__Loan_Type__=__Conventional-Conf__$$__Est_Closing_Date__=__2020-09-25 00:00:00__$$__Program__=__One Close Construction Conf__$$__processor_manager__=__No contact selected__$$__underwriter_manager__=__No contact selected__$$__e_consent__=____$$__processor_note__=____$$__investor_category__=__PPB__$$__risk_level__=__3__$$__sample_status__=____$$__rush_status__=____$$__type__=__New__$$__sampled_date__=__2021-03-25 12:21:58.0__$$__update_date__=__2021-03-25 12:21:58.0__$$____::__Processor__=__Carmen Medrano__$$__Loan_Number__=__2501666460__$$__Underwriter__=__Erica Lopes__$$__Borrower__=__Credco,Barry__$$__Purpose__=__Purchase__$$__Loan_Type__=__Conventional-Conf__$$__Est_Closing_Date__=__2021-03-29 00:00:00__$$__Program__=__Conf__$$__processor_manager__=__No contact selected__$$__underwriter_manager__=__Joy Swift-Greiff__$$__e_consent__=____$$__processor_note__=____$$__investor_category__=__PCB__$$__risk_level__=__1__$$__sample_status__=____$$__rush_status__=____$$__type__=__New__$$__sampled_date__=__2021-03-25 12:21:58.0__$$__update_date__=__2021-03-25 12:21:58.0__::__Processor__=____$$__Loan_Number__=__2501679729__$$__Underwriter__=____$$__Borrower__=__Credco,Barry__$$__Purpose__=__Refinance__$$__Loan_Type__=__Conventional-Conf__$$__Est_Closing_Date__=__2021-04-24 00:00:00__$$__Program__=__BMO Harris ReadyLine Conf__$$__processor_manager__=__No contact selected__$$__underwriter_manager__=__No contact selected__$$__e_consent__=____$$__processor_note__=____$$__investor_category__=__SMU__$$__risk_level__=__1__$$__sample_status__=____$$__rush_status__=____$$__type__=__New__$$__sampled_date__=__2021-03-25 12:21:58.0__$$__update_date__=__2021-03-25 12:21:58.0__::__Processor__=____$$__Loan_Number__=__2501682907__$$__Underwriter__=____$$__Borrower__=__Firstimer,Alice__$$__Purpose__=__Purchase__$$__Loan_Type__=__Conventional-Conf__$$__Est_Closing_Date__=__2021-05-01 00:00:00__$$__Program__=__BMO Harris ReadyLine Conf__$$__processor_manager__=__No contact selected__$$__underwriter_manager__=__No contact selected__$$__e_consent__=____$$__processor_note__=____$$__investor_category__=__PCB__$$__risk_level__=__1__$$__sample_status__=____$$__rush_status__=____$$__type__=__New__$$__sampled_date__=__2021-03-25 12:21:58.0__$$__update_date__=__2021-03-25 12:21:58.0__::__Processor__=__Carmen Medrano__$$__Loan_Number__=__2501682635__$$__Underwriter__=____$$__Borrower__=__Credco,Barry__$$__Purpose__=__Purchase__$$__Loan_Type__=__Conventional-Conf__$$__Est_Closing_Date__=__2021-04-30 00:00:00__$$__Program__=__Conf__$$__processor_manager__=__No contact selected__$$__underwriter_manager__=__No contact selected__$$__e_consent__=____$$__processor_note__=____$$__investor_category__=__SMU__$$__risk_level__=__1__$$__sample_status__=____$$__rush_status__=____$$__type__=__New__$$__sampled_date__=__2021-03-25 12:21:58.0__$$__update_date__=__2021-03-25 12:21:58.0'
dicts = read_convert(loans)
outputstr = write_convert(dicts)
converted = read_convert(outputstr)
print(dicts == converted)
|
# Definition for a binary tree node.
# class TreeNode:
# def __init__(self, x):
# self.val = x
# self.left = None
# self.right = None
class Solution:
# @param {TreeNode} root
# @return {integer[]}
def preorderTraversal(self, root):
self.preorder = []
self.traverse(root)
return self.preorder
def traverse(self, root):
if root:
self.preorder.append(root.val)
self.traverse(root.left)
self.traverse(root.right)
|
class Solution:
def preorder_traversal(self, root):
self.preorder = []
self.traverse(root)
return self.preorder
def traverse(self, root):
if root:
self.preorder.append(root.val)
self.traverse(root.left)
self.traverse(root.right)
|
# AUTOGENERATED BY NBDEV! DO NOT EDIT!
__all__ = ["index", "modules", "custom_doc_links", "git_url"]
index = {"websites_url": "01-training-data.ipynb",
"m": "01-training-data.ipynb",
"piece_dirs": "01-training-data.ipynb",
"assert_coord": "01-training-data.ipynb",
"Board": "01-training-data.ipynb",
"Boards": "01-training-data.ipynb",
"boards": "01-training-data.ipynb",
"PieceSet": "01-training-data.ipynb",
"PieceSets": "01-training-data.ipynb",
"pieces": "01-training-data.ipynb",
"FEN": "01-training-data.ipynb",
"FENs": "01-training-data.ipynb",
"fens": "01-training-data.ipynb",
"pgn_url": "01-training-data.ipynb",
"pgn": "01-training-data.ipynb",
"small": "01-training-data.ipynb",
"GameBoard": "01-training-data.ipynb",
"sites": "01-training-data.ipynb",
"FileNamer": "01-training-data.ipynb",
"Render": "01-training-data.ipynb",
"NoLabelBBoxLabeler": "03-learner.ipynb",
"BBoxTruth": "03-learner.ipynb",
"iou": "03-learner.ipynb",
"NoLabelBBoxBlock": "03-learner.ipynb",
"Coord": "95-piece-classifier.ipynb",
"CropBox": "95-piece-classifier.ipynb",
"Color": "95-piece-classifier.ipynb",
"Piece": "95-piece-classifier.ipynb",
"BoardImage": "95-piece-classifier.ipynb",
"get_coord": "95-piece-classifier.ipynb",
"Hough": "96_hough.py.ipynb",
"URLs.chess_small": "99_preprocess.ipynb",
"URLs.website": "99_preprocess.ipynb",
"toPIL": "99_preprocess.ipynb",
"color_to_gray": "99_preprocess.ipynb",
"gray_to_bw": "99_preprocess.ipynb",
"is_bw": "99_preprocess.ipynb",
"contourFilter": "99_preprocess.ipynb",
"drawContour": "99_preprocess.ipynb",
"bw_to_contours": "99_preprocess.ipynb",
"draw_hough_lines": "99_preprocess.ipynb",
"draw_hough_linesp": "99_preprocess.ipynb",
"contour_to_hough": "99_preprocess.ipynb",
"color_to_contours": "99_preprocess.ipynb",
"Lines": "99_preprocess.ipynb"}
modules = ["training.py",
"learner.py",
"classifier.py",
"hough.py",
"preprocess.py"]
doc_url = "https://idrisr.github.io/chessocr/"
git_url = "https://github.com/idrisr/chessocr/tree/master/"
def custom_doc_links(name): return None
|
__all__ = ['index', 'modules', 'custom_doc_links', 'git_url']
index = {'websites_url': '01-training-data.ipynb', 'm': '01-training-data.ipynb', 'piece_dirs': '01-training-data.ipynb', 'assert_coord': '01-training-data.ipynb', 'Board': '01-training-data.ipynb', 'Boards': '01-training-data.ipynb', 'boards': '01-training-data.ipynb', 'PieceSet': '01-training-data.ipynb', 'PieceSets': '01-training-data.ipynb', 'pieces': '01-training-data.ipynb', 'FEN': '01-training-data.ipynb', 'FENs': '01-training-data.ipynb', 'fens': '01-training-data.ipynb', 'pgn_url': '01-training-data.ipynb', 'pgn': '01-training-data.ipynb', 'small': '01-training-data.ipynb', 'GameBoard': '01-training-data.ipynb', 'sites': '01-training-data.ipynb', 'FileNamer': '01-training-data.ipynb', 'Render': '01-training-data.ipynb', 'NoLabelBBoxLabeler': '03-learner.ipynb', 'BBoxTruth': '03-learner.ipynb', 'iou': '03-learner.ipynb', 'NoLabelBBoxBlock': '03-learner.ipynb', 'Coord': '95-piece-classifier.ipynb', 'CropBox': '95-piece-classifier.ipynb', 'Color': '95-piece-classifier.ipynb', 'Piece': '95-piece-classifier.ipynb', 'BoardImage': '95-piece-classifier.ipynb', 'get_coord': '95-piece-classifier.ipynb', 'Hough': '96_hough.py.ipynb', 'URLs.chess_small': '99_preprocess.ipynb', 'URLs.website': '99_preprocess.ipynb', 'toPIL': '99_preprocess.ipynb', 'color_to_gray': '99_preprocess.ipynb', 'gray_to_bw': '99_preprocess.ipynb', 'is_bw': '99_preprocess.ipynb', 'contourFilter': '99_preprocess.ipynb', 'drawContour': '99_preprocess.ipynb', 'bw_to_contours': '99_preprocess.ipynb', 'draw_hough_lines': '99_preprocess.ipynb', 'draw_hough_linesp': '99_preprocess.ipynb', 'contour_to_hough': '99_preprocess.ipynb', 'color_to_contours': '99_preprocess.ipynb', 'Lines': '99_preprocess.ipynb'}
modules = ['training.py', 'learner.py', 'classifier.py', 'hough.py', 'preprocess.py']
doc_url = 'https://idrisr.github.io/chessocr/'
git_url = 'https://github.com/idrisr/chessocr/tree/master/'
def custom_doc_links(name):
return None
|
n = int(input())
i = 5
while i > 0:
root = 1
while root ** i < n:
root = root + 1
if root ** i == n:
print(root, i)
i = i - 1
|
n = int(input())
i = 5
while i > 0:
root = 1
while root ** i < n:
root = root + 1
if root ** i == n:
print(root, i)
i = i - 1
|
a = [1, 2, 3, 4, 5]
print(a[0] + 1)
#length of list
x = len(a)
print(x)
print(a[-1])
#splicing
print(a[0:3])
print(a[0:])
b = "test"
print(b[0:1])
|
a = [1, 2, 3, 4, 5]
print(a[0] + 1)
x = len(a)
print(x)
print(a[-1])
print(a[0:3])
print(a[0:])
b = 'test'
print(b[0:1])
|
class Solution:
def subarraySum(self, nums: List[int], k: int) -> int:
count = 0
prefix_sum = 0
dic = {0: 1}
for i in range(len(nums)):
prefix_sum += nums[i]
if prefix_sum - k in dic:
count += dic[prefix_sum - k]
if prefix_sum in dic:
dic[prefix_sum] += 1
else:
dic[prefix_sum] = 1
return count
|
class Solution:
def subarray_sum(self, nums: List[int], k: int) -> int:
count = 0
prefix_sum = 0
dic = {0: 1}
for i in range(len(nums)):
prefix_sum += nums[i]
if prefix_sum - k in dic:
count += dic[prefix_sum - k]
if prefix_sum in dic:
dic[prefix_sum] += 1
else:
dic[prefix_sum] = 1
return count
|
n = int(input())
a = list(map(int,input().split()))
q,w=0,0
for i in a:
if i ==25:q+=1
elif i==50:q-=1;w+=1
else:
if w>0:w-=1;q-=1
else:q-=3
if q<0 or w<0:n=0;break
if n==0:print("NO")
else:print("YES")
|
n = int(input())
a = list(map(int, input().split()))
(q, w) = (0, 0)
for i in a:
if i == 25:
q += 1
elif i == 50:
q -= 1
w += 1
elif w > 0:
w -= 1
q -= 1
else:
q -= 3
if q < 0 or w < 0:
n = 0
break
if n == 0:
print('NO')
else:
print('YES')
|
datas = {
'style' : 'boost',
'prefix' : ['boost','simd'],
'has_submodules' : True,
}
|
datas = {'style': 'boost', 'prefix': ['boost', 'simd'], 'has_submodules': True}
|
# This script was crated to calculate my net worth across all my accounts, including crypto wallets. I track my fiat
# currency using Mint. The majority of my crypto wallets are not able to sync with Mint. With this script, I answer a
# few questions regarding wallet balances, then my change in net worth (annual and daily) are printed. All mentioned
# wallets are ones I personally use.
# COIN App
coin_balance = float(input('How much COIN do you have? '))
denominator = coin_balance / 1000
numerator = float(input('How much XYO do you get from 1000 COIN? '))
COIN_to_xyo = round((numerator * denominator), 3)
XYO_CoinGecko_plug = float(input(f'Enter USD from CoinGecko for {COIN_to_xyo} XYO. '))
# Metamask Ethereum Chain
print()
print('Open MetaMask Ethereum Main Network.')
metamask_ethereum_balance = float(input('What is the balance on your MetaMask Ethereum wallet? ')) # MetaMask Ethereum
matic_staked_balance = float(input('How much Matic do you have staked? ')) # MetaMask Ethereum
matic_rewards_balance = float(input('How much Matic have you earned? ')) # MetaMask Ethereum
# Metamask Smart Chain
print()
print('Open MetaMask Binance Smart Chain Mainnet.')
metamask_smartchain_balance = float(input('What is the balance in your MetaMask Binance Smart Chain Mainnet? '))
# Metamask MultiVAC Mainnet
print()
print('Open MetaMask MultiVAC Mainnet.')
print('Stake any accumulated MTV now.')
mtv_staked = float(input('How much MTV (in USD) do you have staked? ')) # Price using CoinGecko.
# Metamask Avalanche Network
print()
print('Open Metamask Avalanche Network.')
metamask_avalanche_balance = float(input('What is the balance in your MetaMask Avalanche Network? '))
# traderjoexyz.com
print()
print('Open traderjoexyz.com')
print()
print('Click the Lend tab.')
traderjoexyz_lending_supply = float(input('How much is your Supply Balance? '))
joe_balance = float(input('What is the value of your JOE Rewards? '))
joe_price = float(input('What is the current price of JOE according to CoinMarketCap? '))
joe_rewards = joe_balance * joe_price
print(f'You have ${joe_rewards} worth of JOE rewards.')
print()
avax_balance = float(input('What is the value of your AVAX Rewards? '))
avax_price = float(input('What is the current price of AVAX according to CoinMarketCap? '))
avax_rewards = avax_balance * avax_price
print(f'You have ${avax_rewards} worth of avax rewards.')
print()
print('CLick the Farm tab.')
melt_avax_balance = float(input('How much MELT/AVAX do you have staked? '))
melt_avax_pending_rewards = float(input('How much Pending Rewards do you have? '))
melt_avax_bonus_rewards = float(input('How much Bonus Rewards do you have? '))
# Wonderland
print()
print('Open Wonderland.')
memo_balance = float(input('How much MEMO do you have? '))
time_value = float(input('What is the USD value of TIME according to CoinMarketCap? '))
memo_value = memo_balance * time_value
print(f'You have ${memo_value} worth of MEMO.')
# Crypto.com App
print()
crypto_dot_com_balance = float(input("What's the balance of your Crypto.com account? "))
# Mint
print()
mint_net_worth = float(input('How much does Mint say your annual net worth changed? '))
# KuCoin
print()
KuCoin_balance = float(input('What is the balance of your KuCoin account? '))
# Algorand App
print()
algorand_app_balance = float(input('What is the balance of your Algorand account? '))
# Helium App
print()
helium_balance = float(input('What is the balance of your Helium account? '))
# Coinbase Wallet App, NOT Coinbase App
print()
coinbase_wallet_balance = float(input('What is the balance of your Coinbase Wallet? '))
# Trust Wallet
print()
trust_wallet_balance = float(input('What is the balance of your Trust Wallet? '))
# Pancake Swap
print()
print('Go to PancakeSwap.')
# Farm
print('Click the Farms tab under Earn.')
cake_earned = float(input('How much CAKE have you earned? '))
kart_bnb_staked = float(input('How much KART-BNB is staked? '))
# Pool
print()
print('Switch to the Pools tab.')
PancakeSwap_kart_balance = float(input('How much KART have you earned? '))
PancakeSwap_KART_pooled_amount = float(input('How much USD do you have staked in the KART pool? '))
# Liquidity
print()
print('Click the Liquidity tab under Trade.')
mcrt_bnb_lp = float(input('How much BNB is in your MCRT-BNB LP paid? '))
mcrt_bnb_value = 2 * mcrt_bnb_lp
mcrt_bnb_usd = float(input(f'Plug {mcrt_bnb_value} BNB into Coingecko. How much USD is that? '))
print(f'You have ${mcrt_bnb_usd} in your MCRT-BNB LP.')
print()
annual_change = round(float(
XYO_CoinGecko_plug + matic_staked_balance + matic_rewards_balance + crypto_dot_com_balance + mint_net_worth +
metamask_ethereum_balance + metamask_smartchain_balance + KuCoin_balance + algorand_app_balance + helium_balance +
mtv_staked + coinbase_wallet_balance + trust_wallet_balance + PancakeSwap_kart_balance +
PancakeSwap_KART_pooled_amount + cake_earned + kart_bnb_staked + metamask_avalanche_balance +
traderjoexyz_lending_supply + joe_rewards + avax_rewards + melt_avax_bonus_rewards + melt_avax_pending_rewards +
melt_avax_balance + memo_value + mcrt_bnb_usd),
2)
daily_change = round(float(annual_change / 365), 2)
print(f'Your net worth changed by ${annual_change} this year.')
print(f'Your net worth changed by about ${daily_change} daily.')
|
coin_balance = float(input('How much COIN do you have? '))
denominator = coin_balance / 1000
numerator = float(input('How much XYO do you get from 1000 COIN? '))
coin_to_xyo = round(numerator * denominator, 3)
xyo__coin_gecko_plug = float(input(f'Enter USD from CoinGecko for {COIN_to_xyo} XYO. '))
print()
print('Open MetaMask Ethereum Main Network.')
metamask_ethereum_balance = float(input('What is the balance on your MetaMask Ethereum wallet? '))
matic_staked_balance = float(input('How much Matic do you have staked? '))
matic_rewards_balance = float(input('How much Matic have you earned? '))
print()
print('Open MetaMask Binance Smart Chain Mainnet.')
metamask_smartchain_balance = float(input('What is the balance in your MetaMask Binance Smart Chain Mainnet? '))
print()
print('Open MetaMask MultiVAC Mainnet.')
print('Stake any accumulated MTV now.')
mtv_staked = float(input('How much MTV (in USD) do you have staked? '))
print()
print('Open Metamask Avalanche Network.')
metamask_avalanche_balance = float(input('What is the balance in your MetaMask Avalanche Network? '))
print()
print('Open traderjoexyz.com')
print()
print('Click the Lend tab.')
traderjoexyz_lending_supply = float(input('How much is your Supply Balance? '))
joe_balance = float(input('What is the value of your JOE Rewards? '))
joe_price = float(input('What is the current price of JOE according to CoinMarketCap? '))
joe_rewards = joe_balance * joe_price
print(f'You have ${joe_rewards} worth of JOE rewards.')
print()
avax_balance = float(input('What is the value of your AVAX Rewards? '))
avax_price = float(input('What is the current price of AVAX according to CoinMarketCap? '))
avax_rewards = avax_balance * avax_price
print(f'You have ${avax_rewards} worth of avax rewards.')
print()
print('CLick the Farm tab.')
melt_avax_balance = float(input('How much MELT/AVAX do you have staked? '))
melt_avax_pending_rewards = float(input('How much Pending Rewards do you have? '))
melt_avax_bonus_rewards = float(input('How much Bonus Rewards do you have? '))
print()
print('Open Wonderland.')
memo_balance = float(input('How much MEMO do you have? '))
time_value = float(input('What is the USD value of TIME according to CoinMarketCap? '))
memo_value = memo_balance * time_value
print(f'You have ${memo_value} worth of MEMO.')
print()
crypto_dot_com_balance = float(input("What's the balance of your Crypto.com account? "))
print()
mint_net_worth = float(input('How much does Mint say your annual net worth changed? '))
print()
ku_coin_balance = float(input('What is the balance of your KuCoin account? '))
print()
algorand_app_balance = float(input('What is the balance of your Algorand account? '))
print()
helium_balance = float(input('What is the balance of your Helium account? '))
print()
coinbase_wallet_balance = float(input('What is the balance of your Coinbase Wallet? '))
print()
trust_wallet_balance = float(input('What is the balance of your Trust Wallet? '))
print()
print('Go to PancakeSwap.')
print('Click the Farms tab under Earn.')
cake_earned = float(input('How much CAKE have you earned? '))
kart_bnb_staked = float(input('How much KART-BNB is staked? '))
print()
print('Switch to the Pools tab.')
pancake_swap_kart_balance = float(input('How much KART have you earned? '))
pancake_swap_kart_pooled_amount = float(input('How much USD do you have staked in the KART pool? '))
print()
print('Click the Liquidity tab under Trade.')
mcrt_bnb_lp = float(input('How much BNB is in your MCRT-BNB LP paid? '))
mcrt_bnb_value = 2 * mcrt_bnb_lp
mcrt_bnb_usd = float(input(f'Plug {mcrt_bnb_value} BNB into Coingecko. How much USD is that? '))
print(f'You have ${mcrt_bnb_usd} in your MCRT-BNB LP.')
print()
annual_change = round(float(XYO_CoinGecko_plug + matic_staked_balance + matic_rewards_balance + crypto_dot_com_balance + mint_net_worth + metamask_ethereum_balance + metamask_smartchain_balance + KuCoin_balance + algorand_app_balance + helium_balance + mtv_staked + coinbase_wallet_balance + trust_wallet_balance + PancakeSwap_kart_balance + PancakeSwap_KART_pooled_amount + cake_earned + kart_bnb_staked + metamask_avalanche_balance + traderjoexyz_lending_supply + joe_rewards + avax_rewards + melt_avax_bonus_rewards + melt_avax_pending_rewards + melt_avax_balance + memo_value + mcrt_bnb_usd), 2)
daily_change = round(float(annual_change / 365), 2)
print(f'Your net worth changed by ${annual_change} this year.')
print(f'Your net worth changed by about ${daily_change} daily.')
|
#
# PySNMP MIB module CISCO-ITP-GSP2-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/CISCO-ITP-GSP2-MIB
# Produced by pysmi-0.3.4 at Mon Apr 29 17:46:26 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)
#
ObjectIdentifier, Integer, OctetString = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "Integer", "OctetString")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ConstraintsIntersection, ValueRangeConstraint, ValueSizeConstraint, SingleValueConstraint, ConstraintsUnion = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsIntersection", "ValueRangeConstraint", "ValueSizeConstraint", "SingleValueConstraint", "ConstraintsUnion")
cgspInstNetwork, = mibBuilder.importSymbols("CISCO-ITP-GSP-MIB", "cgspInstNetwork")
CItpTcXuaName, CItpTcPointCode, CItpTcLinksetId, CItpTcNetworkName, CItpTcAclId, CItpTcLinkSLC = mibBuilder.importSymbols("CISCO-ITP-TC-MIB", "CItpTcXuaName", "CItpTcPointCode", "CItpTcLinksetId", "CItpTcNetworkName", "CItpTcAclId", "CItpTcLinkSLC")
ciscoMgmt, = mibBuilder.importSymbols("CISCO-SMI", "ciscoMgmt")
InetPortNumber, InetAddress, InetAddressType = mibBuilder.importSymbols("INET-ADDRESS-MIB", "InetPortNumber", "InetAddress", "InetAddressType")
SnmpAdminString, = mibBuilder.importSymbols("SNMP-FRAMEWORK-MIB", "SnmpAdminString")
ModuleCompliance, NotificationGroup, ObjectGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup", "ObjectGroup")
ObjectIdentity, ModuleIdentity, TimeTicks, Gauge32, NotificationType, MibScalar, MibTable, MibTableRow, MibTableColumn, MibIdentifier, Counter32, Counter64, IpAddress, Integer32, iso, Bits, Unsigned32 = mibBuilder.importSymbols("SNMPv2-SMI", "ObjectIdentity", "ModuleIdentity", "TimeTicks", "Gauge32", "NotificationType", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "MibIdentifier", "Counter32", "Counter64", "IpAddress", "Integer32", "iso", "Bits", "Unsigned32")
TextualConvention, RowStatus, DisplayString, TimeStamp = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "RowStatus", "DisplayString", "TimeStamp")
ciscoGsp2MIB = ModuleIdentity((1, 3, 6, 1, 4, 1, 9, 9, 332))
ciscoGsp2MIB.setRevisions(('2008-07-09 00:00', '2007-12-18 00:00', '2004-05-26 00:00', '2003-08-07 00:00', '2003-03-03 00:00',))
if mibBuilder.loadTexts: ciscoGsp2MIB.setLastUpdated('200807090000Z')
if mibBuilder.loadTexts: ciscoGsp2MIB.setOrganization('Cisco Systems, Inc.')
ciscoGsp2MIBNotifs = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 332, 0))
ciscoGsp2MIBObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 332, 1))
ciscoGsp2MIBConform = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 332, 2))
cgsp2Events = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1))
cgsp2Qos = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 2))
cgsp2LocalPeer = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 3))
cgsp2Mtp3Errors = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 4))
cgsp2Operation = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 5))
cgsp2Context = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 6))
class Cgsp2TcQosClass(TextualConvention, Unsigned32):
status = 'current'
subtypeSpec = Unsigned32.subtypeSpec + ValueRangeConstraint(0, 7)
class Cgsp2EventIndex(TextualConvention, Unsigned32):
status = 'current'
subtypeSpec = Unsigned32.subtypeSpec + ValueRangeConstraint(1, 2147483647)
class CItpTcContextId(TextualConvention, Unsigned32):
status = 'current'
subtypeSpec = Unsigned32.subtypeSpec + ValueRangeConstraint(1, 4294967295)
class CItpTcContextType(TextualConvention, Integer32):
status = 'current'
subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(0, 1, 6))
namedValues = NamedValues(("unknown", 0), ("cs7link", 1), ("asp", 6))
cgsp2EventTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 1), )
if mibBuilder.loadTexts: cgsp2EventTable.setStatus('current')
cgsp2EventTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 1, 1), ).setIndexNames((0, "CISCO-ITP-GSP-MIB", "cgspInstNetwork"), (0, "CISCO-ITP-GSP2-MIB", "cgsp2EventType"))
if mibBuilder.loadTexts: cgsp2EventTableEntry.setStatus('current')
cgsp2EventType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("as", 1), ("asp", 2), ("mtp3", 3), ("pc", 4))))
if mibBuilder.loadTexts: cgsp2EventType.setStatus('current')
cgsp2EventLoggedEvents = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 1, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cgsp2EventLoggedEvents.setStatus('current')
cgsp2EventDroppedEvents = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 1, 1, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cgsp2EventDroppedEvents.setStatus('current')
cgsp2EventMaxEntries = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 1, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cgsp2EventMaxEntries.setStatus('current')
cgsp2EventMaxEntriesAllowed = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 1, 1, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cgsp2EventMaxEntriesAllowed.setStatus('current')
cgsp2EventAsTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 2), )
if mibBuilder.loadTexts: cgsp2EventAsTable.setStatus('current')
cgsp2EventAsTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 2, 1), ).setIndexNames((0, "CISCO-ITP-GSP-MIB", "cgspInstNetwork"), (0, "CISCO-ITP-GSP2-MIB", "cgsp2EventAsName"), (0, "CISCO-ITP-GSP2-MIB", "cgsp2EventAsIndex"))
if mibBuilder.loadTexts: cgsp2EventAsTableEntry.setStatus('current')
cgsp2EventAsName = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 2, 1, 1), CItpTcXuaName())
if mibBuilder.loadTexts: cgsp2EventAsName.setStatus('current')
cgsp2EventAsIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 2, 1, 2), Cgsp2EventIndex())
if mibBuilder.loadTexts: cgsp2EventAsIndex.setStatus('current')
cgsp2EventAsText = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 2, 1, 3), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(1, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cgsp2EventAsText.setStatus('current')
cgsp2EventAsTimestamp = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 2, 1, 4), TimeStamp()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cgsp2EventAsTimestamp.setStatus('current')
cgsp2EventAspTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 3), )
if mibBuilder.loadTexts: cgsp2EventAspTable.setStatus('current')
cgsp2EventAspTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 3, 1), ).setIndexNames((0, "CISCO-ITP-GSP-MIB", "cgspInstNetwork"), (0, "CISCO-ITP-GSP2-MIB", "cgsp2EventAspName"), (0, "CISCO-ITP-GSP2-MIB", "cgsp2EventAspIndex"))
if mibBuilder.loadTexts: cgsp2EventAspTableEntry.setStatus('current')
cgsp2EventAspName = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 3, 1, 1), CItpTcXuaName())
if mibBuilder.loadTexts: cgsp2EventAspName.setStatus('current')
cgsp2EventAspIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 3, 1, 2), Cgsp2EventIndex())
if mibBuilder.loadTexts: cgsp2EventAspIndex.setStatus('current')
cgsp2EventAspText = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 3, 1, 3), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(1, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cgsp2EventAspText.setStatus('current')
cgsp2EventAspTimestamp = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 3, 1, 4), TimeStamp()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cgsp2EventAspTimestamp.setStatus('current')
cgsp2EventMtp3Table = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 4), )
if mibBuilder.loadTexts: cgsp2EventMtp3Table.setStatus('current')
cgsp2EventMtp3TableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 4, 1), ).setIndexNames((0, "CISCO-ITP-GSP-MIB", "cgspInstNetwork"), (0, "CISCO-ITP-GSP2-MIB", "cgsp2EventMtp3Index"))
if mibBuilder.loadTexts: cgsp2EventMtp3TableEntry.setStatus('current')
cgsp2EventMtp3Index = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 4, 1, 1), Cgsp2EventIndex())
if mibBuilder.loadTexts: cgsp2EventMtp3Index.setStatus('current')
cgsp2EventMtp3Text = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 4, 1, 2), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(1, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cgsp2EventMtp3Text.setStatus('current')
cgsp2EventMtp3Timestamp = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 4, 1, 3), TimeStamp()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cgsp2EventMtp3Timestamp.setStatus('current')
cgsp2EventPcTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 5), )
if mibBuilder.loadTexts: cgsp2EventPcTable.setStatus('current')
cgsp2EventPcTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 5, 1), ).setIndexNames((0, "CISCO-ITP-GSP-MIB", "cgspInstNetwork"), (0, "CISCO-ITP-GSP2-MIB", "cgsp2EventPc"), (0, "CISCO-ITP-GSP2-MIB", "cgsp2EventPcIndex"))
if mibBuilder.loadTexts: cgsp2EventPcTableEntry.setStatus('current')
cgsp2EventPc = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 5, 1, 1), CItpTcPointCode())
if mibBuilder.loadTexts: cgsp2EventPc.setStatus('current')
cgsp2EventPcIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 5, 1, 2), Cgsp2EventIndex())
if mibBuilder.loadTexts: cgsp2EventPcIndex.setStatus('current')
cgsp2EventPcText = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 5, 1, 3), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(1, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cgsp2EventPcText.setStatus('current')
cgsp2EventPcTimestamp = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 5, 1, 4), TimeStamp()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cgsp2EventPcTimestamp.setStatus('current')
cgsp2QosTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 2, 1), )
if mibBuilder.loadTexts: cgsp2QosTable.setStatus('current')
cgsp2QosTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 2, 1, 1), ).setIndexNames((0, "CISCO-ITP-GSP-MIB", "cgspInstNetwork"), (0, "CISCO-ITP-GSP2-MIB", "cgsp2QosClass"))
if mibBuilder.loadTexts: cgsp2QosTableEntry.setStatus('current')
cgsp2QosClass = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 2, 1, 1, 1), Cgsp2TcQosClass())
if mibBuilder.loadTexts: cgsp2QosClass.setStatus('current')
cgsp2QosType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 2, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ipPrecedence", 1), ("ipDscp", 2)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: cgsp2QosType.setStatus('current')
cgsp2QosPrecedenceValue = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 2, 1, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-1, 7))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: cgsp2QosPrecedenceValue.setStatus('current')
cgsp2QosIpDscp = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 2, 1, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-1, 63))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: cgsp2QosIpDscp.setStatus('current')
cgsp2QosAclId = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 2, 1, 1, 5), CItpTcAclId()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: cgsp2QosAclId.setStatus('current')
cgsp2QosRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 2, 1, 1, 6), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: cgsp2QosRowStatus.setStatus('current')
cgsp2LocalPeerTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 3, 1), )
if mibBuilder.loadTexts: cgsp2LocalPeerTable.setStatus('current')
cgsp2LocalPeerTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 3, 1, 1), ).setIndexNames((0, "CISCO-ITP-GSP2-MIB", "cgsp2LocalPeerPort"))
if mibBuilder.loadTexts: cgsp2LocalPeerTableEntry.setStatus('current')
cgsp2LocalPeerPort = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 3, 1, 1, 1), InetPortNumber())
if mibBuilder.loadTexts: cgsp2LocalPeerPort.setStatus('current')
cgsp2LocalPeerSlotNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 3, 1, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-1, 32767)).clone(-1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: cgsp2LocalPeerSlotNumber.setStatus('current')
cgsp2LocalPeerRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 3, 1, 1, 3), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: cgsp2LocalPeerRowStatus.setStatus('current')
cgsp2LocalPeerProcessorNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 3, 1, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cgsp2LocalPeerProcessorNumber.setStatus('current')
cgsp2LpIpAddrTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 3, 2), )
if mibBuilder.loadTexts: cgsp2LpIpAddrTable.setStatus('current')
cgsp2LpIpAddrTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 3, 2, 1), ).setIndexNames((0, "CISCO-ITP-GSP2-MIB", "cgsp2LocalPeerPort"), (0, "CISCO-ITP-GSP2-MIB", "cgsp2LpIpAddressNumber"))
if mibBuilder.loadTexts: cgsp2LpIpAddrTableEntry.setStatus('current')
cgsp2LpIpAddressNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 3, 2, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535)))
if mibBuilder.loadTexts: cgsp2LpIpAddressNumber.setStatus('current')
cgsp2LpIpAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 3, 2, 1, 2), InetAddressType()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: cgsp2LpIpAddressType.setStatus('current')
cgsp2LpIpAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 3, 2, 1, 3), InetAddress()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: cgsp2LpIpAddress.setStatus('current')
cgsp2LpIpAddressRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 3, 2, 1, 4), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: cgsp2LpIpAddressRowStatus.setStatus('current')
cgsp2Mtp3ErrorsTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 4, 1), )
if mibBuilder.loadTexts: cgsp2Mtp3ErrorsTable.setStatus('current')
cgsp2Mtp3ErrorsTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 4, 1, 1), ).setIndexNames((0, "CISCO-ITP-GSP2-MIB", "cgsp2Mtp3ErrorsType"))
if mibBuilder.loadTexts: cgsp2Mtp3ErrorsTableEntry.setStatus('current')
cgsp2Mtp3ErrorsType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 4, 1, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535)))
if mibBuilder.loadTexts: cgsp2Mtp3ErrorsType.setStatus('current')
cgsp2Mtp3ErrorsDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 4, 1, 1, 2), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(1, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cgsp2Mtp3ErrorsDescription.setStatus('current')
cgsp2Mtp3ErrorsCount = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 4, 1, 1, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cgsp2Mtp3ErrorsCount.setStatus('current')
cgsp2ContextTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 6, 1), )
if mibBuilder.loadTexts: cgsp2ContextTable.setStatus('current')
cgsp2ContextEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 6, 1, 1), ).setIndexNames((0, "CISCO-ITP-GSP2-MIB", "cgsp2ContextIdentifier"))
if mibBuilder.loadTexts: cgsp2ContextEntry.setStatus('current')
cgsp2ContextIdentifier = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 6, 1, 1, 1), CItpTcContextId())
if mibBuilder.loadTexts: cgsp2ContextIdentifier.setStatus('current')
cgsp2ContextType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 6, 1, 1, 2), CItpTcContextType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cgsp2ContextType.setStatus('current')
cgsp2ContextLinksetName = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 6, 1, 1, 3), CItpTcLinksetId()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cgsp2ContextLinksetName.setStatus('current')
cgsp2ContextSlc = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 6, 1, 1, 4), CItpTcLinkSLC()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cgsp2ContextSlc.setStatus('current')
cgsp2ContextAsName = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 6, 1, 1, 5), CItpTcXuaName()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cgsp2ContextAsName.setStatus('current')
cgsp2ContextAspName = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 6, 1, 1, 6), CItpTcXuaName()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cgsp2ContextAspName.setStatus('current')
cgsp2ContextNetworkName = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 6, 1, 1, 7), CItpTcNetworkName()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cgsp2ContextNetworkName.setStatus('current')
cgsp2OperMtp3Offload = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 5, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("main", 1), ("offload", 2))).clone('main')).setMaxAccess("readonly")
if mibBuilder.loadTexts: cgsp2OperMtp3Offload.setStatus('current')
cgsp2OperRedundancy = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 5, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("none", 1), ("local", 2), ("distributed", 3))).clone('none')).setMaxAccess("readonly")
if mibBuilder.loadTexts: cgsp2OperRedundancy.setStatus('current')
ciscoGsp2MIBCompliances = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 332, 2, 1))
ciscoGsp2MIBGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 332, 2, 2))
ciscoGsp2MIBCompliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 9, 9, 332, 2, 1, 1)).setObjects(("CISCO-ITP-GSP2-MIB", "ciscoGsp2EventsGroup"), ("CISCO-ITP-GSP2-MIB", "ciscoGsp2QosGroup"), ("CISCO-ITP-GSP2-MIB", "ciscoGsp2LocalPeerGroup"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ciscoGsp2MIBCompliance = ciscoGsp2MIBCompliance.setStatus('deprecated')
ciscoGsp2MIBComplianceRev1 = ModuleCompliance((1, 3, 6, 1, 4, 1, 9, 9, 332, 2, 1, 2)).setObjects(("CISCO-ITP-GSP2-MIB", "ciscoGsp2EventsGroup"), ("CISCO-ITP-GSP2-MIB", "ciscoGsp2QosGroup"), ("CISCO-ITP-GSP2-MIB", "ciscoGsp2LocalPeerGroup"), ("CISCO-ITP-GSP2-MIB", "ciscoGsp2Mtp3ErrorsGroup"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ciscoGsp2MIBComplianceRev1 = ciscoGsp2MIBComplianceRev1.setStatus('deprecated')
ciscoGsp2MIBComplianceRev2 = ModuleCompliance((1, 3, 6, 1, 4, 1, 9, 9, 332, 2, 1, 3)).setObjects(("CISCO-ITP-GSP2-MIB", "ciscoGsp2EventsGroup"), ("CISCO-ITP-GSP2-MIB", "ciscoGsp2QosGroup"), ("CISCO-ITP-GSP2-MIB", "ciscoGsp2LocalPeerGroup"), ("CISCO-ITP-GSP2-MIB", "ciscoGsp2Mtp3ErrorsGroup"), ("CISCO-ITP-GSP2-MIB", "ciscoGsp2OperationGroup"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ciscoGsp2MIBComplianceRev2 = ciscoGsp2MIBComplianceRev2.setStatus('deprecated')
ciscoGsp2MIBComplianceRev3 = ModuleCompliance((1, 3, 6, 1, 4, 1, 9, 9, 332, 2, 1, 4)).setObjects(("CISCO-ITP-GSP2-MIB", "ciscoGsp2EventsGroup"), ("CISCO-ITP-GSP2-MIB", "ciscoGsp2QosGroup"), ("CISCO-ITP-GSP2-MIB", "ciscoGsp2Mtp3ErrorsGroup"), ("CISCO-ITP-GSP2-MIB", "ciscoGsp2OperationGroup"), ("CISCO-ITP-GSP2-MIB", "ciscoGsp2LocalPeerGroupSup1"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ciscoGsp2MIBComplianceRev3 = ciscoGsp2MIBComplianceRev3.setStatus('deprecated')
ciscoGsp2MIBComplianceRev4 = ModuleCompliance((1, 3, 6, 1, 4, 1, 9, 9, 332, 2, 1, 5)).setObjects(("CISCO-ITP-GSP2-MIB", "ciscoGsp2EventsGroup"), ("CISCO-ITP-GSP2-MIB", "ciscoGsp2QosGroup"), ("CISCO-ITP-GSP2-MIB", "ciscoGsp2LocalPeerGroup"), ("CISCO-ITP-GSP2-MIB", "ciscoGsp2Mtp3ErrorsGroup"), ("CISCO-ITP-GSP2-MIB", "ciscoGsp2OperationGroup"), ("CISCO-ITP-GSP2-MIB", "ciscoGsp2LocalPeerGroupSup1"), ("CISCO-ITP-GSP2-MIB", "ciscoGsp2ContextGroup"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ciscoGsp2MIBComplianceRev4 = ciscoGsp2MIBComplianceRev4.setStatus('current')
ciscoGsp2EventsGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 332, 2, 2, 1)).setObjects(("CISCO-ITP-GSP2-MIB", "cgsp2EventLoggedEvents"), ("CISCO-ITP-GSP2-MIB", "cgsp2EventDroppedEvents"), ("CISCO-ITP-GSP2-MIB", "cgsp2EventMaxEntries"), ("CISCO-ITP-GSP2-MIB", "cgsp2EventMaxEntriesAllowed"), ("CISCO-ITP-GSP2-MIB", "cgsp2EventMtp3Text"), ("CISCO-ITP-GSP2-MIB", "cgsp2EventMtp3Timestamp"), ("CISCO-ITP-GSP2-MIB", "cgsp2EventAsText"), ("CISCO-ITP-GSP2-MIB", "cgsp2EventAsTimestamp"), ("CISCO-ITP-GSP2-MIB", "cgsp2EventAspText"), ("CISCO-ITP-GSP2-MIB", "cgsp2EventAspTimestamp"), ("CISCO-ITP-GSP2-MIB", "cgsp2EventPcText"), ("CISCO-ITP-GSP2-MIB", "cgsp2EventPcTimestamp"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ciscoGsp2EventsGroup = ciscoGsp2EventsGroup.setStatus('current')
ciscoGsp2QosGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 332, 2, 2, 2)).setObjects(("CISCO-ITP-GSP2-MIB", "cgsp2QosType"), ("CISCO-ITP-GSP2-MIB", "cgsp2QosPrecedenceValue"), ("CISCO-ITP-GSP2-MIB", "cgsp2QosIpDscp"), ("CISCO-ITP-GSP2-MIB", "cgsp2QosAclId"), ("CISCO-ITP-GSP2-MIB", "cgsp2QosRowStatus"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ciscoGsp2QosGroup = ciscoGsp2QosGroup.setStatus('current')
ciscoGsp2LocalPeerGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 332, 2, 2, 3)).setObjects(("CISCO-ITP-GSP2-MIB", "cgsp2LocalPeerSlotNumber"), ("CISCO-ITP-GSP2-MIB", "cgsp2LocalPeerRowStatus"), ("CISCO-ITP-GSP2-MIB", "cgsp2LpIpAddressType"), ("CISCO-ITP-GSP2-MIB", "cgsp2LpIpAddress"), ("CISCO-ITP-GSP2-MIB", "cgsp2LpIpAddressRowStatus"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ciscoGsp2LocalPeerGroup = ciscoGsp2LocalPeerGroup.setStatus('current')
ciscoGsp2Mtp3ErrorsGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 332, 2, 2, 4)).setObjects(("CISCO-ITP-GSP2-MIB", "cgsp2Mtp3ErrorsDescription"), ("CISCO-ITP-GSP2-MIB", "cgsp2Mtp3ErrorsCount"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ciscoGsp2Mtp3ErrorsGroup = ciscoGsp2Mtp3ErrorsGroup.setStatus('current')
ciscoGsp2OperationGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 332, 2, 2, 5)).setObjects(("CISCO-ITP-GSP2-MIB", "cgsp2OperMtp3Offload"), ("CISCO-ITP-GSP2-MIB", "cgsp2OperRedundancy"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ciscoGsp2OperationGroup = ciscoGsp2OperationGroup.setStatus('current')
ciscoGsp2LocalPeerGroupSup1 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 332, 2, 2, 6)).setObjects(("CISCO-ITP-GSP2-MIB", "cgsp2LocalPeerProcessorNumber"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ciscoGsp2LocalPeerGroupSup1 = ciscoGsp2LocalPeerGroupSup1.setStatus('current')
ciscoGsp2ContextGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 332, 2, 2, 7)).setObjects(("CISCO-ITP-GSP2-MIB", "cgsp2ContextType"), ("CISCO-ITP-GSP2-MIB", "cgsp2ContextLinksetName"), ("CISCO-ITP-GSP2-MIB", "cgsp2ContextSlc"), ("CISCO-ITP-GSP2-MIB", "cgsp2ContextAsName"), ("CISCO-ITP-GSP2-MIB", "cgsp2ContextAspName"), ("CISCO-ITP-GSP2-MIB", "cgsp2ContextNetworkName"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ciscoGsp2ContextGroup = ciscoGsp2ContextGroup.setStatus('current')
mibBuilder.exportSymbols("CISCO-ITP-GSP2-MIB", cgsp2QosIpDscp=cgsp2QosIpDscp, cgsp2Mtp3Errors=cgsp2Mtp3Errors, cgsp2EventType=cgsp2EventType, cgsp2ContextEntry=cgsp2ContextEntry, ciscoGsp2MIBComplianceRev1=ciscoGsp2MIBComplianceRev1, cgsp2EventAsTableEntry=cgsp2EventAsTableEntry, cgsp2EventAspTableEntry=cgsp2EventAspTableEntry, cgsp2QosType=cgsp2QosType, ciscoGsp2MIBCompliance=ciscoGsp2MIBCompliance, cgsp2EventAsTimestamp=cgsp2EventAsTimestamp, cgsp2LocalPeerTable=cgsp2LocalPeerTable, cgsp2Mtp3ErrorsCount=cgsp2Mtp3ErrorsCount, cgsp2QosAclId=cgsp2QosAclId, cgsp2ContextNetworkName=cgsp2ContextNetworkName, PYSNMP_MODULE_ID=ciscoGsp2MIB, cgsp2QosTable=cgsp2QosTable, cgsp2QosPrecedenceValue=cgsp2QosPrecedenceValue, cgsp2QosClass=cgsp2QosClass, cgsp2EventLoggedEvents=cgsp2EventLoggedEvents, cgsp2EventPcTableEntry=cgsp2EventPcTableEntry, cgsp2EventMtp3Table=cgsp2EventMtp3Table, cgsp2ContextSlc=cgsp2ContextSlc, cgsp2Operation=cgsp2Operation, cgsp2EventMaxEntriesAllowed=cgsp2EventMaxEntriesAllowed, cgsp2EventPcText=cgsp2EventPcText, cgsp2QosRowStatus=cgsp2QosRowStatus, cgsp2LocalPeerRowStatus=cgsp2LocalPeerRowStatus, ciscoGsp2MIBNotifs=ciscoGsp2MIBNotifs, cgsp2Mtp3ErrorsDescription=cgsp2Mtp3ErrorsDescription, cgsp2LpIpAddress=cgsp2LpIpAddress, cgsp2EventAspName=cgsp2EventAspName, cgsp2Mtp3ErrorsTable=cgsp2Mtp3ErrorsTable, cgsp2OperMtp3Offload=cgsp2OperMtp3Offload, cgsp2Mtp3ErrorsType=cgsp2Mtp3ErrorsType, ciscoGsp2QosGroup=ciscoGsp2QosGroup, cgsp2LpIpAddrTable=cgsp2LpIpAddrTable, cgsp2EventAsTable=cgsp2EventAsTable, cgsp2EventMtp3Text=cgsp2EventMtp3Text, ciscoGsp2MIBComplianceRev2=ciscoGsp2MIBComplianceRev2, cgsp2LocalPeerPort=cgsp2LocalPeerPort, cgsp2LocalPeerSlotNumber=cgsp2LocalPeerSlotNumber, ciscoGsp2MIBObjects=ciscoGsp2MIBObjects, cgsp2Context=cgsp2Context, cgsp2EventMaxEntries=cgsp2EventMaxEntries, ciscoGsp2LocalPeerGroup=ciscoGsp2LocalPeerGroup, cgsp2Qos=cgsp2Qos, ciscoGsp2EventsGroup=ciscoGsp2EventsGroup, ciscoGsp2MIBConform=ciscoGsp2MIBConform, cgsp2QosTableEntry=cgsp2QosTableEntry, cgsp2LpIpAddressNumber=cgsp2LpIpAddressNumber, cgsp2ContextLinksetName=cgsp2ContextLinksetName, cgsp2LpIpAddressType=cgsp2LpIpAddressType, cgsp2ContextIdentifier=cgsp2ContextIdentifier, cgsp2EventAspTimestamp=cgsp2EventAspTimestamp, cgsp2OperRedundancy=cgsp2OperRedundancy, cgsp2EventAsName=cgsp2EventAsName, ciscoGsp2ContextGroup=ciscoGsp2ContextGroup, ciscoGsp2MIBCompliances=ciscoGsp2MIBCompliances, cgsp2EventAspText=cgsp2EventAspText, ciscoGsp2LocalPeerGroupSup1=ciscoGsp2LocalPeerGroupSup1, cgsp2EventTableEntry=cgsp2EventTableEntry, cgsp2Mtp3ErrorsTableEntry=cgsp2Mtp3ErrorsTableEntry, CItpTcContextType=CItpTcContextType, cgsp2EventAspIndex=cgsp2EventAspIndex, cgsp2LpIpAddressRowStatus=cgsp2LpIpAddressRowStatus, cgsp2ContextType=cgsp2ContextType, cgsp2EventPcTimestamp=cgsp2EventPcTimestamp, cgsp2EventPc=cgsp2EventPc, Cgsp2EventIndex=Cgsp2EventIndex, cgsp2EventMtp3Timestamp=cgsp2EventMtp3Timestamp, cgsp2EventPcTable=cgsp2EventPcTable, cgsp2EventAsText=cgsp2EventAsText, ciscoGsp2MIBGroups=ciscoGsp2MIBGroups, cgsp2EventAspTable=cgsp2EventAspTable, cgsp2EventDroppedEvents=cgsp2EventDroppedEvents, ciscoGsp2MIBComplianceRev3=ciscoGsp2MIBComplianceRev3, cgsp2EventTable=cgsp2EventTable, cgsp2ContextAspName=cgsp2ContextAspName, CItpTcContextId=CItpTcContextId, cgsp2EventAsIndex=cgsp2EventAsIndex, cgsp2EventMtp3Index=cgsp2EventMtp3Index, ciscoGsp2OperationGroup=ciscoGsp2OperationGroup, cgsp2LpIpAddrTableEntry=cgsp2LpIpAddrTableEntry, cgsp2LocalPeerProcessorNumber=cgsp2LocalPeerProcessorNumber, ciscoGsp2MIB=ciscoGsp2MIB, cgsp2ContextAsName=cgsp2ContextAsName, ciscoGsp2Mtp3ErrorsGroup=ciscoGsp2Mtp3ErrorsGroup, cgsp2EventPcIndex=cgsp2EventPcIndex, cgsp2EventMtp3TableEntry=cgsp2EventMtp3TableEntry, cgsp2ContextTable=cgsp2ContextTable, Cgsp2TcQosClass=Cgsp2TcQosClass, cgsp2LocalPeerTableEntry=cgsp2LocalPeerTableEntry, cgsp2Events=cgsp2Events, ciscoGsp2MIBComplianceRev4=ciscoGsp2MIBComplianceRev4, cgsp2LocalPeer=cgsp2LocalPeer)
|
(object_identifier, integer, octet_string) = mibBuilder.importSymbols('ASN1', 'ObjectIdentifier', 'Integer', 'OctetString')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(constraints_intersection, value_range_constraint, value_size_constraint, single_value_constraint, constraints_union) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsIntersection', 'ValueRangeConstraint', 'ValueSizeConstraint', 'SingleValueConstraint', 'ConstraintsUnion')
(cgsp_inst_network,) = mibBuilder.importSymbols('CISCO-ITP-GSP-MIB', 'cgspInstNetwork')
(c_itp_tc_xua_name, c_itp_tc_point_code, c_itp_tc_linkset_id, c_itp_tc_network_name, c_itp_tc_acl_id, c_itp_tc_link_slc) = mibBuilder.importSymbols('CISCO-ITP-TC-MIB', 'CItpTcXuaName', 'CItpTcPointCode', 'CItpTcLinksetId', 'CItpTcNetworkName', 'CItpTcAclId', 'CItpTcLinkSLC')
(cisco_mgmt,) = mibBuilder.importSymbols('CISCO-SMI', 'ciscoMgmt')
(inet_port_number, inet_address, inet_address_type) = mibBuilder.importSymbols('INET-ADDRESS-MIB', 'InetPortNumber', 'InetAddress', 'InetAddressType')
(snmp_admin_string,) = mibBuilder.importSymbols('SNMP-FRAMEWORK-MIB', 'SnmpAdminString')
(module_compliance, notification_group, object_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup', 'ObjectGroup')
(object_identity, module_identity, time_ticks, gauge32, notification_type, mib_scalar, mib_table, mib_table_row, mib_table_column, mib_identifier, counter32, counter64, ip_address, integer32, iso, bits, unsigned32) = mibBuilder.importSymbols('SNMPv2-SMI', 'ObjectIdentity', 'ModuleIdentity', 'TimeTicks', 'Gauge32', 'NotificationType', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'MibIdentifier', 'Counter32', 'Counter64', 'IpAddress', 'Integer32', 'iso', 'Bits', 'Unsigned32')
(textual_convention, row_status, display_string, time_stamp) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'RowStatus', 'DisplayString', 'TimeStamp')
cisco_gsp2_mib = module_identity((1, 3, 6, 1, 4, 1, 9, 9, 332))
ciscoGsp2MIB.setRevisions(('2008-07-09 00:00', '2007-12-18 00:00', '2004-05-26 00:00', '2003-08-07 00:00', '2003-03-03 00:00'))
if mibBuilder.loadTexts:
ciscoGsp2MIB.setLastUpdated('200807090000Z')
if mibBuilder.loadTexts:
ciscoGsp2MIB.setOrganization('Cisco Systems, Inc.')
cisco_gsp2_mib_notifs = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 332, 0))
cisco_gsp2_mib_objects = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 332, 1))
cisco_gsp2_mib_conform = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 332, 2))
cgsp2_events = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1))
cgsp2_qos = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 2))
cgsp2_local_peer = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 3))
cgsp2_mtp3_errors = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 4))
cgsp2_operation = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 5))
cgsp2_context = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 6))
class Cgsp2Tcqosclass(TextualConvention, Unsigned32):
status = 'current'
subtype_spec = Unsigned32.subtypeSpec + value_range_constraint(0, 7)
class Cgsp2Eventindex(TextualConvention, Unsigned32):
status = 'current'
subtype_spec = Unsigned32.subtypeSpec + value_range_constraint(1, 2147483647)
class Citptccontextid(TextualConvention, Unsigned32):
status = 'current'
subtype_spec = Unsigned32.subtypeSpec + value_range_constraint(1, 4294967295)
class Citptccontexttype(TextualConvention, Integer32):
status = 'current'
subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(0, 1, 6))
named_values = named_values(('unknown', 0), ('cs7link', 1), ('asp', 6))
cgsp2_event_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 1))
if mibBuilder.loadTexts:
cgsp2EventTable.setStatus('current')
cgsp2_event_table_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 1, 1)).setIndexNames((0, 'CISCO-ITP-GSP-MIB', 'cgspInstNetwork'), (0, 'CISCO-ITP-GSP2-MIB', 'cgsp2EventType'))
if mibBuilder.loadTexts:
cgsp2EventTableEntry.setStatus('current')
cgsp2_event_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 1, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('as', 1), ('asp', 2), ('mtp3', 3), ('pc', 4))))
if mibBuilder.loadTexts:
cgsp2EventType.setStatus('current')
cgsp2_event_logged_events = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 1, 1, 2), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cgsp2EventLoggedEvents.setStatus('current')
cgsp2_event_dropped_events = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 1, 1, 3), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cgsp2EventDroppedEvents.setStatus('current')
cgsp2_event_max_entries = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 1, 1, 4), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cgsp2EventMaxEntries.setStatus('current')
cgsp2_event_max_entries_allowed = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 1, 1, 5), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cgsp2EventMaxEntriesAllowed.setStatus('current')
cgsp2_event_as_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 2))
if mibBuilder.loadTexts:
cgsp2EventAsTable.setStatus('current')
cgsp2_event_as_table_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 2, 1)).setIndexNames((0, 'CISCO-ITP-GSP-MIB', 'cgspInstNetwork'), (0, 'CISCO-ITP-GSP2-MIB', 'cgsp2EventAsName'), (0, 'CISCO-ITP-GSP2-MIB', 'cgsp2EventAsIndex'))
if mibBuilder.loadTexts:
cgsp2EventAsTableEntry.setStatus('current')
cgsp2_event_as_name = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 2, 1, 1), c_itp_tc_xua_name())
if mibBuilder.loadTexts:
cgsp2EventAsName.setStatus('current')
cgsp2_event_as_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 2, 1, 2), cgsp2_event_index())
if mibBuilder.loadTexts:
cgsp2EventAsIndex.setStatus('current')
cgsp2_event_as_text = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 2, 1, 3), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(1, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cgsp2EventAsText.setStatus('current')
cgsp2_event_as_timestamp = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 2, 1, 4), time_stamp()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cgsp2EventAsTimestamp.setStatus('current')
cgsp2_event_asp_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 3))
if mibBuilder.loadTexts:
cgsp2EventAspTable.setStatus('current')
cgsp2_event_asp_table_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 3, 1)).setIndexNames((0, 'CISCO-ITP-GSP-MIB', 'cgspInstNetwork'), (0, 'CISCO-ITP-GSP2-MIB', 'cgsp2EventAspName'), (0, 'CISCO-ITP-GSP2-MIB', 'cgsp2EventAspIndex'))
if mibBuilder.loadTexts:
cgsp2EventAspTableEntry.setStatus('current')
cgsp2_event_asp_name = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 3, 1, 1), c_itp_tc_xua_name())
if mibBuilder.loadTexts:
cgsp2EventAspName.setStatus('current')
cgsp2_event_asp_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 3, 1, 2), cgsp2_event_index())
if mibBuilder.loadTexts:
cgsp2EventAspIndex.setStatus('current')
cgsp2_event_asp_text = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 3, 1, 3), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(1, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cgsp2EventAspText.setStatus('current')
cgsp2_event_asp_timestamp = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 3, 1, 4), time_stamp()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cgsp2EventAspTimestamp.setStatus('current')
cgsp2_event_mtp3_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 4))
if mibBuilder.loadTexts:
cgsp2EventMtp3Table.setStatus('current')
cgsp2_event_mtp3_table_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 4, 1)).setIndexNames((0, 'CISCO-ITP-GSP-MIB', 'cgspInstNetwork'), (0, 'CISCO-ITP-GSP2-MIB', 'cgsp2EventMtp3Index'))
if mibBuilder.loadTexts:
cgsp2EventMtp3TableEntry.setStatus('current')
cgsp2_event_mtp3_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 4, 1, 1), cgsp2_event_index())
if mibBuilder.loadTexts:
cgsp2EventMtp3Index.setStatus('current')
cgsp2_event_mtp3_text = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 4, 1, 2), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(1, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cgsp2EventMtp3Text.setStatus('current')
cgsp2_event_mtp3_timestamp = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 4, 1, 3), time_stamp()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cgsp2EventMtp3Timestamp.setStatus('current')
cgsp2_event_pc_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 5))
if mibBuilder.loadTexts:
cgsp2EventPcTable.setStatus('current')
cgsp2_event_pc_table_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 5, 1)).setIndexNames((0, 'CISCO-ITP-GSP-MIB', 'cgspInstNetwork'), (0, 'CISCO-ITP-GSP2-MIB', 'cgsp2EventPc'), (0, 'CISCO-ITP-GSP2-MIB', 'cgsp2EventPcIndex'))
if mibBuilder.loadTexts:
cgsp2EventPcTableEntry.setStatus('current')
cgsp2_event_pc = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 5, 1, 1), c_itp_tc_point_code())
if mibBuilder.loadTexts:
cgsp2EventPc.setStatus('current')
cgsp2_event_pc_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 5, 1, 2), cgsp2_event_index())
if mibBuilder.loadTexts:
cgsp2EventPcIndex.setStatus('current')
cgsp2_event_pc_text = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 5, 1, 3), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(1, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cgsp2EventPcText.setStatus('current')
cgsp2_event_pc_timestamp = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 1, 5, 1, 4), time_stamp()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cgsp2EventPcTimestamp.setStatus('current')
cgsp2_qos_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 2, 1))
if mibBuilder.loadTexts:
cgsp2QosTable.setStatus('current')
cgsp2_qos_table_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 2, 1, 1)).setIndexNames((0, 'CISCO-ITP-GSP-MIB', 'cgspInstNetwork'), (0, 'CISCO-ITP-GSP2-MIB', 'cgsp2QosClass'))
if mibBuilder.loadTexts:
cgsp2QosTableEntry.setStatus('current')
cgsp2_qos_class = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 2, 1, 1, 1), cgsp2_tc_qos_class())
if mibBuilder.loadTexts:
cgsp2QosClass.setStatus('current')
cgsp2_qos_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 2, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('ipPrecedence', 1), ('ipDscp', 2)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
cgsp2QosType.setStatus('current')
cgsp2_qos_precedence_value = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 2, 1, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(-1, 7))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
cgsp2QosPrecedenceValue.setStatus('current')
cgsp2_qos_ip_dscp = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 2, 1, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(-1, 63))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
cgsp2QosIpDscp.setStatus('current')
cgsp2_qos_acl_id = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 2, 1, 1, 5), c_itp_tc_acl_id()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
cgsp2QosAclId.setStatus('current')
cgsp2_qos_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 2, 1, 1, 6), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
cgsp2QosRowStatus.setStatus('current')
cgsp2_local_peer_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 3, 1))
if mibBuilder.loadTexts:
cgsp2LocalPeerTable.setStatus('current')
cgsp2_local_peer_table_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 3, 1, 1)).setIndexNames((0, 'CISCO-ITP-GSP2-MIB', 'cgsp2LocalPeerPort'))
if mibBuilder.loadTexts:
cgsp2LocalPeerTableEntry.setStatus('current')
cgsp2_local_peer_port = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 3, 1, 1, 1), inet_port_number())
if mibBuilder.loadTexts:
cgsp2LocalPeerPort.setStatus('current')
cgsp2_local_peer_slot_number = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 3, 1, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(-1, 32767)).clone(-1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cgsp2LocalPeerSlotNumber.setStatus('current')
cgsp2_local_peer_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 3, 1, 1, 3), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
cgsp2LocalPeerRowStatus.setStatus('current')
cgsp2_local_peer_processor_number = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 3, 1, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cgsp2LocalPeerProcessorNumber.setStatus('current')
cgsp2_lp_ip_addr_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 3, 2))
if mibBuilder.loadTexts:
cgsp2LpIpAddrTable.setStatus('current')
cgsp2_lp_ip_addr_table_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 3, 2, 1)).setIndexNames((0, 'CISCO-ITP-GSP2-MIB', 'cgsp2LocalPeerPort'), (0, 'CISCO-ITP-GSP2-MIB', 'cgsp2LpIpAddressNumber'))
if mibBuilder.loadTexts:
cgsp2LpIpAddrTableEntry.setStatus('current')
cgsp2_lp_ip_address_number = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 3, 2, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 65535)))
if mibBuilder.loadTexts:
cgsp2LpIpAddressNumber.setStatus('current')
cgsp2_lp_ip_address_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 3, 2, 1, 2), inet_address_type()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
cgsp2LpIpAddressType.setStatus('current')
cgsp2_lp_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 3, 2, 1, 3), inet_address()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
cgsp2LpIpAddress.setStatus('current')
cgsp2_lp_ip_address_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 3, 2, 1, 4), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
cgsp2LpIpAddressRowStatus.setStatus('current')
cgsp2_mtp3_errors_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 4, 1))
if mibBuilder.loadTexts:
cgsp2Mtp3ErrorsTable.setStatus('current')
cgsp2_mtp3_errors_table_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 4, 1, 1)).setIndexNames((0, 'CISCO-ITP-GSP2-MIB', 'cgsp2Mtp3ErrorsType'))
if mibBuilder.loadTexts:
cgsp2Mtp3ErrorsTableEntry.setStatus('current')
cgsp2_mtp3_errors_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 4, 1, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 65535)))
if mibBuilder.loadTexts:
cgsp2Mtp3ErrorsType.setStatus('current')
cgsp2_mtp3_errors_description = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 4, 1, 1, 2), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(1, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cgsp2Mtp3ErrorsDescription.setStatus('current')
cgsp2_mtp3_errors_count = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 4, 1, 1, 3), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cgsp2Mtp3ErrorsCount.setStatus('current')
cgsp2_context_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 6, 1))
if mibBuilder.loadTexts:
cgsp2ContextTable.setStatus('current')
cgsp2_context_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 6, 1, 1)).setIndexNames((0, 'CISCO-ITP-GSP2-MIB', 'cgsp2ContextIdentifier'))
if mibBuilder.loadTexts:
cgsp2ContextEntry.setStatus('current')
cgsp2_context_identifier = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 6, 1, 1, 1), c_itp_tc_context_id())
if mibBuilder.loadTexts:
cgsp2ContextIdentifier.setStatus('current')
cgsp2_context_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 6, 1, 1, 2), c_itp_tc_context_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cgsp2ContextType.setStatus('current')
cgsp2_context_linkset_name = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 6, 1, 1, 3), c_itp_tc_linkset_id()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cgsp2ContextLinksetName.setStatus('current')
cgsp2_context_slc = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 6, 1, 1, 4), c_itp_tc_link_slc()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cgsp2ContextSlc.setStatus('current')
cgsp2_context_as_name = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 6, 1, 1, 5), c_itp_tc_xua_name()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cgsp2ContextAsName.setStatus('current')
cgsp2_context_asp_name = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 6, 1, 1, 6), c_itp_tc_xua_name()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cgsp2ContextAspName.setStatus('current')
cgsp2_context_network_name = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 6, 1, 1, 7), c_itp_tc_network_name()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cgsp2ContextNetworkName.setStatus('current')
cgsp2_oper_mtp3_offload = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 5, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('main', 1), ('offload', 2))).clone('main')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cgsp2OperMtp3Offload.setStatus('current')
cgsp2_oper_redundancy = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 332, 1, 5, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('none', 1), ('local', 2), ('distributed', 3))).clone('none')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cgsp2OperRedundancy.setStatus('current')
cisco_gsp2_mib_compliances = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 332, 2, 1))
cisco_gsp2_mib_groups = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 332, 2, 2))
cisco_gsp2_mib_compliance = module_compliance((1, 3, 6, 1, 4, 1, 9, 9, 332, 2, 1, 1)).setObjects(('CISCO-ITP-GSP2-MIB', 'ciscoGsp2EventsGroup'), ('CISCO-ITP-GSP2-MIB', 'ciscoGsp2QosGroup'), ('CISCO-ITP-GSP2-MIB', 'ciscoGsp2LocalPeerGroup'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cisco_gsp2_mib_compliance = ciscoGsp2MIBCompliance.setStatus('deprecated')
cisco_gsp2_mib_compliance_rev1 = module_compliance((1, 3, 6, 1, 4, 1, 9, 9, 332, 2, 1, 2)).setObjects(('CISCO-ITP-GSP2-MIB', 'ciscoGsp2EventsGroup'), ('CISCO-ITP-GSP2-MIB', 'ciscoGsp2QosGroup'), ('CISCO-ITP-GSP2-MIB', 'ciscoGsp2LocalPeerGroup'), ('CISCO-ITP-GSP2-MIB', 'ciscoGsp2Mtp3ErrorsGroup'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cisco_gsp2_mib_compliance_rev1 = ciscoGsp2MIBComplianceRev1.setStatus('deprecated')
cisco_gsp2_mib_compliance_rev2 = module_compliance((1, 3, 6, 1, 4, 1, 9, 9, 332, 2, 1, 3)).setObjects(('CISCO-ITP-GSP2-MIB', 'ciscoGsp2EventsGroup'), ('CISCO-ITP-GSP2-MIB', 'ciscoGsp2QosGroup'), ('CISCO-ITP-GSP2-MIB', 'ciscoGsp2LocalPeerGroup'), ('CISCO-ITP-GSP2-MIB', 'ciscoGsp2Mtp3ErrorsGroup'), ('CISCO-ITP-GSP2-MIB', 'ciscoGsp2OperationGroup'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cisco_gsp2_mib_compliance_rev2 = ciscoGsp2MIBComplianceRev2.setStatus('deprecated')
cisco_gsp2_mib_compliance_rev3 = module_compliance((1, 3, 6, 1, 4, 1, 9, 9, 332, 2, 1, 4)).setObjects(('CISCO-ITP-GSP2-MIB', 'ciscoGsp2EventsGroup'), ('CISCO-ITP-GSP2-MIB', 'ciscoGsp2QosGroup'), ('CISCO-ITP-GSP2-MIB', 'ciscoGsp2Mtp3ErrorsGroup'), ('CISCO-ITP-GSP2-MIB', 'ciscoGsp2OperationGroup'), ('CISCO-ITP-GSP2-MIB', 'ciscoGsp2LocalPeerGroupSup1'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cisco_gsp2_mib_compliance_rev3 = ciscoGsp2MIBComplianceRev3.setStatus('deprecated')
cisco_gsp2_mib_compliance_rev4 = module_compliance((1, 3, 6, 1, 4, 1, 9, 9, 332, 2, 1, 5)).setObjects(('CISCO-ITP-GSP2-MIB', 'ciscoGsp2EventsGroup'), ('CISCO-ITP-GSP2-MIB', 'ciscoGsp2QosGroup'), ('CISCO-ITP-GSP2-MIB', 'ciscoGsp2LocalPeerGroup'), ('CISCO-ITP-GSP2-MIB', 'ciscoGsp2Mtp3ErrorsGroup'), ('CISCO-ITP-GSP2-MIB', 'ciscoGsp2OperationGroup'), ('CISCO-ITP-GSP2-MIB', 'ciscoGsp2LocalPeerGroupSup1'), ('CISCO-ITP-GSP2-MIB', 'ciscoGsp2ContextGroup'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cisco_gsp2_mib_compliance_rev4 = ciscoGsp2MIBComplianceRev4.setStatus('current')
cisco_gsp2_events_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 332, 2, 2, 1)).setObjects(('CISCO-ITP-GSP2-MIB', 'cgsp2EventLoggedEvents'), ('CISCO-ITP-GSP2-MIB', 'cgsp2EventDroppedEvents'), ('CISCO-ITP-GSP2-MIB', 'cgsp2EventMaxEntries'), ('CISCO-ITP-GSP2-MIB', 'cgsp2EventMaxEntriesAllowed'), ('CISCO-ITP-GSP2-MIB', 'cgsp2EventMtp3Text'), ('CISCO-ITP-GSP2-MIB', 'cgsp2EventMtp3Timestamp'), ('CISCO-ITP-GSP2-MIB', 'cgsp2EventAsText'), ('CISCO-ITP-GSP2-MIB', 'cgsp2EventAsTimestamp'), ('CISCO-ITP-GSP2-MIB', 'cgsp2EventAspText'), ('CISCO-ITP-GSP2-MIB', 'cgsp2EventAspTimestamp'), ('CISCO-ITP-GSP2-MIB', 'cgsp2EventPcText'), ('CISCO-ITP-GSP2-MIB', 'cgsp2EventPcTimestamp'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cisco_gsp2_events_group = ciscoGsp2EventsGroup.setStatus('current')
cisco_gsp2_qos_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 332, 2, 2, 2)).setObjects(('CISCO-ITP-GSP2-MIB', 'cgsp2QosType'), ('CISCO-ITP-GSP2-MIB', 'cgsp2QosPrecedenceValue'), ('CISCO-ITP-GSP2-MIB', 'cgsp2QosIpDscp'), ('CISCO-ITP-GSP2-MIB', 'cgsp2QosAclId'), ('CISCO-ITP-GSP2-MIB', 'cgsp2QosRowStatus'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cisco_gsp2_qos_group = ciscoGsp2QosGroup.setStatus('current')
cisco_gsp2_local_peer_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 332, 2, 2, 3)).setObjects(('CISCO-ITP-GSP2-MIB', 'cgsp2LocalPeerSlotNumber'), ('CISCO-ITP-GSP2-MIB', 'cgsp2LocalPeerRowStatus'), ('CISCO-ITP-GSP2-MIB', 'cgsp2LpIpAddressType'), ('CISCO-ITP-GSP2-MIB', 'cgsp2LpIpAddress'), ('CISCO-ITP-GSP2-MIB', 'cgsp2LpIpAddressRowStatus'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cisco_gsp2_local_peer_group = ciscoGsp2LocalPeerGroup.setStatus('current')
cisco_gsp2_mtp3_errors_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 332, 2, 2, 4)).setObjects(('CISCO-ITP-GSP2-MIB', 'cgsp2Mtp3ErrorsDescription'), ('CISCO-ITP-GSP2-MIB', 'cgsp2Mtp3ErrorsCount'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cisco_gsp2_mtp3_errors_group = ciscoGsp2Mtp3ErrorsGroup.setStatus('current')
cisco_gsp2_operation_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 332, 2, 2, 5)).setObjects(('CISCO-ITP-GSP2-MIB', 'cgsp2OperMtp3Offload'), ('CISCO-ITP-GSP2-MIB', 'cgsp2OperRedundancy'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cisco_gsp2_operation_group = ciscoGsp2OperationGroup.setStatus('current')
cisco_gsp2_local_peer_group_sup1 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 332, 2, 2, 6)).setObjects(('CISCO-ITP-GSP2-MIB', 'cgsp2LocalPeerProcessorNumber'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cisco_gsp2_local_peer_group_sup1 = ciscoGsp2LocalPeerGroupSup1.setStatus('current')
cisco_gsp2_context_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 332, 2, 2, 7)).setObjects(('CISCO-ITP-GSP2-MIB', 'cgsp2ContextType'), ('CISCO-ITP-GSP2-MIB', 'cgsp2ContextLinksetName'), ('CISCO-ITP-GSP2-MIB', 'cgsp2ContextSlc'), ('CISCO-ITP-GSP2-MIB', 'cgsp2ContextAsName'), ('CISCO-ITP-GSP2-MIB', 'cgsp2ContextAspName'), ('CISCO-ITP-GSP2-MIB', 'cgsp2ContextNetworkName'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cisco_gsp2_context_group = ciscoGsp2ContextGroup.setStatus('current')
mibBuilder.exportSymbols('CISCO-ITP-GSP2-MIB', cgsp2QosIpDscp=cgsp2QosIpDscp, cgsp2Mtp3Errors=cgsp2Mtp3Errors, cgsp2EventType=cgsp2EventType, cgsp2ContextEntry=cgsp2ContextEntry, ciscoGsp2MIBComplianceRev1=ciscoGsp2MIBComplianceRev1, cgsp2EventAsTableEntry=cgsp2EventAsTableEntry, cgsp2EventAspTableEntry=cgsp2EventAspTableEntry, cgsp2QosType=cgsp2QosType, ciscoGsp2MIBCompliance=ciscoGsp2MIBCompliance, cgsp2EventAsTimestamp=cgsp2EventAsTimestamp, cgsp2LocalPeerTable=cgsp2LocalPeerTable, cgsp2Mtp3ErrorsCount=cgsp2Mtp3ErrorsCount, cgsp2QosAclId=cgsp2QosAclId, cgsp2ContextNetworkName=cgsp2ContextNetworkName, PYSNMP_MODULE_ID=ciscoGsp2MIB, cgsp2QosTable=cgsp2QosTable, cgsp2QosPrecedenceValue=cgsp2QosPrecedenceValue, cgsp2QosClass=cgsp2QosClass, cgsp2EventLoggedEvents=cgsp2EventLoggedEvents, cgsp2EventPcTableEntry=cgsp2EventPcTableEntry, cgsp2EventMtp3Table=cgsp2EventMtp3Table, cgsp2ContextSlc=cgsp2ContextSlc, cgsp2Operation=cgsp2Operation, cgsp2EventMaxEntriesAllowed=cgsp2EventMaxEntriesAllowed, cgsp2EventPcText=cgsp2EventPcText, cgsp2QosRowStatus=cgsp2QosRowStatus, cgsp2LocalPeerRowStatus=cgsp2LocalPeerRowStatus, ciscoGsp2MIBNotifs=ciscoGsp2MIBNotifs, cgsp2Mtp3ErrorsDescription=cgsp2Mtp3ErrorsDescription, cgsp2LpIpAddress=cgsp2LpIpAddress, cgsp2EventAspName=cgsp2EventAspName, cgsp2Mtp3ErrorsTable=cgsp2Mtp3ErrorsTable, cgsp2OperMtp3Offload=cgsp2OperMtp3Offload, cgsp2Mtp3ErrorsType=cgsp2Mtp3ErrorsType, ciscoGsp2QosGroup=ciscoGsp2QosGroup, cgsp2LpIpAddrTable=cgsp2LpIpAddrTable, cgsp2EventAsTable=cgsp2EventAsTable, cgsp2EventMtp3Text=cgsp2EventMtp3Text, ciscoGsp2MIBComplianceRev2=ciscoGsp2MIBComplianceRev2, cgsp2LocalPeerPort=cgsp2LocalPeerPort, cgsp2LocalPeerSlotNumber=cgsp2LocalPeerSlotNumber, ciscoGsp2MIBObjects=ciscoGsp2MIBObjects, cgsp2Context=cgsp2Context, cgsp2EventMaxEntries=cgsp2EventMaxEntries, ciscoGsp2LocalPeerGroup=ciscoGsp2LocalPeerGroup, cgsp2Qos=cgsp2Qos, ciscoGsp2EventsGroup=ciscoGsp2EventsGroup, ciscoGsp2MIBConform=ciscoGsp2MIBConform, cgsp2QosTableEntry=cgsp2QosTableEntry, cgsp2LpIpAddressNumber=cgsp2LpIpAddressNumber, cgsp2ContextLinksetName=cgsp2ContextLinksetName, cgsp2LpIpAddressType=cgsp2LpIpAddressType, cgsp2ContextIdentifier=cgsp2ContextIdentifier, cgsp2EventAspTimestamp=cgsp2EventAspTimestamp, cgsp2OperRedundancy=cgsp2OperRedundancy, cgsp2EventAsName=cgsp2EventAsName, ciscoGsp2ContextGroup=ciscoGsp2ContextGroup, ciscoGsp2MIBCompliances=ciscoGsp2MIBCompliances, cgsp2EventAspText=cgsp2EventAspText, ciscoGsp2LocalPeerGroupSup1=ciscoGsp2LocalPeerGroupSup1, cgsp2EventTableEntry=cgsp2EventTableEntry, cgsp2Mtp3ErrorsTableEntry=cgsp2Mtp3ErrorsTableEntry, CItpTcContextType=CItpTcContextType, cgsp2EventAspIndex=cgsp2EventAspIndex, cgsp2LpIpAddressRowStatus=cgsp2LpIpAddressRowStatus, cgsp2ContextType=cgsp2ContextType, cgsp2EventPcTimestamp=cgsp2EventPcTimestamp, cgsp2EventPc=cgsp2EventPc, Cgsp2EventIndex=Cgsp2EventIndex, cgsp2EventMtp3Timestamp=cgsp2EventMtp3Timestamp, cgsp2EventPcTable=cgsp2EventPcTable, cgsp2EventAsText=cgsp2EventAsText, ciscoGsp2MIBGroups=ciscoGsp2MIBGroups, cgsp2EventAspTable=cgsp2EventAspTable, cgsp2EventDroppedEvents=cgsp2EventDroppedEvents, ciscoGsp2MIBComplianceRev3=ciscoGsp2MIBComplianceRev3, cgsp2EventTable=cgsp2EventTable, cgsp2ContextAspName=cgsp2ContextAspName, CItpTcContextId=CItpTcContextId, cgsp2EventAsIndex=cgsp2EventAsIndex, cgsp2EventMtp3Index=cgsp2EventMtp3Index, ciscoGsp2OperationGroup=ciscoGsp2OperationGroup, cgsp2LpIpAddrTableEntry=cgsp2LpIpAddrTableEntry, cgsp2LocalPeerProcessorNumber=cgsp2LocalPeerProcessorNumber, ciscoGsp2MIB=ciscoGsp2MIB, cgsp2ContextAsName=cgsp2ContextAsName, ciscoGsp2Mtp3ErrorsGroup=ciscoGsp2Mtp3ErrorsGroup, cgsp2EventPcIndex=cgsp2EventPcIndex, cgsp2EventMtp3TableEntry=cgsp2EventMtp3TableEntry, cgsp2ContextTable=cgsp2ContextTable, Cgsp2TcQosClass=Cgsp2TcQosClass, cgsp2LocalPeerTableEntry=cgsp2LocalPeerTableEntry, cgsp2Events=cgsp2Events, ciscoGsp2MIBComplianceRev4=ciscoGsp2MIBComplianceRev4, cgsp2LocalPeer=cgsp2LocalPeer)
|
entries = []
def parse(line):
return list(map(lambda x: tuple(x.strip().split(' ')), line.strip().split('|')))
with open("input") as file:
entries = list(map(parse, file))
count = 0
total = 0
for segments, outputs in entries:
dict = {}
for segment in segments:
length = len(segment)
if length == 2:
dict[1] = segment
elif length == 4:
dict[4] = segment
elif length == 3:
dict[7] = segment
elif length == 7:
dict[8] = segment
num = ''
for output in outputs:
length = len(output)
if length == 2:
num += '1'
count += 1
elif length == 4:
num += '4'
count += 1
elif length == 3:
num += '7'
count += 1
elif length == 7:
num += '8'
count += 1
elif length == 5:
if len(set(output).intersection(dict[1])) == 2:
num += '3'
elif len(set(output).intersection(dict[4])) == 2:
num += '2'
else:
num += '5'
elif length == 6:
if len(set(output).intersection(dict[1])) == 1:
num += '6'
elif len(set(output).intersection(dict[4])) == 4:
num += '9'
else:
num += '0'
total += int(num)
print('part 1')
print(count)
print("part 2")
print(total)
|
entries = []
def parse(line):
return list(map(lambda x: tuple(x.strip().split(' ')), line.strip().split('|')))
with open('input') as file:
entries = list(map(parse, file))
count = 0
total = 0
for (segments, outputs) in entries:
dict = {}
for segment in segments:
length = len(segment)
if length == 2:
dict[1] = segment
elif length == 4:
dict[4] = segment
elif length == 3:
dict[7] = segment
elif length == 7:
dict[8] = segment
num = ''
for output in outputs:
length = len(output)
if length == 2:
num += '1'
count += 1
elif length == 4:
num += '4'
count += 1
elif length == 3:
num += '7'
count += 1
elif length == 7:
num += '8'
count += 1
elif length == 5:
if len(set(output).intersection(dict[1])) == 2:
num += '3'
elif len(set(output).intersection(dict[4])) == 2:
num += '2'
else:
num += '5'
elif length == 6:
if len(set(output).intersection(dict[1])) == 1:
num += '6'
elif len(set(output).intersection(dict[4])) == 4:
num += '9'
else:
num += '0'
total += int(num)
print('part 1')
print(count)
print('part 2')
print(total)
|
a = [1, 2, 3, 4, 5]
print(a)
a.clear()
print(a)
|
a = [1, 2, 3, 4, 5]
print(a)
a.clear()
print(a)
|
#!/usr/bin/python
n = int(input())
for i in range(0, n):
row = input().strip()
for j in range(0, n):
if row[j] == 'm':
robot_x = j
robot_y = i
if row[j] == 'p':
princess_x = j
princess_y = i
for i in range(0, abs(robot_x - princess_x)):
if princess_x > robot_x:
print("RIGHT")
else:
print("LEFT")
for i in range(0, abs(robot_y - princess_y)):
if princess_y > robot_y:
print("DOWN")
else:
print("UP")
|
n = int(input())
for i in range(0, n):
row = input().strip()
for j in range(0, n):
if row[j] == 'm':
robot_x = j
robot_y = i
if row[j] == 'p':
princess_x = j
princess_y = i
for i in range(0, abs(robot_x - princess_x)):
if princess_x > robot_x:
print('RIGHT')
else:
print('LEFT')
for i in range(0, abs(robot_y - princess_y)):
if princess_y > robot_y:
print('DOWN')
else:
print('UP')
|
class Solution:
def reverseVowels(self, s: str) -> str:
vows = [ch for ch in s[::-1] if ch.lower() in "aeiou"]
chars = list(s)
x = 0
for i, ch in enumerate(chars):
if ch.lower() in "aeiou":
chars[i] = vows[x]
x += 1
return "".join(chars)
if __name__ == '__main__':
s = input("Input: ")
print(f"Output: {Solution().reverseVowels(s)}")
|
class Solution:
def reverse_vowels(self, s: str) -> str:
vows = [ch for ch in s[::-1] if ch.lower() in 'aeiou']
chars = list(s)
x = 0
for (i, ch) in enumerate(chars):
if ch.lower() in 'aeiou':
chars[i] = vows[x]
x += 1
return ''.join(chars)
if __name__ == '__main__':
s = input('Input: ')
print(f'Output: {solution().reverseVowels(s)}')
|
def defaultParamSet():
class P():
def __init__(self):
# MAP-Elites Parameters
self.nChildren = 2**7
self.mutSigma = 0.1
self.nGens = 2**8
# Infill Parameters
self.nInitialSamples = 50
self.nAdditionalSamples = 10
self.nTotalSamples = 500
self.trainingMod = 2
# Display Parameters
self.display_figs = False
self.display_gifs = False
self.display_illu = False
self.display_illuMod = self.nGens
# Data Gathering Parameters
self.data_outSave = True
self.data_outMod = 50
self.data_mapEval = False
self.data_mapEvalMod = self.nTotalSamples
self.data_outPath = ''
return P()
|
def default_param_set():
class P:
def __init__(self):
self.nChildren = 2 ** 7
self.mutSigma = 0.1
self.nGens = 2 ** 8
self.nInitialSamples = 50
self.nAdditionalSamples = 10
self.nTotalSamples = 500
self.trainingMod = 2
self.display_figs = False
self.display_gifs = False
self.display_illu = False
self.display_illuMod = self.nGens
self.data_outSave = True
self.data_outMod = 50
self.data_mapEval = False
self.data_mapEvalMod = self.nTotalSamples
self.data_outPath = ''
return p()
|
def fatorial(n):
f = 1
for i in range(n, 0, -1):
f *= i
return f
def dobro(n):
return n*2
def triplo(n):
return n*3
|
def fatorial(n):
f = 1
for i in range(n, 0, -1):
f *= i
return f
def dobro(n):
return n * 2
def triplo(n):
return n * 3
|
class Solution:
# @return a list of integers
def getRow(self, rowIndex):
tri = [1]
for i in range(rowIndex):
for j in range(len(tri) - 2, -1, -1):
tri[j + 1] = tri[j] + tri[j + 1]
tri.append(1)
return tri
|
class Solution:
def get_row(self, rowIndex):
tri = [1]
for i in range(rowIndex):
for j in range(len(tri) - 2, -1, -1):
tri[j + 1] = tri[j] + tri[j + 1]
tri.append(1)
return tri
|
#
# PySNMP MIB module WWP-LEOS-LLDP-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/WWP-LEOS-LLDP-MIB
# Produced by pysmi-0.3.4 at Mon Apr 29 21:31:15 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
Integer, OctetString, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "Integer", "OctetString", "ObjectIdentifier")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ValueSizeConstraint, ConstraintsIntersection, ConstraintsUnion, SingleValueConstraint, ValueRangeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueSizeConstraint", "ConstraintsIntersection", "ConstraintsUnion", "SingleValueConstraint", "ValueRangeConstraint")
AddressFamilyNumbers, = mibBuilder.importSymbols("IANA-ADDRESS-FAMILY-NUMBERS-MIB", "AddressFamilyNumbers")
NotificationGroup, ModuleCompliance, ObjectGroup = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance", "ObjectGroup")
Integer32, TimeTicks, MibIdentifier, ModuleIdentity, Counter64, ObjectIdentity, Unsigned32, Gauge32, IpAddress, Bits, Counter32, NotificationType, MibScalar, MibTable, MibTableRow, MibTableColumn, iso = mibBuilder.importSymbols("SNMPv2-SMI", "Integer32", "TimeTicks", "MibIdentifier", "ModuleIdentity", "Counter64", "ObjectIdentity", "Unsigned32", "Gauge32", "IpAddress", "Bits", "Counter32", "NotificationType", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "iso")
DisplayString, TimeStamp, TextualConvention, TruthValue = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "TimeStamp", "TextualConvention", "TruthValue")
wwpModules, wwpModulesLeos = mibBuilder.importSymbols("WWP-SMI", "wwpModules", "wwpModulesLeos")
wwpLeosLldpMIB = ModuleIdentity((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26))
wwpLeosLldpMIB.setRevisions(('2004-04-18 00:00', '2003-04-23 00:00',))
if mibBuilder.loadTexts: wwpLeosLldpMIB.setLastUpdated('200404180000Z')
if mibBuilder.loadTexts: wwpLeosLldpMIB.setOrganization('IEEE 802.1AB Workgroup')
wwpLeosLldpMIBObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1))
wwpLeosLldpConfiguration = MibIdentifier((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 1))
wwpLeosLldpStatistics = MibIdentifier((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 2))
wwpLeosLldpLocalSystemData = MibIdentifier((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3))
wwpLeosLldpRemoteSystemsData = MibIdentifier((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4))
wwpLeosLldpExtentions = MibIdentifier((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 5))
wwpLeosLldpGlobalAtts = MibIdentifier((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 6))
wwpLeosLldpNotifMIBNotificationPrefix = MibIdentifier((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 3))
wwpLeosLldpNotifMIBNotification = MibIdentifier((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 3, 0))
class TimeFilter(TextualConvention, TimeTicks):
status = 'deprecated'
class SnmpAdminString(TextualConvention, OctetString):
status = 'deprecated'
displayHint = '255a'
subtypeSpec = OctetString.subtypeSpec + ValueSizeConstraint(0, 255)
class WwpLeosLldpChassisIdType(TextualConvention, Integer32):
status = 'deprecated'
subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))
namedValues = NamedValues(("entPhysicalAlias", 1), ("ifAlias", 2), ("portEntPhysicalAlias", 3), ("backplaneEntPhysicalAlias", 4), ("macAddress", 5), ("networkAddress", 6), ("local", 7))
class WwpLeosLldpChassisId(TextualConvention, OctetString):
status = 'deprecated'
subtypeSpec = OctetString.subtypeSpec + ValueSizeConstraint(1, 255)
class WwpLeosLldpPortIdType(TextualConvention, Integer32):
status = 'deprecated'
subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))
namedValues = NamedValues(("ifAlias", 1), ("portEntPhysicalAlias", 2), ("backplaneEntPhysicalAlias", 3), ("macAddress", 4), ("networkAddress", 5), ("local", 6))
class WwpLeosLldpPortId(TextualConvention, OctetString):
status = 'deprecated'
subtypeSpec = OctetString.subtypeSpec + ValueSizeConstraint(1, 255)
class WwpLeosLldpManAddrIfSubtype(TextualConvention, Integer32):
status = 'deprecated'
subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3))
namedValues = NamedValues(("unknown", 1), ("ifIndex", 2), ("systemPortNumber", 3))
class WwpLeosLldpManAddress(TextualConvention, OctetString):
status = 'deprecated'
subtypeSpec = OctetString.subtypeSpec + ValueSizeConstraint(1, 31)
class WwpLeosLldpSystemCapabilitiesMap(TextualConvention, Bits):
status = 'deprecated'
namedValues = NamedValues(("repeater", 0), ("bridge", 1), ("accessPoint", 2), ("router", 3), ("telephone", 4), ("wirelessStation", 5), ("stationOnly", 6))
class WwpLeosLldpPortNumber(TextualConvention, Integer32):
status = 'deprecated'
displayHint = 'd'
subtypeSpec = Integer32.subtypeSpec + ValueRangeConstraint(1, 1024)
class WwpLeosLldpPortList(TextualConvention, OctetString):
reference = 'description is taken from RFC 2674, Section 5'
status = 'deprecated'
wwpLeosLldpMessageTxInterval = MibScalar((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(5, 32768)).clone(30)).setUnits('seconds').setMaxAccess("readwrite")
if mibBuilder.loadTexts: wwpLeosLldpMessageTxInterval.setStatus('deprecated')
wwpLeosLldpMessageTxHoldMultiplier = MibScalar((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(2, 10)).clone(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wwpLeosLldpMessageTxHoldMultiplier.setStatus('deprecated')
wwpLeosLldpReinitDelay = MibScalar((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 10)).clone(1)).setUnits('seconds').setMaxAccess("readwrite")
if mibBuilder.loadTexts: wwpLeosLldpReinitDelay.setStatus('deprecated')
wwpLeosLldpTxDelay = MibScalar((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 8192)).clone(8)).setUnits('seconds').setMaxAccess("readwrite")
if mibBuilder.loadTexts: wwpLeosLldpTxDelay.setStatus('deprecated')
wwpLeosLldpPortConfigTable = MibTable((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 1, 5), )
if mibBuilder.loadTexts: wwpLeosLldpPortConfigTable.setStatus('deprecated')
wwpLeosLldpPortConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 1, 5, 1), ).setIndexNames((0, "WWP-LEOS-LLDP-MIB", "wwpLeosLldpPortConfigPortNum"))
if mibBuilder.loadTexts: wwpLeosLldpPortConfigEntry.setStatus('deprecated')
wwpLeosLldpPortConfigPortNum = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 1, 5, 1, 1), WwpLeosLldpPortNumber()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: wwpLeosLldpPortConfigPortNum.setStatus('deprecated')
wwpLeosLldpPortConfigAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 1, 5, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("txOnly", 1), ("rxOnly", 2), ("txAndRx", 3), ("disabled", 4))).clone(3)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wwpLeosLldpPortConfigAdminStatus.setStatus('deprecated')
wwpLeosLldpPortConfigTLVsTxEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 1, 5, 1, 3), Bits().clone(namedValues=NamedValues(("portDesc", 4), ("sysName", 5), ("sysDesc", 6), ("sysCap", 7))).clone(namedValues=NamedValues(("portDesc", 4), ("sysName", 5), ("sysDesc", 6), ("sysCap", 7)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wwpLeosLldpPortConfigTLVsTxEnable.setStatus('deprecated')
wwpLeosLldpPortConfigStatsClear = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 1, 5, 1, 4), TruthValue()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wwpLeosLldpPortConfigStatsClear.setStatus('current')
wwpLeosLldpPortConfigOperPortSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 1, 5, 1, 5), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wwpLeosLldpPortConfigOperPortSpeed.setStatus('current')
wwpLeosLldpPortConfigReqPortSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 1, 5, 1, 6), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wwpLeosLldpPortConfigReqPortSpeed.setStatus('current')
wwpLeosLldpConfigManAddrTable = MibTable((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 1, 6), )
if mibBuilder.loadTexts: wwpLeosLldpConfigManAddrTable.setStatus('deprecated')
wwpLeosLldpManAddrPortsTxEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 1, 6, 1, 1), WwpLeosLldpPortList()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wwpLeosLldpManAddrPortsTxEnable.setStatus('deprecated')
wwpLeosLldpStatsTable = MibTable((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 2, 1), )
if mibBuilder.loadTexts: wwpLeosLldpStatsTable.setStatus('deprecated')
wwpLeosLldpStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 2, 1, 1), ).setIndexNames((0, "WWP-LEOS-LLDP-MIB", "wwpLeosLldpStatsPortNum"))
if mibBuilder.loadTexts: wwpLeosLldpStatsEntry.setStatus('deprecated')
wwpLeosLldpStatsPortNum = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 2, 1, 1, 1), WwpLeosLldpPortNumber())
if mibBuilder.loadTexts: wwpLeosLldpStatsPortNum.setStatus('deprecated')
wwpLeosLldpStatsFramesDiscardedTotal = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 2, 1, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wwpLeosLldpStatsFramesDiscardedTotal.setStatus('deprecated')
wwpLeosLldpStatsFramesInErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 2, 1, 1, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wwpLeosLldpStatsFramesInErrors.setStatus('deprecated')
wwpLeosLldpStatsFramesInTotal = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 2, 1, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wwpLeosLldpStatsFramesInTotal.setStatus('deprecated')
wwpLeosLldpStatsFramesOutTotal = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 2, 1, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wwpLeosLldpStatsFramesOutTotal.setStatus('deprecated')
wwpLeosLldpStatsTLVsInErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 2, 1, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wwpLeosLldpStatsTLVsInErrors.setStatus('deprecated')
wwpLeosLldpStatsTLVsDiscardedTotal = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 2, 1, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wwpLeosLldpStatsTLVsDiscardedTotal.setStatus('deprecated')
wwpLeosLldpStatsTLVsUnrecognizedTotal = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 2, 1, 1, 8), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wwpLeosLldpStatsTLVsUnrecognizedTotal.setStatus('deprecated')
wwpLeosLldpCounterDiscontinuityTime = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 2, 1, 1, 9), TimeStamp()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wwpLeosLldpCounterDiscontinuityTime.setStatus('deprecated')
wwpLeosLldpLocChassisType = MibScalar((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3, 1), WwpLeosLldpChassisIdType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wwpLeosLldpLocChassisType.setStatus('deprecated')
wwpLeosLldpLocChassisId = MibScalar((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3, 2), WwpLeosLldpChassisId()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wwpLeosLldpLocChassisId.setStatus('deprecated')
wwpLeosLldpLocSysName = MibScalar((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3, 3), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wwpLeosLldpLocSysName.setStatus('deprecated')
wwpLeosLldpLocSysDesc = MibScalar((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3, 4), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wwpLeosLldpLocSysDesc.setStatus('deprecated')
wwpLeosLldpLocSysCapSupported = MibScalar((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3, 5), WwpLeosLldpSystemCapabilitiesMap()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wwpLeosLldpLocSysCapSupported.setStatus('deprecated')
wwpLeosLldpLocSysCapEnabled = MibScalar((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3, 6), WwpLeosLldpSystemCapabilitiesMap()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wwpLeosLldpLocSysCapEnabled.setStatus('deprecated')
wwpLeosLldpLocPortTable = MibTable((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3, 7), )
if mibBuilder.loadTexts: wwpLeosLldpLocPortTable.setStatus('deprecated')
wwpLeosLldpLocPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3, 7, 1), ).setIndexNames((0, "WWP-LEOS-LLDP-MIB", "wwpLeosLldpLocPortNum"))
if mibBuilder.loadTexts: wwpLeosLldpLocPortEntry.setStatus('deprecated')
wwpLeosLldpLocPortNum = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3, 7, 1, 1), WwpLeosLldpPortNumber())
if mibBuilder.loadTexts: wwpLeosLldpLocPortNum.setStatus('deprecated')
wwpLeosLldpLocPortType = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3, 7, 1, 2), WwpLeosLldpPortIdType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wwpLeosLldpLocPortType.setStatus('deprecated')
wwpLeosLldpLocPortId = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3, 7, 1, 3), WwpLeosLldpPortId()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wwpLeosLldpLocPortId.setStatus('deprecated')
wwpLeosLldpLocPortDesc = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3, 7, 1, 4), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wwpLeosLldpLocPortDesc.setStatus('deprecated')
wwpLeosLldpLocManAddrTable = MibTable((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3, 8), )
if mibBuilder.loadTexts: wwpLeosLldpLocManAddrTable.setStatus('deprecated')
wwpLeosLldpLocManAddrEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3, 8, 1), ).setIndexNames((0, "WWP-LEOS-LLDP-MIB", "wwpLeosLldpLocManAddrType"), (0, "WWP-LEOS-LLDP-MIB", "wwpLeosLldpLocManAddr"))
if mibBuilder.loadTexts: wwpLeosLldpLocManAddrEntry.setStatus('deprecated')
wwpLeosLldpConfigManAddrEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 1, 6, 1), )
wwpLeosLldpLocManAddrEntry.registerAugmentions(("WWP-LEOS-LLDP-MIB", "wwpLeosLldpConfigManAddrEntry"))
wwpLeosLldpConfigManAddrEntry.setIndexNames(*wwpLeosLldpLocManAddrEntry.getIndexNames())
if mibBuilder.loadTexts: wwpLeosLldpConfigManAddrEntry.setStatus('deprecated')
wwpLeosLldpLocManAddrType = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3, 8, 1, 1), AddressFamilyNumbers())
if mibBuilder.loadTexts: wwpLeosLldpLocManAddrType.setStatus('deprecated')
wwpLeosLldpLocManAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3, 8, 1, 2), WwpLeosLldpManAddress())
if mibBuilder.loadTexts: wwpLeosLldpLocManAddr.setStatus('deprecated')
wwpLeosLldpLocManAddrLen = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3, 8, 1, 3), Integer32())
if mibBuilder.loadTexts: wwpLeosLldpLocManAddrLen.setStatus('deprecated')
wwpLeosLldpLocManAddrIfSubtype = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3, 8, 1, 4), WwpLeosLldpManAddrIfSubtype()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wwpLeosLldpLocManAddrIfSubtype.setStatus('deprecated')
wwpLeosLldpLocManAddrIfId = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3, 8, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wwpLeosLldpLocManAddrIfId.setStatus('deprecated')
wwpLeosLldpLocManAddrOID = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3, 8, 1, 6), ObjectIdentifier()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wwpLeosLldpLocManAddrOID.setStatus('deprecated')
wwpLeosLldpRemTable = MibTable((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 1), )
if mibBuilder.loadTexts: wwpLeosLldpRemTable.setStatus('deprecated')
wwpLeosLldpRemEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 1, 1), ).setIndexNames((0, "WWP-LEOS-LLDP-MIB", "wwpLeosLldpRemTimeMark"), (0, "WWP-LEOS-LLDP-MIB", "wwpLeosLldpRemLocalPortNum"), (0, "WWP-LEOS-LLDP-MIB", "wwpLeosLldpRemIndex"))
if mibBuilder.loadTexts: wwpLeosLldpRemEntry.setStatus('deprecated')
wwpLeosLldpRemTimeMark = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 1, 1, 1), TimeFilter())
if mibBuilder.loadTexts: wwpLeosLldpRemTimeMark.setStatus('deprecated')
wwpLeosLldpRemLocalPortNum = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 1, 1, 2), WwpLeosLldpPortNumber())
if mibBuilder.loadTexts: wwpLeosLldpRemLocalPortNum.setStatus('deprecated')
wwpLeosLldpRemIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 1, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647)))
if mibBuilder.loadTexts: wwpLeosLldpRemIndex.setStatus('deprecated')
wwpLeosLldpRemRemoteChassisType = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 1, 1, 4), WwpLeosLldpChassisIdType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wwpLeosLldpRemRemoteChassisType.setStatus('deprecated')
wwpLeosLldpRemRemoteChassis = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 1, 1, 5), WwpLeosLldpChassisId()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wwpLeosLldpRemRemoteChassis.setStatus('deprecated')
wwpLeosLldpRemRemotePortType = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 1, 1, 6), WwpLeosLldpPortIdType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wwpLeosLldpRemRemotePortType.setStatus('deprecated')
wwpLeosLldpRemRemotePort = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 1, 1, 7), WwpLeosLldpPortId()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wwpLeosLldpRemRemotePort.setStatus('deprecated')
wwpLeosLldpRemPortDesc = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 1, 1, 8), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wwpLeosLldpRemPortDesc.setStatus('deprecated')
wwpLeosLldpRemSysName = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 1, 1, 9), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wwpLeosLldpRemSysName.setStatus('deprecated')
wwpLeosLldpRemSysDesc = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 1, 1, 10), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wwpLeosLldpRemSysDesc.setStatus('deprecated')
wwpLeosLldpRemSysCapSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 1, 1, 11), WwpLeosLldpSystemCapabilitiesMap()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wwpLeosLldpRemSysCapSupported.setStatus('deprecated')
wwpLeosLldpRemSysCapEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 1, 1, 12), WwpLeosLldpSystemCapabilitiesMap()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wwpLeosLldpRemSysCapEnabled.setStatus('deprecated')
wwpLeosLldpRemManAddrTable = MibTable((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 2), )
if mibBuilder.loadTexts: wwpLeosLldpRemManAddrTable.setStatus('deprecated')
wwpLeosLldpRemManAddrEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 2, 1), ).setIndexNames((0, "WWP-LEOS-LLDP-MIB", "wwpLeosLldpRemTimeMark"), (0, "WWP-LEOS-LLDP-MIB", "wwpLeosLldpRemLocalPortNum"), (0, "WWP-LEOS-LLDP-MIB", "wwpLeosLldpRemIndex"), (0, "WWP-LEOS-LLDP-MIB", "wwpLeosLldpRemManAddrType"), (0, "WWP-LEOS-LLDP-MIB", "wwpLeosLldpRemManAddr"))
if mibBuilder.loadTexts: wwpLeosLldpRemManAddrEntry.setStatus('deprecated')
wwpLeosLldpRemManAddrType = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 2, 1, 1), AddressFamilyNumbers())
if mibBuilder.loadTexts: wwpLeosLldpRemManAddrType.setStatus('deprecated')
wwpLeosLldpRemManAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 2, 1, 2), WwpLeosLldpManAddress())
if mibBuilder.loadTexts: wwpLeosLldpRemManAddr.setStatus('deprecated')
wwpLeosLldpRemManAddrIfSubtype = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 2, 1, 3), WwpLeosLldpManAddrIfSubtype()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wwpLeosLldpRemManAddrIfSubtype.setStatus('deprecated')
wwpLeosLldpRemManAddrIfId = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 2, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wwpLeosLldpRemManAddrIfId.setStatus('deprecated')
wwpLeosLldpRemManAddrOID = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 2, 1, 5), ObjectIdentifier()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wwpLeosLldpRemManAddrOID.setStatus('deprecated')
wwpLeosLldpRemUnknownTLVTable = MibTable((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 3), )
if mibBuilder.loadTexts: wwpLeosLldpRemUnknownTLVTable.setStatus('deprecated')
wwpLeosLldpRemUnknownTLVEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 3, 1), ).setIndexNames((0, "WWP-LEOS-LLDP-MIB", "wwpLeosLldpRemTimeMark"), (0, "WWP-LEOS-LLDP-MIB", "wwpLeosLldpRemLocalPortNum"), (0, "WWP-LEOS-LLDP-MIB", "wwpLeosLldpRemIndex"))
if mibBuilder.loadTexts: wwpLeosLldpRemUnknownTLVEntry.setStatus('deprecated')
wwpLeosLldpRemUnknownTLVType = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(9, 126)))
if mibBuilder.loadTexts: wwpLeosLldpRemUnknownTLVType.setStatus('deprecated')
wwpLeosLldpRemUnknownTLVInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 3, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 511))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wwpLeosLldpRemUnknownTLVInfo.setStatus('deprecated')
wwpLeosLldpRemOrgDefInfoTable = MibTable((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 4), )
if mibBuilder.loadTexts: wwpLeosLldpRemOrgDefInfoTable.setStatus('deprecated')
wwpLeosLldpRemOrgDefInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 4, 1), ).setIndexNames((0, "WWP-LEOS-LLDP-MIB", "wwpLeosLldpRemTimeMark"), (0, "WWP-LEOS-LLDP-MIB", "wwpLeosLldpRemLocalPortNum"), (0, "WWP-LEOS-LLDP-MIB", "wwpLeosLldpRemIndex"), (0, "WWP-LEOS-LLDP-MIB", "wwpLeosLldpRemOrgDefInfoOUI"), (0, "WWP-LEOS-LLDP-MIB", "wwpLeosLldpRemOrgDefInfoSubtype"), (0, "WWP-LEOS-LLDP-MIB", "wwpLeosLldpRemOrgDefInfoIndex"))
if mibBuilder.loadTexts: wwpLeosLldpRemOrgDefInfoEntry.setStatus('deprecated')
wwpLeosLldpRemOrgDefInfoOUI = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 4, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(3, 3)).setFixedLength(3))
if mibBuilder.loadTexts: wwpLeosLldpRemOrgDefInfoOUI.setStatus('deprecated')
wwpLeosLldpRemOrgDefInfoSubtype = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 4, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 255)))
if mibBuilder.loadTexts: wwpLeosLldpRemOrgDefInfoSubtype.setStatus('deprecated')
wwpLeosLldpRemOrgDefInfoIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 4, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647)))
if mibBuilder.loadTexts: wwpLeosLldpRemOrgDefInfoIndex.setStatus('deprecated')
wwpLeosLldpRemOrgDefInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 4, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 507))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wwpLeosLldpRemOrgDefInfo.setStatus('deprecated')
wwpLeosLldpStatsClear = MibScalar((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 6, 1), TruthValue()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wwpLeosLldpStatsClear.setStatus('current')
wwpLeosLldpConformance = MibIdentifier((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 2))
wwpLeosLldpCompliances = MibIdentifier((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 2, 1))
wwpLeosLldpGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 2, 2))
wwpLeosLldpCompliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 2, 1, 1)).setObjects(("WWP-LEOS-LLDP-MIB", "wwpLeosLldpConfigGroup"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpStatsGroup"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpLocSysGroup"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpRemSysGroup"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpOptLocSysGroup"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
wwpLeosLldpCompliance = wwpLeosLldpCompliance.setStatus('deprecated')
wwpLeosLldpConfigGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 2, 2, 1)).setObjects(("WWP-LEOS-LLDP-MIB", "wwpLeosLldpMessageTxInterval"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpMessageTxHoldMultiplier"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpReinitDelay"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpTxDelay"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpPortConfigAdminStatus"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpPortConfigTLVsTxEnable"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpManAddrPortsTxEnable"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
wwpLeosLldpConfigGroup = wwpLeosLldpConfigGroup.setStatus('deprecated')
wwpLeosLldpStatsGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 2, 2, 2)).setObjects(("WWP-LEOS-LLDP-MIB", "wwpLeosLldpStatsFramesDiscardedTotal"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpStatsFramesInErrors"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpStatsFramesInTotal"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpStatsFramesOutTotal"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpStatsTLVsInErrors"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpStatsTLVsDiscardedTotal"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpStatsTLVsUnrecognizedTotal"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpCounterDiscontinuityTime"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
wwpLeosLldpStatsGroup = wwpLeosLldpStatsGroup.setStatus('deprecated')
wwpLeosLldpLocSysGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 2, 2, 3)).setObjects(("WWP-LEOS-LLDP-MIB", "wwpLeosLldpLocChassisType"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpLocChassisId"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpLocPortType"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpLocPortId"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
wwpLeosLldpLocSysGroup = wwpLeosLldpLocSysGroup.setStatus('deprecated')
wwpLeosLldpOptLocSysGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 2, 2, 4)).setObjects(("WWP-LEOS-LLDP-MIB", "wwpLeosLldpLocPortDesc"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpLocSysDesc"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpLocSysName"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpLocSysCapSupported"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpLocSysCapEnabled"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpLocManAddrIfSubtype"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpLocManAddrIfId"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpLocManAddrOID"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
wwpLeosLldpOptLocSysGroup = wwpLeosLldpOptLocSysGroup.setStatus('deprecated')
wwpLeosLldpRemSysGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 2, 2, 5)).setObjects(("WWP-LEOS-LLDP-MIB", "wwpLeosLldpRemRemoteChassisType"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpRemRemoteChassis"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpRemRemotePortType"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpRemRemotePort"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpRemPortDesc"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpRemSysName"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpRemSysDesc"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpRemSysCapSupported"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpRemSysCapEnabled"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpRemManAddrIfSubtype"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpRemManAddrIfId"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpRemManAddrOID"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpRemUnknownTLVInfo"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpRemOrgDefInfo"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
wwpLeosLldpRemSysGroup = wwpLeosLldpRemSysGroup.setStatus('deprecated')
wwpLeosLldpPortSpeedChangeTrap = NotificationType((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 3, 0, 1)).setObjects(("WWP-LEOS-LLDP-MIB", "wwpLeosLldpPortConfigPortNum"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpPortConfigOperPortSpeed"), ("WWP-LEOS-LLDP-MIB", "wwpLeosLldpPortConfigReqPortSpeed"))
if mibBuilder.loadTexts: wwpLeosLldpPortSpeedChangeTrap.setStatus('current')
mibBuilder.exportSymbols("WWP-LEOS-LLDP-MIB", WwpLeosLldpPortNumber=WwpLeosLldpPortNumber, wwpLeosLldpLocManAddrLen=wwpLeosLldpLocManAddrLen, wwpLeosLldpRemOrgDefInfoOUI=wwpLeosLldpRemOrgDefInfoOUI, wwpLeosLldpLocPortEntry=wwpLeosLldpLocPortEntry, WwpLeosLldpManAddrIfSubtype=WwpLeosLldpManAddrIfSubtype, wwpLeosLldpStatsFramesOutTotal=wwpLeosLldpStatsFramesOutTotal, wwpLeosLldpRemManAddrIfSubtype=wwpLeosLldpRemManAddrIfSubtype, wwpLeosLldpMIB=wwpLeosLldpMIB, wwpLeosLldpLocPortTable=wwpLeosLldpLocPortTable, wwpLeosLldpRemUnknownTLVEntry=wwpLeosLldpRemUnknownTLVEntry, wwpLeosLldpRemSysCapEnabled=wwpLeosLldpRemSysCapEnabled, wwpLeosLldpRemOrgDefInfoSubtype=wwpLeosLldpRemOrgDefInfoSubtype, wwpLeosLldpRemRemoteChassis=wwpLeosLldpRemRemoteChassis, wwpLeosLldpRemSysName=wwpLeosLldpRemSysName, wwpLeosLldpRemUnknownTLVInfo=wwpLeosLldpRemUnknownTLVInfo, wwpLeosLldpRemManAddrEntry=wwpLeosLldpRemManAddrEntry, wwpLeosLldpPortConfigPortNum=wwpLeosLldpPortConfigPortNum, wwpLeosLldpStatsFramesInErrors=wwpLeosLldpStatsFramesInErrors, wwpLeosLldpLocManAddrOID=wwpLeosLldpLocManAddrOID, wwpLeosLldpPortConfigReqPortSpeed=wwpLeosLldpPortConfigReqPortSpeed, wwpLeosLldpReinitDelay=wwpLeosLldpReinitDelay, wwpLeosLldpPortConfigTable=wwpLeosLldpPortConfigTable, wwpLeosLldpConfigGroup=wwpLeosLldpConfigGroup, wwpLeosLldpStatsEntry=wwpLeosLldpStatsEntry, wwpLeosLldpStatsTLVsUnrecognizedTotal=wwpLeosLldpStatsTLVsUnrecognizedTotal, wwpLeosLldpLocalSystemData=wwpLeosLldpLocalSystemData, wwpLeosLldpLocSysCapEnabled=wwpLeosLldpLocSysCapEnabled, wwpLeosLldpRemUnknownTLVTable=wwpLeosLldpRemUnknownTLVTable, wwpLeosLldpStatsFramesDiscardedTotal=wwpLeosLldpStatsFramesDiscardedTotal, wwpLeosLldpPortConfigEntry=wwpLeosLldpPortConfigEntry, wwpLeosLldpCompliances=wwpLeosLldpCompliances, wwpLeosLldpRemRemotePortType=wwpLeosLldpRemRemotePortType, wwpLeosLldpGroups=wwpLeosLldpGroups, wwpLeosLldpOptLocSysGroup=wwpLeosLldpOptLocSysGroup, wwpLeosLldpPortConfigTLVsTxEnable=wwpLeosLldpPortConfigTLVsTxEnable, wwpLeosLldpStatsPortNum=wwpLeosLldpStatsPortNum, wwpLeosLldpRemSysDesc=wwpLeosLldpRemSysDesc, wwpLeosLldpLocPortType=wwpLeosLldpLocPortType, wwpLeosLldpLocSysName=wwpLeosLldpLocSysName, wwpLeosLldpRemRemoteChassisType=wwpLeosLldpRemRemoteChassisType, wwpLeosLldpStatsClear=wwpLeosLldpStatsClear, wwpLeosLldpExtentions=wwpLeosLldpExtentions, wwpLeosLldpMessageTxHoldMultiplier=wwpLeosLldpMessageTxHoldMultiplier, wwpLeosLldpLocManAddrType=wwpLeosLldpLocManAddrType, wwpLeosLldpRemUnknownTLVType=wwpLeosLldpRemUnknownTLVType, wwpLeosLldpStatsTLVsInErrors=wwpLeosLldpStatsTLVsInErrors, wwpLeosLldpPortConfigStatsClear=wwpLeosLldpPortConfigStatsClear, wwpLeosLldpLocManAddrEntry=wwpLeosLldpLocManAddrEntry, wwpLeosLldpRemIndex=wwpLeosLldpRemIndex, WwpLeosLldpPortIdType=WwpLeosLldpPortIdType, wwpLeosLldpConfigManAddrEntry=wwpLeosLldpConfigManAddrEntry, wwpLeosLldpRemTable=wwpLeosLldpRemTable, wwpLeosLldpLocManAddrIfSubtype=wwpLeosLldpLocManAddrIfSubtype, wwpLeosLldpLocPortId=wwpLeosLldpLocPortId, wwpLeosLldpLocPortDesc=wwpLeosLldpLocPortDesc, wwpLeosLldpRemoteSystemsData=wwpLeosLldpRemoteSystemsData, WwpLeosLldpPortId=WwpLeosLldpPortId, WwpLeosLldpChassisId=WwpLeosLldpChassisId, wwpLeosLldpRemTimeMark=wwpLeosLldpRemTimeMark, wwpLeosLldpManAddrPortsTxEnable=wwpLeosLldpManAddrPortsTxEnable, wwpLeosLldpLocPortNum=wwpLeosLldpLocPortNum, wwpLeosLldpRemOrgDefInfo=wwpLeosLldpRemOrgDefInfo, wwpLeosLldpLocSysGroup=wwpLeosLldpLocSysGroup, wwpLeosLldpRemSysGroup=wwpLeosLldpRemSysGroup, SnmpAdminString=SnmpAdminString, wwpLeosLldpLocManAddr=wwpLeosLldpLocManAddr, wwpLeosLldpCompliance=wwpLeosLldpCompliance, WwpLeosLldpChassisIdType=WwpLeosLldpChassisIdType, wwpLeosLldpConfiguration=wwpLeosLldpConfiguration, TimeFilter=TimeFilter, wwpLeosLldpPortConfigAdminStatus=wwpLeosLldpPortConfigAdminStatus, WwpLeosLldpPortList=WwpLeosLldpPortList, wwpLeosLldpRemSysCapSupported=wwpLeosLldpRemSysCapSupported, wwpLeosLldpStatsTable=wwpLeosLldpStatsTable, wwpLeosLldpTxDelay=wwpLeosLldpTxDelay, wwpLeosLldpRemManAddrOID=wwpLeosLldpRemManAddrOID, wwpLeosLldpConformance=wwpLeosLldpConformance, wwpLeosLldpLocSysDesc=wwpLeosLldpLocSysDesc, wwpLeosLldpRemLocalPortNum=wwpLeosLldpRemLocalPortNum, wwpLeosLldpRemPortDesc=wwpLeosLldpRemPortDesc, wwpLeosLldpGlobalAtts=wwpLeosLldpGlobalAtts, wwpLeosLldpRemManAddrIfId=wwpLeosLldpRemManAddrIfId, wwpLeosLldpPortSpeedChangeTrap=wwpLeosLldpPortSpeedChangeTrap, wwpLeosLldpLocChassisType=wwpLeosLldpLocChassisType, PYSNMP_MODULE_ID=wwpLeosLldpMIB, wwpLeosLldpLocChassisId=wwpLeosLldpLocChassisId, wwpLeosLldpRemOrgDefInfoIndex=wwpLeosLldpRemOrgDefInfoIndex, wwpLeosLldpRemManAddrType=wwpLeosLldpRemManAddrType, wwpLeosLldpStatsFramesInTotal=wwpLeosLldpStatsFramesInTotal, wwpLeosLldpLocSysCapSupported=wwpLeosLldpLocSysCapSupported, wwpLeosLldpCounterDiscontinuityTime=wwpLeosLldpCounterDiscontinuityTime, wwpLeosLldpMessageTxInterval=wwpLeosLldpMessageTxInterval, wwpLeosLldpRemManAddrTable=wwpLeosLldpRemManAddrTable, wwpLeosLldpLocManAddrIfId=wwpLeosLldpLocManAddrIfId, wwpLeosLldpRemOrgDefInfoTable=wwpLeosLldpRemOrgDefInfoTable, wwpLeosLldpRemEntry=wwpLeosLldpRemEntry, wwpLeosLldpNotifMIBNotification=wwpLeosLldpNotifMIBNotification, WwpLeosLldpSystemCapabilitiesMap=WwpLeosLldpSystemCapabilitiesMap, wwpLeosLldpStatsGroup=wwpLeosLldpStatsGroup, WwpLeosLldpManAddress=WwpLeosLldpManAddress, wwpLeosLldpStatistics=wwpLeosLldpStatistics, wwpLeosLldpLocManAddrTable=wwpLeosLldpLocManAddrTable, wwpLeosLldpMIBObjects=wwpLeosLldpMIBObjects, wwpLeosLldpConfigManAddrTable=wwpLeosLldpConfigManAddrTable, wwpLeosLldpStatsTLVsDiscardedTotal=wwpLeosLldpStatsTLVsDiscardedTotal, wwpLeosLldpPortConfigOperPortSpeed=wwpLeosLldpPortConfigOperPortSpeed, wwpLeosLldpRemRemotePort=wwpLeosLldpRemRemotePort, wwpLeosLldpNotifMIBNotificationPrefix=wwpLeosLldpNotifMIBNotificationPrefix, wwpLeosLldpRemManAddr=wwpLeosLldpRemManAddr, wwpLeosLldpRemOrgDefInfoEntry=wwpLeosLldpRemOrgDefInfoEntry)
|
(integer, octet_string, object_identifier) = mibBuilder.importSymbols('ASN1', 'Integer', 'OctetString', 'ObjectIdentifier')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(value_size_constraint, constraints_intersection, constraints_union, single_value_constraint, value_range_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueSizeConstraint', 'ConstraintsIntersection', 'ConstraintsUnion', 'SingleValueConstraint', 'ValueRangeConstraint')
(address_family_numbers,) = mibBuilder.importSymbols('IANA-ADDRESS-FAMILY-NUMBERS-MIB', 'AddressFamilyNumbers')
(notification_group, module_compliance, object_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance', 'ObjectGroup')
(integer32, time_ticks, mib_identifier, module_identity, counter64, object_identity, unsigned32, gauge32, ip_address, bits, counter32, notification_type, mib_scalar, mib_table, mib_table_row, mib_table_column, iso) = mibBuilder.importSymbols('SNMPv2-SMI', 'Integer32', 'TimeTicks', 'MibIdentifier', 'ModuleIdentity', 'Counter64', 'ObjectIdentity', 'Unsigned32', 'Gauge32', 'IpAddress', 'Bits', 'Counter32', 'NotificationType', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'iso')
(display_string, time_stamp, textual_convention, truth_value) = mibBuilder.importSymbols('SNMPv2-TC', 'DisplayString', 'TimeStamp', 'TextualConvention', 'TruthValue')
(wwp_modules, wwp_modules_leos) = mibBuilder.importSymbols('WWP-SMI', 'wwpModules', 'wwpModulesLeos')
wwp_leos_lldp_mib = module_identity((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26))
wwpLeosLldpMIB.setRevisions(('2004-04-18 00:00', '2003-04-23 00:00'))
if mibBuilder.loadTexts:
wwpLeosLldpMIB.setLastUpdated('200404180000Z')
if mibBuilder.loadTexts:
wwpLeosLldpMIB.setOrganization('IEEE 802.1AB Workgroup')
wwp_leos_lldp_mib_objects = mib_identifier((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1))
wwp_leos_lldp_configuration = mib_identifier((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 1))
wwp_leos_lldp_statistics = mib_identifier((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 2))
wwp_leos_lldp_local_system_data = mib_identifier((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3))
wwp_leos_lldp_remote_systems_data = mib_identifier((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4))
wwp_leos_lldp_extentions = mib_identifier((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 5))
wwp_leos_lldp_global_atts = mib_identifier((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 6))
wwp_leos_lldp_notif_mib_notification_prefix = mib_identifier((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 3))
wwp_leos_lldp_notif_mib_notification = mib_identifier((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 3, 0))
class Timefilter(TextualConvention, TimeTicks):
status = 'deprecated'
class Snmpadminstring(TextualConvention, OctetString):
status = 'deprecated'
display_hint = '255a'
subtype_spec = OctetString.subtypeSpec + value_size_constraint(0, 255)
class Wwpleoslldpchassisidtype(TextualConvention, Integer32):
status = 'deprecated'
subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7))
named_values = named_values(('entPhysicalAlias', 1), ('ifAlias', 2), ('portEntPhysicalAlias', 3), ('backplaneEntPhysicalAlias', 4), ('macAddress', 5), ('networkAddress', 6), ('local', 7))
class Wwpleoslldpchassisid(TextualConvention, OctetString):
status = 'deprecated'
subtype_spec = OctetString.subtypeSpec + value_size_constraint(1, 255)
class Wwpleoslldpportidtype(TextualConvention, Integer32):
status = 'deprecated'
subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))
named_values = named_values(('ifAlias', 1), ('portEntPhysicalAlias', 2), ('backplaneEntPhysicalAlias', 3), ('macAddress', 4), ('networkAddress', 5), ('local', 6))
class Wwpleoslldpportid(TextualConvention, OctetString):
status = 'deprecated'
subtype_spec = OctetString.subtypeSpec + value_size_constraint(1, 255)
class Wwpleoslldpmanaddrifsubtype(TextualConvention, Integer32):
status = 'deprecated'
subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3))
named_values = named_values(('unknown', 1), ('ifIndex', 2), ('systemPortNumber', 3))
class Wwpleoslldpmanaddress(TextualConvention, OctetString):
status = 'deprecated'
subtype_spec = OctetString.subtypeSpec + value_size_constraint(1, 31)
class Wwpleoslldpsystemcapabilitiesmap(TextualConvention, Bits):
status = 'deprecated'
named_values = named_values(('repeater', 0), ('bridge', 1), ('accessPoint', 2), ('router', 3), ('telephone', 4), ('wirelessStation', 5), ('stationOnly', 6))
class Wwpleoslldpportnumber(TextualConvention, Integer32):
status = 'deprecated'
display_hint = 'd'
subtype_spec = Integer32.subtypeSpec + value_range_constraint(1, 1024)
class Wwpleoslldpportlist(TextualConvention, OctetString):
reference = 'description is taken from RFC 2674, Section 5'
status = 'deprecated'
wwp_leos_lldp_message_tx_interval = mib_scalar((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(5, 32768)).clone(30)).setUnits('seconds').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wwpLeosLldpMessageTxInterval.setStatus('deprecated')
wwp_leos_lldp_message_tx_hold_multiplier = mib_scalar((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(2, 10)).clone(4)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wwpLeosLldpMessageTxHoldMultiplier.setStatus('deprecated')
wwp_leos_lldp_reinit_delay = mib_scalar((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(1, 10)).clone(1)).setUnits('seconds').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wwpLeosLldpReinitDelay.setStatus('deprecated')
wwp_leos_lldp_tx_delay = mib_scalar((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(1, 8192)).clone(8)).setUnits('seconds').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wwpLeosLldpTxDelay.setStatus('deprecated')
wwp_leos_lldp_port_config_table = mib_table((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 1, 5))
if mibBuilder.loadTexts:
wwpLeosLldpPortConfigTable.setStatus('deprecated')
wwp_leos_lldp_port_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 1, 5, 1)).setIndexNames((0, 'WWP-LEOS-LLDP-MIB', 'wwpLeosLldpPortConfigPortNum'))
if mibBuilder.loadTexts:
wwpLeosLldpPortConfigEntry.setStatus('deprecated')
wwp_leos_lldp_port_config_port_num = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 1, 5, 1, 1), wwp_leos_lldp_port_number()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
wwpLeosLldpPortConfigPortNum.setStatus('deprecated')
wwp_leos_lldp_port_config_admin_status = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 1, 5, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('txOnly', 1), ('rxOnly', 2), ('txAndRx', 3), ('disabled', 4))).clone(3)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wwpLeosLldpPortConfigAdminStatus.setStatus('deprecated')
wwp_leos_lldp_port_config_tl_vs_tx_enable = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 1, 5, 1, 3), bits().clone(namedValues=named_values(('portDesc', 4), ('sysName', 5), ('sysDesc', 6), ('sysCap', 7))).clone(namedValues=named_values(('portDesc', 4), ('sysName', 5), ('sysDesc', 6), ('sysCap', 7)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wwpLeosLldpPortConfigTLVsTxEnable.setStatus('deprecated')
wwp_leos_lldp_port_config_stats_clear = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 1, 5, 1, 4), truth_value()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wwpLeosLldpPortConfigStatsClear.setStatus('current')
wwp_leos_lldp_port_config_oper_port_speed = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 1, 5, 1, 5), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wwpLeosLldpPortConfigOperPortSpeed.setStatus('current')
wwp_leos_lldp_port_config_req_port_speed = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 1, 5, 1, 6), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wwpLeosLldpPortConfigReqPortSpeed.setStatus('current')
wwp_leos_lldp_config_man_addr_table = mib_table((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 1, 6))
if mibBuilder.loadTexts:
wwpLeosLldpConfigManAddrTable.setStatus('deprecated')
wwp_leos_lldp_man_addr_ports_tx_enable = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 1, 6, 1, 1), wwp_leos_lldp_port_list()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wwpLeosLldpManAddrPortsTxEnable.setStatus('deprecated')
wwp_leos_lldp_stats_table = mib_table((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 2, 1))
if mibBuilder.loadTexts:
wwpLeosLldpStatsTable.setStatus('deprecated')
wwp_leos_lldp_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 2, 1, 1)).setIndexNames((0, 'WWP-LEOS-LLDP-MIB', 'wwpLeosLldpStatsPortNum'))
if mibBuilder.loadTexts:
wwpLeosLldpStatsEntry.setStatus('deprecated')
wwp_leos_lldp_stats_port_num = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 2, 1, 1, 1), wwp_leos_lldp_port_number())
if mibBuilder.loadTexts:
wwpLeosLldpStatsPortNum.setStatus('deprecated')
wwp_leos_lldp_stats_frames_discarded_total = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 2, 1, 1, 2), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wwpLeosLldpStatsFramesDiscardedTotal.setStatus('deprecated')
wwp_leos_lldp_stats_frames_in_errors = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 2, 1, 1, 3), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wwpLeosLldpStatsFramesInErrors.setStatus('deprecated')
wwp_leos_lldp_stats_frames_in_total = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 2, 1, 1, 4), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wwpLeosLldpStatsFramesInTotal.setStatus('deprecated')
wwp_leos_lldp_stats_frames_out_total = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 2, 1, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wwpLeosLldpStatsFramesOutTotal.setStatus('deprecated')
wwp_leos_lldp_stats_tl_vs_in_errors = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 2, 1, 1, 6), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wwpLeosLldpStatsTLVsInErrors.setStatus('deprecated')
wwp_leos_lldp_stats_tl_vs_discarded_total = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 2, 1, 1, 7), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wwpLeosLldpStatsTLVsDiscardedTotal.setStatus('deprecated')
wwp_leos_lldp_stats_tl_vs_unrecognized_total = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 2, 1, 1, 8), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wwpLeosLldpStatsTLVsUnrecognizedTotal.setStatus('deprecated')
wwp_leos_lldp_counter_discontinuity_time = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 2, 1, 1, 9), time_stamp()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wwpLeosLldpCounterDiscontinuityTime.setStatus('deprecated')
wwp_leos_lldp_loc_chassis_type = mib_scalar((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3, 1), wwp_leos_lldp_chassis_id_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wwpLeosLldpLocChassisType.setStatus('deprecated')
wwp_leos_lldp_loc_chassis_id = mib_scalar((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3, 2), wwp_leos_lldp_chassis_id()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wwpLeosLldpLocChassisId.setStatus('deprecated')
wwp_leos_lldp_loc_sys_name = mib_scalar((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3, 3), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wwpLeosLldpLocSysName.setStatus('deprecated')
wwp_leos_lldp_loc_sys_desc = mib_scalar((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3, 4), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wwpLeosLldpLocSysDesc.setStatus('deprecated')
wwp_leos_lldp_loc_sys_cap_supported = mib_scalar((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3, 5), wwp_leos_lldp_system_capabilities_map()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wwpLeosLldpLocSysCapSupported.setStatus('deprecated')
wwp_leos_lldp_loc_sys_cap_enabled = mib_scalar((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3, 6), wwp_leos_lldp_system_capabilities_map()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wwpLeosLldpLocSysCapEnabled.setStatus('deprecated')
wwp_leos_lldp_loc_port_table = mib_table((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3, 7))
if mibBuilder.loadTexts:
wwpLeosLldpLocPortTable.setStatus('deprecated')
wwp_leos_lldp_loc_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3, 7, 1)).setIndexNames((0, 'WWP-LEOS-LLDP-MIB', 'wwpLeosLldpLocPortNum'))
if mibBuilder.loadTexts:
wwpLeosLldpLocPortEntry.setStatus('deprecated')
wwp_leos_lldp_loc_port_num = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3, 7, 1, 1), wwp_leos_lldp_port_number())
if mibBuilder.loadTexts:
wwpLeosLldpLocPortNum.setStatus('deprecated')
wwp_leos_lldp_loc_port_type = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3, 7, 1, 2), wwp_leos_lldp_port_id_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wwpLeosLldpLocPortType.setStatus('deprecated')
wwp_leos_lldp_loc_port_id = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3, 7, 1, 3), wwp_leos_lldp_port_id()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wwpLeosLldpLocPortId.setStatus('deprecated')
wwp_leos_lldp_loc_port_desc = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3, 7, 1, 4), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wwpLeosLldpLocPortDesc.setStatus('deprecated')
wwp_leos_lldp_loc_man_addr_table = mib_table((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3, 8))
if mibBuilder.loadTexts:
wwpLeosLldpLocManAddrTable.setStatus('deprecated')
wwp_leos_lldp_loc_man_addr_entry = mib_table_row((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3, 8, 1)).setIndexNames((0, 'WWP-LEOS-LLDP-MIB', 'wwpLeosLldpLocManAddrType'), (0, 'WWP-LEOS-LLDP-MIB', 'wwpLeosLldpLocManAddr'))
if mibBuilder.loadTexts:
wwpLeosLldpLocManAddrEntry.setStatus('deprecated')
wwp_leos_lldp_config_man_addr_entry = mib_table_row((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 1, 6, 1))
wwpLeosLldpLocManAddrEntry.registerAugmentions(('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpConfigManAddrEntry'))
wwpLeosLldpConfigManAddrEntry.setIndexNames(*wwpLeosLldpLocManAddrEntry.getIndexNames())
if mibBuilder.loadTexts:
wwpLeosLldpConfigManAddrEntry.setStatus('deprecated')
wwp_leos_lldp_loc_man_addr_type = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3, 8, 1, 1), address_family_numbers())
if mibBuilder.loadTexts:
wwpLeosLldpLocManAddrType.setStatus('deprecated')
wwp_leos_lldp_loc_man_addr = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3, 8, 1, 2), wwp_leos_lldp_man_address())
if mibBuilder.loadTexts:
wwpLeosLldpLocManAddr.setStatus('deprecated')
wwp_leos_lldp_loc_man_addr_len = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3, 8, 1, 3), integer32())
if mibBuilder.loadTexts:
wwpLeosLldpLocManAddrLen.setStatus('deprecated')
wwp_leos_lldp_loc_man_addr_if_subtype = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3, 8, 1, 4), wwp_leos_lldp_man_addr_if_subtype()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wwpLeosLldpLocManAddrIfSubtype.setStatus('deprecated')
wwp_leos_lldp_loc_man_addr_if_id = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3, 8, 1, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wwpLeosLldpLocManAddrIfId.setStatus('deprecated')
wwp_leos_lldp_loc_man_addr_oid = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 3, 8, 1, 6), object_identifier()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wwpLeosLldpLocManAddrOID.setStatus('deprecated')
wwp_leos_lldp_rem_table = mib_table((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 1))
if mibBuilder.loadTexts:
wwpLeosLldpRemTable.setStatus('deprecated')
wwp_leos_lldp_rem_entry = mib_table_row((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 1, 1)).setIndexNames((0, 'WWP-LEOS-LLDP-MIB', 'wwpLeosLldpRemTimeMark'), (0, 'WWP-LEOS-LLDP-MIB', 'wwpLeosLldpRemLocalPortNum'), (0, 'WWP-LEOS-LLDP-MIB', 'wwpLeosLldpRemIndex'))
if mibBuilder.loadTexts:
wwpLeosLldpRemEntry.setStatus('deprecated')
wwp_leos_lldp_rem_time_mark = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 1, 1, 1), time_filter())
if mibBuilder.loadTexts:
wwpLeosLldpRemTimeMark.setStatus('deprecated')
wwp_leos_lldp_rem_local_port_num = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 1, 1, 2), wwp_leos_lldp_port_number())
if mibBuilder.loadTexts:
wwpLeosLldpRemLocalPortNum.setStatus('deprecated')
wwp_leos_lldp_rem_index = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 1, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(1, 2147483647)))
if mibBuilder.loadTexts:
wwpLeosLldpRemIndex.setStatus('deprecated')
wwp_leos_lldp_rem_remote_chassis_type = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 1, 1, 4), wwp_leos_lldp_chassis_id_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wwpLeosLldpRemRemoteChassisType.setStatus('deprecated')
wwp_leos_lldp_rem_remote_chassis = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 1, 1, 5), wwp_leos_lldp_chassis_id()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wwpLeosLldpRemRemoteChassis.setStatus('deprecated')
wwp_leos_lldp_rem_remote_port_type = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 1, 1, 6), wwp_leos_lldp_port_id_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wwpLeosLldpRemRemotePortType.setStatus('deprecated')
wwp_leos_lldp_rem_remote_port = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 1, 1, 7), wwp_leos_lldp_port_id()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wwpLeosLldpRemRemotePort.setStatus('deprecated')
wwp_leos_lldp_rem_port_desc = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 1, 1, 8), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wwpLeosLldpRemPortDesc.setStatus('deprecated')
wwp_leos_lldp_rem_sys_name = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 1, 1, 9), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wwpLeosLldpRemSysName.setStatus('deprecated')
wwp_leos_lldp_rem_sys_desc = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 1, 1, 10), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wwpLeosLldpRemSysDesc.setStatus('deprecated')
wwp_leos_lldp_rem_sys_cap_supported = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 1, 1, 11), wwp_leos_lldp_system_capabilities_map()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wwpLeosLldpRemSysCapSupported.setStatus('deprecated')
wwp_leos_lldp_rem_sys_cap_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 1, 1, 12), wwp_leos_lldp_system_capabilities_map()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wwpLeosLldpRemSysCapEnabled.setStatus('deprecated')
wwp_leos_lldp_rem_man_addr_table = mib_table((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 2))
if mibBuilder.loadTexts:
wwpLeosLldpRemManAddrTable.setStatus('deprecated')
wwp_leos_lldp_rem_man_addr_entry = mib_table_row((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 2, 1)).setIndexNames((0, 'WWP-LEOS-LLDP-MIB', 'wwpLeosLldpRemTimeMark'), (0, 'WWP-LEOS-LLDP-MIB', 'wwpLeosLldpRemLocalPortNum'), (0, 'WWP-LEOS-LLDP-MIB', 'wwpLeosLldpRemIndex'), (0, 'WWP-LEOS-LLDP-MIB', 'wwpLeosLldpRemManAddrType'), (0, 'WWP-LEOS-LLDP-MIB', 'wwpLeosLldpRemManAddr'))
if mibBuilder.loadTexts:
wwpLeosLldpRemManAddrEntry.setStatus('deprecated')
wwp_leos_lldp_rem_man_addr_type = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 2, 1, 1), address_family_numbers())
if mibBuilder.loadTexts:
wwpLeosLldpRemManAddrType.setStatus('deprecated')
wwp_leos_lldp_rem_man_addr = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 2, 1, 2), wwp_leos_lldp_man_address())
if mibBuilder.loadTexts:
wwpLeosLldpRemManAddr.setStatus('deprecated')
wwp_leos_lldp_rem_man_addr_if_subtype = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 2, 1, 3), wwp_leos_lldp_man_addr_if_subtype()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wwpLeosLldpRemManAddrIfSubtype.setStatus('deprecated')
wwp_leos_lldp_rem_man_addr_if_id = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 2, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wwpLeosLldpRemManAddrIfId.setStatus('deprecated')
wwp_leos_lldp_rem_man_addr_oid = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 2, 1, 5), object_identifier()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wwpLeosLldpRemManAddrOID.setStatus('deprecated')
wwp_leos_lldp_rem_unknown_tlv_table = mib_table((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 3))
if mibBuilder.loadTexts:
wwpLeosLldpRemUnknownTLVTable.setStatus('deprecated')
wwp_leos_lldp_rem_unknown_tlv_entry = mib_table_row((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 3, 1)).setIndexNames((0, 'WWP-LEOS-LLDP-MIB', 'wwpLeosLldpRemTimeMark'), (0, 'WWP-LEOS-LLDP-MIB', 'wwpLeosLldpRemLocalPortNum'), (0, 'WWP-LEOS-LLDP-MIB', 'wwpLeosLldpRemIndex'))
if mibBuilder.loadTexts:
wwpLeosLldpRemUnknownTLVEntry.setStatus('deprecated')
wwp_leos_lldp_rem_unknown_tlv_type = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 3, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(9, 126)))
if mibBuilder.loadTexts:
wwpLeosLldpRemUnknownTLVType.setStatus('deprecated')
wwp_leos_lldp_rem_unknown_tlv_info = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 3, 1, 2), octet_string().subtype(subtypeSpec=value_size_constraint(0, 511))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wwpLeosLldpRemUnknownTLVInfo.setStatus('deprecated')
wwp_leos_lldp_rem_org_def_info_table = mib_table((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 4))
if mibBuilder.loadTexts:
wwpLeosLldpRemOrgDefInfoTable.setStatus('deprecated')
wwp_leos_lldp_rem_org_def_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 4, 1)).setIndexNames((0, 'WWP-LEOS-LLDP-MIB', 'wwpLeosLldpRemTimeMark'), (0, 'WWP-LEOS-LLDP-MIB', 'wwpLeosLldpRemLocalPortNum'), (0, 'WWP-LEOS-LLDP-MIB', 'wwpLeosLldpRemIndex'), (0, 'WWP-LEOS-LLDP-MIB', 'wwpLeosLldpRemOrgDefInfoOUI'), (0, 'WWP-LEOS-LLDP-MIB', 'wwpLeosLldpRemOrgDefInfoSubtype'), (0, 'WWP-LEOS-LLDP-MIB', 'wwpLeosLldpRemOrgDefInfoIndex'))
if mibBuilder.loadTexts:
wwpLeosLldpRemOrgDefInfoEntry.setStatus('deprecated')
wwp_leos_lldp_rem_org_def_info_oui = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 4, 1, 1), octet_string().subtype(subtypeSpec=value_size_constraint(3, 3)).setFixedLength(3))
if mibBuilder.loadTexts:
wwpLeosLldpRemOrgDefInfoOUI.setStatus('deprecated')
wwp_leos_lldp_rem_org_def_info_subtype = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 4, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 255)))
if mibBuilder.loadTexts:
wwpLeosLldpRemOrgDefInfoSubtype.setStatus('deprecated')
wwp_leos_lldp_rem_org_def_info_index = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 4, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(1, 2147483647)))
if mibBuilder.loadTexts:
wwpLeosLldpRemOrgDefInfoIndex.setStatus('deprecated')
wwp_leos_lldp_rem_org_def_info = mib_table_column((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 4, 4, 1, 4), octet_string().subtype(subtypeSpec=value_size_constraint(0, 507))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wwpLeosLldpRemOrgDefInfo.setStatus('deprecated')
wwp_leos_lldp_stats_clear = mib_scalar((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 1, 6, 1), truth_value()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wwpLeosLldpStatsClear.setStatus('current')
wwp_leos_lldp_conformance = mib_identifier((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 2))
wwp_leos_lldp_compliances = mib_identifier((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 2, 1))
wwp_leos_lldp_groups = mib_identifier((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 2, 2))
wwp_leos_lldp_compliance = module_compliance((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 2, 1, 1)).setObjects(('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpConfigGroup'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpStatsGroup'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpLocSysGroup'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpRemSysGroup'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpOptLocSysGroup'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
wwp_leos_lldp_compliance = wwpLeosLldpCompliance.setStatus('deprecated')
wwp_leos_lldp_config_group = object_group((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 2, 2, 1)).setObjects(('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpMessageTxInterval'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpMessageTxHoldMultiplier'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpReinitDelay'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpTxDelay'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpPortConfigAdminStatus'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpPortConfigTLVsTxEnable'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpManAddrPortsTxEnable'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
wwp_leos_lldp_config_group = wwpLeosLldpConfigGroup.setStatus('deprecated')
wwp_leos_lldp_stats_group = object_group((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 2, 2, 2)).setObjects(('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpStatsFramesDiscardedTotal'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpStatsFramesInErrors'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpStatsFramesInTotal'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpStatsFramesOutTotal'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpStatsTLVsInErrors'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpStatsTLVsDiscardedTotal'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpStatsTLVsUnrecognizedTotal'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpCounterDiscontinuityTime'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
wwp_leos_lldp_stats_group = wwpLeosLldpStatsGroup.setStatus('deprecated')
wwp_leos_lldp_loc_sys_group = object_group((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 2, 2, 3)).setObjects(('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpLocChassisType'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpLocChassisId'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpLocPortType'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpLocPortId'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
wwp_leos_lldp_loc_sys_group = wwpLeosLldpLocSysGroup.setStatus('deprecated')
wwp_leos_lldp_opt_loc_sys_group = object_group((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 2, 2, 4)).setObjects(('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpLocPortDesc'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpLocSysDesc'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpLocSysName'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpLocSysCapSupported'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpLocSysCapEnabled'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpLocManAddrIfSubtype'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpLocManAddrIfId'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpLocManAddrOID'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
wwp_leos_lldp_opt_loc_sys_group = wwpLeosLldpOptLocSysGroup.setStatus('deprecated')
wwp_leos_lldp_rem_sys_group = object_group((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 2, 2, 5)).setObjects(('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpRemRemoteChassisType'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpRemRemoteChassis'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpRemRemotePortType'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpRemRemotePort'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpRemPortDesc'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpRemSysName'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpRemSysDesc'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpRemSysCapSupported'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpRemSysCapEnabled'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpRemManAddrIfSubtype'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpRemManAddrIfId'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpRemManAddrOID'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpRemUnknownTLVInfo'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpRemOrgDefInfo'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
wwp_leos_lldp_rem_sys_group = wwpLeosLldpRemSysGroup.setStatus('deprecated')
wwp_leos_lldp_port_speed_change_trap = notification_type((1, 3, 6, 1, 4, 1, 6141, 2, 60, 26, 3, 0, 1)).setObjects(('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpPortConfigPortNum'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpPortConfigOperPortSpeed'), ('WWP-LEOS-LLDP-MIB', 'wwpLeosLldpPortConfigReqPortSpeed'))
if mibBuilder.loadTexts:
wwpLeosLldpPortSpeedChangeTrap.setStatus('current')
mibBuilder.exportSymbols('WWP-LEOS-LLDP-MIB', WwpLeosLldpPortNumber=WwpLeosLldpPortNumber, wwpLeosLldpLocManAddrLen=wwpLeosLldpLocManAddrLen, wwpLeosLldpRemOrgDefInfoOUI=wwpLeosLldpRemOrgDefInfoOUI, wwpLeosLldpLocPortEntry=wwpLeosLldpLocPortEntry, WwpLeosLldpManAddrIfSubtype=WwpLeosLldpManAddrIfSubtype, wwpLeosLldpStatsFramesOutTotal=wwpLeosLldpStatsFramesOutTotal, wwpLeosLldpRemManAddrIfSubtype=wwpLeosLldpRemManAddrIfSubtype, wwpLeosLldpMIB=wwpLeosLldpMIB, wwpLeosLldpLocPortTable=wwpLeosLldpLocPortTable, wwpLeosLldpRemUnknownTLVEntry=wwpLeosLldpRemUnknownTLVEntry, wwpLeosLldpRemSysCapEnabled=wwpLeosLldpRemSysCapEnabled, wwpLeosLldpRemOrgDefInfoSubtype=wwpLeosLldpRemOrgDefInfoSubtype, wwpLeosLldpRemRemoteChassis=wwpLeosLldpRemRemoteChassis, wwpLeosLldpRemSysName=wwpLeosLldpRemSysName, wwpLeosLldpRemUnknownTLVInfo=wwpLeosLldpRemUnknownTLVInfo, wwpLeosLldpRemManAddrEntry=wwpLeosLldpRemManAddrEntry, wwpLeosLldpPortConfigPortNum=wwpLeosLldpPortConfigPortNum, wwpLeosLldpStatsFramesInErrors=wwpLeosLldpStatsFramesInErrors, wwpLeosLldpLocManAddrOID=wwpLeosLldpLocManAddrOID, wwpLeosLldpPortConfigReqPortSpeed=wwpLeosLldpPortConfigReqPortSpeed, wwpLeosLldpReinitDelay=wwpLeosLldpReinitDelay, wwpLeosLldpPortConfigTable=wwpLeosLldpPortConfigTable, wwpLeosLldpConfigGroup=wwpLeosLldpConfigGroup, wwpLeosLldpStatsEntry=wwpLeosLldpStatsEntry, wwpLeosLldpStatsTLVsUnrecognizedTotal=wwpLeosLldpStatsTLVsUnrecognizedTotal, wwpLeosLldpLocalSystemData=wwpLeosLldpLocalSystemData, wwpLeosLldpLocSysCapEnabled=wwpLeosLldpLocSysCapEnabled, wwpLeosLldpRemUnknownTLVTable=wwpLeosLldpRemUnknownTLVTable, wwpLeosLldpStatsFramesDiscardedTotal=wwpLeosLldpStatsFramesDiscardedTotal, wwpLeosLldpPortConfigEntry=wwpLeosLldpPortConfigEntry, wwpLeosLldpCompliances=wwpLeosLldpCompliances, wwpLeosLldpRemRemotePortType=wwpLeosLldpRemRemotePortType, wwpLeosLldpGroups=wwpLeosLldpGroups, wwpLeosLldpOptLocSysGroup=wwpLeosLldpOptLocSysGroup, wwpLeosLldpPortConfigTLVsTxEnable=wwpLeosLldpPortConfigTLVsTxEnable, wwpLeosLldpStatsPortNum=wwpLeosLldpStatsPortNum, wwpLeosLldpRemSysDesc=wwpLeosLldpRemSysDesc, wwpLeosLldpLocPortType=wwpLeosLldpLocPortType, wwpLeosLldpLocSysName=wwpLeosLldpLocSysName, wwpLeosLldpRemRemoteChassisType=wwpLeosLldpRemRemoteChassisType, wwpLeosLldpStatsClear=wwpLeosLldpStatsClear, wwpLeosLldpExtentions=wwpLeosLldpExtentions, wwpLeosLldpMessageTxHoldMultiplier=wwpLeosLldpMessageTxHoldMultiplier, wwpLeosLldpLocManAddrType=wwpLeosLldpLocManAddrType, wwpLeosLldpRemUnknownTLVType=wwpLeosLldpRemUnknownTLVType, wwpLeosLldpStatsTLVsInErrors=wwpLeosLldpStatsTLVsInErrors, wwpLeosLldpPortConfigStatsClear=wwpLeosLldpPortConfigStatsClear, wwpLeosLldpLocManAddrEntry=wwpLeosLldpLocManAddrEntry, wwpLeosLldpRemIndex=wwpLeosLldpRemIndex, WwpLeosLldpPortIdType=WwpLeosLldpPortIdType, wwpLeosLldpConfigManAddrEntry=wwpLeosLldpConfigManAddrEntry, wwpLeosLldpRemTable=wwpLeosLldpRemTable, wwpLeosLldpLocManAddrIfSubtype=wwpLeosLldpLocManAddrIfSubtype, wwpLeosLldpLocPortId=wwpLeosLldpLocPortId, wwpLeosLldpLocPortDesc=wwpLeosLldpLocPortDesc, wwpLeosLldpRemoteSystemsData=wwpLeosLldpRemoteSystemsData, WwpLeosLldpPortId=WwpLeosLldpPortId, WwpLeosLldpChassisId=WwpLeosLldpChassisId, wwpLeosLldpRemTimeMark=wwpLeosLldpRemTimeMark, wwpLeosLldpManAddrPortsTxEnable=wwpLeosLldpManAddrPortsTxEnable, wwpLeosLldpLocPortNum=wwpLeosLldpLocPortNum, wwpLeosLldpRemOrgDefInfo=wwpLeosLldpRemOrgDefInfo, wwpLeosLldpLocSysGroup=wwpLeosLldpLocSysGroup, wwpLeosLldpRemSysGroup=wwpLeosLldpRemSysGroup, SnmpAdminString=SnmpAdminString, wwpLeosLldpLocManAddr=wwpLeosLldpLocManAddr, wwpLeosLldpCompliance=wwpLeosLldpCompliance, WwpLeosLldpChassisIdType=WwpLeosLldpChassisIdType, wwpLeosLldpConfiguration=wwpLeosLldpConfiguration, TimeFilter=TimeFilter, wwpLeosLldpPortConfigAdminStatus=wwpLeosLldpPortConfigAdminStatus, WwpLeosLldpPortList=WwpLeosLldpPortList, wwpLeosLldpRemSysCapSupported=wwpLeosLldpRemSysCapSupported, wwpLeosLldpStatsTable=wwpLeosLldpStatsTable, wwpLeosLldpTxDelay=wwpLeosLldpTxDelay, wwpLeosLldpRemManAddrOID=wwpLeosLldpRemManAddrOID, wwpLeosLldpConformance=wwpLeosLldpConformance, wwpLeosLldpLocSysDesc=wwpLeosLldpLocSysDesc, wwpLeosLldpRemLocalPortNum=wwpLeosLldpRemLocalPortNum, wwpLeosLldpRemPortDesc=wwpLeosLldpRemPortDesc, wwpLeosLldpGlobalAtts=wwpLeosLldpGlobalAtts, wwpLeosLldpRemManAddrIfId=wwpLeosLldpRemManAddrIfId, wwpLeosLldpPortSpeedChangeTrap=wwpLeosLldpPortSpeedChangeTrap, wwpLeosLldpLocChassisType=wwpLeosLldpLocChassisType, PYSNMP_MODULE_ID=wwpLeosLldpMIB, wwpLeosLldpLocChassisId=wwpLeosLldpLocChassisId, wwpLeosLldpRemOrgDefInfoIndex=wwpLeosLldpRemOrgDefInfoIndex, wwpLeosLldpRemManAddrType=wwpLeosLldpRemManAddrType, wwpLeosLldpStatsFramesInTotal=wwpLeosLldpStatsFramesInTotal, wwpLeosLldpLocSysCapSupported=wwpLeosLldpLocSysCapSupported, wwpLeosLldpCounterDiscontinuityTime=wwpLeosLldpCounterDiscontinuityTime, wwpLeosLldpMessageTxInterval=wwpLeosLldpMessageTxInterval, wwpLeosLldpRemManAddrTable=wwpLeosLldpRemManAddrTable, wwpLeosLldpLocManAddrIfId=wwpLeosLldpLocManAddrIfId, wwpLeosLldpRemOrgDefInfoTable=wwpLeosLldpRemOrgDefInfoTable, wwpLeosLldpRemEntry=wwpLeosLldpRemEntry, wwpLeosLldpNotifMIBNotification=wwpLeosLldpNotifMIBNotification, WwpLeosLldpSystemCapabilitiesMap=WwpLeosLldpSystemCapabilitiesMap, wwpLeosLldpStatsGroup=wwpLeosLldpStatsGroup, WwpLeosLldpManAddress=WwpLeosLldpManAddress, wwpLeosLldpStatistics=wwpLeosLldpStatistics, wwpLeosLldpLocManAddrTable=wwpLeosLldpLocManAddrTable, wwpLeosLldpMIBObjects=wwpLeosLldpMIBObjects, wwpLeosLldpConfigManAddrTable=wwpLeosLldpConfigManAddrTable, wwpLeosLldpStatsTLVsDiscardedTotal=wwpLeosLldpStatsTLVsDiscardedTotal, wwpLeosLldpPortConfigOperPortSpeed=wwpLeosLldpPortConfigOperPortSpeed, wwpLeosLldpRemRemotePort=wwpLeosLldpRemRemotePort, wwpLeosLldpNotifMIBNotificationPrefix=wwpLeosLldpNotifMIBNotificationPrefix, wwpLeosLldpRemManAddr=wwpLeosLldpRemManAddr, wwpLeosLldpRemOrgDefInfoEntry=wwpLeosLldpRemOrgDefInfoEntry)
|
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
__author__ = 'CYX'
configs = {
'server': {
'host': '0.0.0.0',
'port': 9090
},
'qshield': {
'jars': '/home/hadoop/qshield/opaque-ext/target/scala-2.11/opaque-ext_2.11-0.1.jar,/home/hadoop/qshield/data-owner/target/scala-2.11/data-owner_2.11-0.1.jar',
'master': 'spark://SGX:7077'
}
}
|
__author__ = 'CYX'
configs = {'server': {'host': '0.0.0.0', 'port': 9090}, 'qshield': {'jars': '/home/hadoop/qshield/opaque-ext/target/scala-2.11/opaque-ext_2.11-0.1.jar,/home/hadoop/qshield/data-owner/target/scala-2.11/data-owner_2.11-0.1.jar', 'master': 'spark://SGX:7077'}}
|
#
# PySNMP MIB module VLAN (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/VLAN
# Produced by pysmi-0.3.4 at Mon Apr 29 21:27:41 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
OctetString, ObjectIdentifier, Integer = mibBuilder.importSymbols("ASN1", "OctetString", "ObjectIdentifier", "Integer")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ConstraintsIntersection, ConstraintsUnion, ValueRangeConstraint, SingleValueConstraint, ValueSizeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsIntersection", "ConstraintsUnion", "ValueRangeConstraint", "SingleValueConstraint", "ValueSizeConstraint")
interface, = mibBuilder.importSymbols("ExaltComProducts", "interface")
VlanGroupT, VlanStatusT = mibBuilder.importSymbols("ExaltComm", "VlanGroupT", "VlanStatusT")
ModuleCompliance, ObjectGroup, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "ObjectGroup", "NotificationGroup")
IpAddress, Integer32, Counter64, ModuleIdentity, Bits, Counter32, NotificationType, Unsigned32, MibScalar, MibTable, MibTableRow, MibTableColumn, ObjectIdentity, TimeTicks, Gauge32, iso, MibIdentifier = mibBuilder.importSymbols("SNMPv2-SMI", "IpAddress", "Integer32", "Counter64", "ModuleIdentity", "Bits", "Counter32", "NotificationType", "Unsigned32", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "ObjectIdentity", "TimeTicks", "Gauge32", "iso", "MibIdentifier")
DisplayString, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "TextualConvention")
vlan = ObjectIdentity((1, 3, 6, 1, 4, 1, 25651, 1, 2, 3, 2, 3))
if mibBuilder.loadTexts: vlan.setStatus('current')
vlanStatus = MibScalar((1, 3, 6, 1, 4, 1, 25651, 1, 2, 3, 2, 3, 1), VlanStatusT()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: vlanStatus.setStatus('current')
vlanDefaultMgmtId = MibScalar((1, 3, 6, 1, 4, 1, 25651, 1, 2, 3, 2, 3, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4095))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: vlanDefaultMgmtId.setStatus('current')
vlanInterfaces = MibTable((1, 3, 6, 1, 4, 1, 25651, 1, 2, 3, 2, 3, 6), )
if mibBuilder.loadTexts: vlanInterfaces.setStatus('current')
vlanInterfacesEntry = MibTableRow((1, 3, 6, 1, 4, 1, 25651, 1, 2, 3, 2, 3, 6, 1), ).setIndexNames((0, "VLAN", "vlanDefaultId"))
if mibBuilder.loadTexts: vlanInterfacesEntry.setStatus('current')
vlanDefaultId = MibTableColumn((1, 3, 6, 1, 4, 1, 25651, 1, 2, 3, 2, 3, 6, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4095))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: vlanDefaultId.setStatus('current')
vlanID = MibTableColumn((1, 3, 6, 1, 4, 1, 25651, 1, 2, 3, 2, 3, 6, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 1024))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: vlanID.setStatus('current')
commitVlanSettings = MibScalar((1, 3, 6, 1, 4, 1, 25651, 1, 2, 3, 2, 3, 1000), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(4, 200))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: commitVlanSettings.setStatus('current')
mibBuilder.exportSymbols("VLAN", vlanInterfaces=vlanInterfaces, vlanDefaultMgmtId=vlanDefaultMgmtId, vlan=vlan, vlanDefaultId=vlanDefaultId, vlanStatus=vlanStatus, vlanID=vlanID, commitVlanSettings=commitVlanSettings, vlanInterfacesEntry=vlanInterfacesEntry)
|
(octet_string, object_identifier, integer) = mibBuilder.importSymbols('ASN1', 'OctetString', 'ObjectIdentifier', 'Integer')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(constraints_intersection, constraints_union, value_range_constraint, single_value_constraint, value_size_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsIntersection', 'ConstraintsUnion', 'ValueRangeConstraint', 'SingleValueConstraint', 'ValueSizeConstraint')
(interface,) = mibBuilder.importSymbols('ExaltComProducts', 'interface')
(vlan_group_t, vlan_status_t) = mibBuilder.importSymbols('ExaltComm', 'VlanGroupT', 'VlanStatusT')
(module_compliance, object_group, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'ObjectGroup', 'NotificationGroup')
(ip_address, integer32, counter64, module_identity, bits, counter32, notification_type, unsigned32, mib_scalar, mib_table, mib_table_row, mib_table_column, object_identity, time_ticks, gauge32, iso, mib_identifier) = mibBuilder.importSymbols('SNMPv2-SMI', 'IpAddress', 'Integer32', 'Counter64', 'ModuleIdentity', 'Bits', 'Counter32', 'NotificationType', 'Unsigned32', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'ObjectIdentity', 'TimeTicks', 'Gauge32', 'iso', 'MibIdentifier')
(display_string, textual_convention) = mibBuilder.importSymbols('SNMPv2-TC', 'DisplayString', 'TextualConvention')
vlan = object_identity((1, 3, 6, 1, 4, 1, 25651, 1, 2, 3, 2, 3))
if mibBuilder.loadTexts:
vlan.setStatus('current')
vlan_status = mib_scalar((1, 3, 6, 1, 4, 1, 25651, 1, 2, 3, 2, 3, 1), vlan_status_t()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
vlanStatus.setStatus('current')
vlan_default_mgmt_id = mib_scalar((1, 3, 6, 1, 4, 1, 25651, 1, 2, 3, 2, 3, 5), integer32().subtype(subtypeSpec=value_range_constraint(1, 4095))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
vlanDefaultMgmtId.setStatus('current')
vlan_interfaces = mib_table((1, 3, 6, 1, 4, 1, 25651, 1, 2, 3, 2, 3, 6))
if mibBuilder.loadTexts:
vlanInterfaces.setStatus('current')
vlan_interfaces_entry = mib_table_row((1, 3, 6, 1, 4, 1, 25651, 1, 2, 3, 2, 3, 6, 1)).setIndexNames((0, 'VLAN', 'vlanDefaultId'))
if mibBuilder.loadTexts:
vlanInterfacesEntry.setStatus('current')
vlan_default_id = mib_table_column((1, 3, 6, 1, 4, 1, 25651, 1, 2, 3, 2, 3, 6, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 4095))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
vlanDefaultId.setStatus('current')
vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 25651, 1, 2, 3, 2, 3, 6, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 1024))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
vlanID.setStatus('current')
commit_vlan_settings = mib_scalar((1, 3, 6, 1, 4, 1, 25651, 1, 2, 3, 2, 3, 1000), display_string().subtype(subtypeSpec=value_size_constraint(4, 200))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
commitVlanSettings.setStatus('current')
mibBuilder.exportSymbols('VLAN', vlanInterfaces=vlanInterfaces, vlanDefaultMgmtId=vlanDefaultMgmtId, vlan=vlan, vlanDefaultId=vlanDefaultId, vlanStatus=vlanStatus, vlanID=vlanID, commitVlanSettings=commitVlanSettings, vlanInterfacesEntry=vlanInterfacesEntry)
|
def solution(A, B):
tmp = '{0:b}'.format(A * B)
return list(tmp).count('1')
|
def solution(A, B):
tmp = '{0:b}'.format(A * B)
return list(tmp).count('1')
|
class Pagination:
def __init__(self, offset, limit):
self._offset = offset
self._limit = limit
def clean_offset(self):
return self._offset >= 0
def clean_limit(self):
return self._limit > 0
def clean(self):
return self.clean_offset() and self.clean_limit()
@property
def offset(self):
return self._offset
@property
def limit(self):
return self._limit
class Filter:
def __init__(self, name, *values):
self.name = name
self.values = values
|
class Pagination:
def __init__(self, offset, limit):
self._offset = offset
self._limit = limit
def clean_offset(self):
return self._offset >= 0
def clean_limit(self):
return self._limit > 0
def clean(self):
return self.clean_offset() and self.clean_limit()
@property
def offset(self):
return self._offset
@property
def limit(self):
return self._limit
class Filter:
def __init__(self, name, *values):
self.name = name
self.values = values
|
# Copyright (c) 2018-2021 Kaiyang Zhou
# SPDX-License-Identifier: MIT
#
# Copyright (C) 2020-2021 Intel Corporation
# SPDX-License-Identifier: Apache-2.0
#
__version__ = '1.2.3'
|
__version__ = '1.2.3'
|
#
# PySNMP MIB module E7-Fault-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/E7-Fault-MIB
# Produced by pysmi-0.3.4 at Wed May 1 12:58:57 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)
#
ObjectIdentifier, Integer, OctetString = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "Integer", "OctetString")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ValueRangeConstraint, ConstraintsUnion, SingleValueConstraint, ValueSizeConstraint, ConstraintsIntersection = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueRangeConstraint", "ConstraintsUnion", "SingleValueConstraint", "ValueSizeConstraint", "ConstraintsIntersection")
e7Modules, e7 = mibBuilder.importSymbols("CALIX-PRODUCT-MIB", "e7Modules", "e7")
E7ObjectClass, E7AlarmType = mibBuilder.importSymbols("E7-TC", "E7ObjectClass", "E7AlarmType")
NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance")
Integer32, Bits, MibIdentifier, Gauge32, ObjectIdentity, ModuleIdentity, iso, NotificationType, TimeTicks, Counter64, MibScalar, MibTable, MibTableRow, MibTableColumn, Unsigned32, IpAddress, Counter32 = mibBuilder.importSymbols("SNMPv2-SMI", "Integer32", "Bits", "MibIdentifier", "Gauge32", "ObjectIdentity", "ModuleIdentity", "iso", "NotificationType", "TimeTicks", "Counter64", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Unsigned32", "IpAddress", "Counter32")
DisplayString, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "TextualConvention")
e7FaultModule = ModuleIdentity((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 1, 2))
if mibBuilder.loadTexts: e7FaultModule.setLastUpdated('200912100000Z')
if mibBuilder.loadTexts: e7FaultModule.setOrganization('Calix')
if mibBuilder.loadTexts: e7FaultModule.setContactInfo('Calix')
if mibBuilder.loadTexts: e7FaultModule.setDescription('Describes all the alarm retrieval related to Calix E7, E5-400, and E5-312 products.')
e7Fault = MibIdentifier((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3))
e7Alarms = MibIdentifier((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1))
e7AlarmCount = MibIdentifier((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 2))
e7AlarmTable = MibTable((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1), )
if mibBuilder.loadTexts: e7AlarmTable.setStatus('current')
if mibBuilder.loadTexts: e7AlarmTable.setDescription('This table holds all the active alarms')
e7AlarmEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1), ).setIndexNames((0, "E7-Fault-MIB", "e7AlarmObjectClass"), (0, "E7-Fault-MIB", "e7AlarmObjectInstance1"), (0, "E7-Fault-MIB", "e7AlarmObjectInstance2"), (0, "E7-Fault-MIB", "e7AlarmObjectInstance3"), (0, "E7-Fault-MIB", "e7AlarmObjectInstance4"), (0, "E7-Fault-MIB", "e7AlarmObjectInstance5"), (0, "E7-Fault-MIB", "e7AlarmObjectInstance6"), (0, "E7-Fault-MIB", "e7AlarmObjectInstance7"), (0, "E7-Fault-MIB", "e7AlarmObjectInstance8"), (0, "E7-Fault-MIB", "e7AlarmType"))
if mibBuilder.loadTexts: e7AlarmEntry.setStatus('current')
if mibBuilder.loadTexts: e7AlarmEntry.setDescription('List of attributes regarding alarm table')
e7AlarmObjectClass = MibTableColumn((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 1), E7ObjectClass()).setMaxAccess("readonly")
if mibBuilder.loadTexts: e7AlarmObjectClass.setStatus('current')
if mibBuilder.loadTexts: e7AlarmObjectClass.setDescription('Object Class for an alarm')
e7AlarmObjectInstance1 = MibTableColumn((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: e7AlarmObjectInstance1.setStatus('current')
if mibBuilder.loadTexts: e7AlarmObjectInstance1.setDescription('Object instance for an alarm, level 1')
e7AlarmObjectInstance2 = MibTableColumn((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: e7AlarmObjectInstance2.setStatus('current')
if mibBuilder.loadTexts: e7AlarmObjectInstance2.setDescription('Object instance for an alarm, level 2')
e7AlarmObjectInstance3 = MibTableColumn((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: e7AlarmObjectInstance3.setStatus('current')
if mibBuilder.loadTexts: e7AlarmObjectInstance3.setDescription('Object instance for an alarm, level 3')
e7AlarmObjectInstance4 = MibTableColumn((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: e7AlarmObjectInstance4.setStatus('current')
if mibBuilder.loadTexts: e7AlarmObjectInstance4.setDescription('Object instance for an alarm, level 4')
e7AlarmObjectInstance5 = MibTableColumn((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: e7AlarmObjectInstance5.setStatus('current')
if mibBuilder.loadTexts: e7AlarmObjectInstance5.setDescription('Object instance for an alarm, level 5')
e7AlarmObjectInstance6 = MibTableColumn((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 7), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: e7AlarmObjectInstance6.setStatus('current')
if mibBuilder.loadTexts: e7AlarmObjectInstance6.setDescription('Object instance for an alarm, level 6')
e7AlarmObjectInstance7 = MibTableColumn((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 8), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: e7AlarmObjectInstance7.setStatus('current')
if mibBuilder.loadTexts: e7AlarmObjectInstance7.setDescription('Object instance for an alarm, level 7')
e7AlarmObjectInstance8 = MibTableColumn((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 9), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: e7AlarmObjectInstance8.setStatus('current')
if mibBuilder.loadTexts: e7AlarmObjectInstance8.setDescription('Object instance for an alarm, level 8')
e7AlarmType = MibTableColumn((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 10), E7AlarmType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: e7AlarmType.setStatus('current')
if mibBuilder.loadTexts: e7AlarmType.setDescription('Unique type for an alarm')
e7AlarmSeverity = MibTableColumn((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("critical", 1), ("major", 2), ("minor", 3), ("warning", 4), ("unknown", 5)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: e7AlarmSeverity.setStatus('current')
if mibBuilder.loadTexts: e7AlarmSeverity.setDescription('Severity of the alarm')
e7AlarmTimeStamp = MibTableColumn((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 12), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 50))).setMaxAccess("readonly")
if mibBuilder.loadTexts: e7AlarmTimeStamp.setStatus('current')
if mibBuilder.loadTexts: e7AlarmTimeStamp.setDescription('Timestamp indicating the set/clear time of the alarm')
e7AlarmServiceAffecting = MibTableColumn((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("yes", 1), ("no", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: e7AlarmServiceAffecting.setStatus('current')
if mibBuilder.loadTexts: e7AlarmServiceAffecting.setDescription('Indicated the nature of the alarm i.e. service affecting or not')
e7AlarmLocationInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("nearEnd", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: e7AlarmLocationInfo.setStatus('current')
if mibBuilder.loadTexts: e7AlarmLocationInfo.setDescription('')
e7AlarmText = MibTableColumn((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 15), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: e7AlarmText.setStatus('current')
if mibBuilder.loadTexts: e7AlarmText.setDescription('Alarm description')
e7AlarmTime = MibTableColumn((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 16), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: e7AlarmTime.setStatus('current')
if mibBuilder.loadTexts: e7AlarmTime.setDescription('UTC time')
e7AlarmCliObject = MibTableColumn((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 17), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: e7AlarmCliObject.setStatus('current')
if mibBuilder.loadTexts: e7AlarmCliObject.setDescription('The short CLI name for the object class and instance')
e7AlarmSecObjectClass = MibTableColumn((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 18), E7ObjectClass()).setMaxAccess("readonly")
if mibBuilder.loadTexts: e7AlarmSecObjectClass.setStatus('current')
if mibBuilder.loadTexts: e7AlarmSecObjectClass.setDescription('Secondary Object Class for an alarm')
e7AlarmSecObjectInstance1 = MibTableColumn((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 19), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: e7AlarmSecObjectInstance1.setStatus('current')
if mibBuilder.loadTexts: e7AlarmSecObjectInstance1.setDescription('Secondary object instance for an alarm, level 1')
e7AlarmSecObjectInstance2 = MibTableColumn((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 20), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: e7AlarmSecObjectInstance2.setStatus('current')
if mibBuilder.loadTexts: e7AlarmSecObjectInstance2.setDescription('Secondary object instance for an alarm, level 2')
e7AlarmSecObjectInstance3 = MibTableColumn((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 21), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: e7AlarmSecObjectInstance3.setStatus('current')
if mibBuilder.loadTexts: e7AlarmSecObjectInstance3.setDescription('Secondary object instance for an alarm, level 3')
e7AlarmSecObjectInstance4 = MibTableColumn((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 22), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: e7AlarmSecObjectInstance4.setStatus('current')
if mibBuilder.loadTexts: e7AlarmSecObjectInstance4.setDescription('Secondary object instance for an alarm, level 4')
e7AlarmSecObjectInstance5 = MibTableColumn((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 23), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: e7AlarmSecObjectInstance5.setStatus('current')
if mibBuilder.loadTexts: e7AlarmSecObjectInstance5.setDescription('Secondary object instance for an alarm, level 5')
e7AlarmSecObjectInstance6 = MibTableColumn((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 24), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: e7AlarmSecObjectInstance6.setStatus('current')
if mibBuilder.loadTexts: e7AlarmSecObjectInstance6.setDescription('Secondary object instance for an alarm, level 6')
e7AlarmSecObjectInstance7 = MibTableColumn((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 25), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: e7AlarmSecObjectInstance7.setStatus('current')
if mibBuilder.loadTexts: e7AlarmSecObjectInstance7.setDescription('Secondary object instance for an alarm, level 7')
e7AlarmSecObjectInstance8 = MibTableColumn((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 26), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: e7AlarmSecObjectInstance8.setStatus('current')
if mibBuilder.loadTexts: e7AlarmSecObjectInstance8.setDescription('Secondary object instance for an alarm, level 8')
e7AlarmTableEnd = MibScalar((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: e7AlarmTableEnd.setStatus('current')
if mibBuilder.loadTexts: e7AlarmTableEnd.setDescription('This attribute marks the end of the e7AlarmTable')
e7AlarmCountCritical = MibScalar((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 2, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: e7AlarmCountCritical.setStatus('current')
if mibBuilder.loadTexts: e7AlarmCountCritical.setDescription('The count of critical alarms')
e7AlarmCountMajor = MibScalar((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 2, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: e7AlarmCountMajor.setStatus('current')
if mibBuilder.loadTexts: e7AlarmCountMajor.setDescription('The count of major alarms')
e7AlarmCountMinor = MibScalar((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 2, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: e7AlarmCountMinor.setStatus('current')
if mibBuilder.loadTexts: e7AlarmCountMinor.setDescription('The count of minor alarms')
e7AlarmCountWarning = MibScalar((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 2, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: e7AlarmCountWarning.setStatus('current')
if mibBuilder.loadTexts: e7AlarmCountWarning.setDescription('The count of warning alarms (reported conditions)')
e7AlarmCountInfo = MibScalar((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 2, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: e7AlarmCountInfo.setStatus('current')
if mibBuilder.loadTexts: e7AlarmCountInfo.setDescription('The count of info alarms (unreported conditions)')
mibBuilder.exportSymbols("E7-Fault-MIB", e7AlarmCliObject=e7AlarmCliObject, e7AlarmSecObjectClass=e7AlarmSecObjectClass, e7FaultModule=e7FaultModule, PYSNMP_MODULE_ID=e7FaultModule, e7AlarmObjectClass=e7AlarmObjectClass, e7AlarmEntry=e7AlarmEntry, e7AlarmCountMajor=e7AlarmCountMajor, e7AlarmTimeStamp=e7AlarmTimeStamp, e7AlarmObjectInstance1=e7AlarmObjectInstance1, e7AlarmCount=e7AlarmCount, e7AlarmSecObjectInstance2=e7AlarmSecObjectInstance2, e7AlarmObjectInstance6=e7AlarmObjectInstance6, e7AlarmSecObjectInstance6=e7AlarmSecObjectInstance6, e7AlarmSecObjectInstance7=e7AlarmSecObjectInstance7, e7AlarmSeverity=e7AlarmSeverity, e7AlarmText=e7AlarmText, e7AlarmTable=e7AlarmTable, e7AlarmObjectInstance7=e7AlarmObjectInstance7, e7AlarmLocationInfo=e7AlarmLocationInfo, e7AlarmTableEnd=e7AlarmTableEnd, e7AlarmObjectInstance5=e7AlarmObjectInstance5, e7AlarmCountMinor=e7AlarmCountMinor, e7Alarms=e7Alarms, e7AlarmObjectInstance2=e7AlarmObjectInstance2, e7AlarmServiceAffecting=e7AlarmServiceAffecting, e7AlarmSecObjectInstance3=e7AlarmSecObjectInstance3, e7AlarmSecObjectInstance5=e7AlarmSecObjectInstance5, e7AlarmSecObjectInstance8=e7AlarmSecObjectInstance8, e7AlarmSecObjectInstance1=e7AlarmSecObjectInstance1, e7Fault=e7Fault, e7AlarmObjectInstance3=e7AlarmObjectInstance3, e7AlarmObjectInstance4=e7AlarmObjectInstance4, e7AlarmObjectInstance8=e7AlarmObjectInstance8, e7AlarmType=e7AlarmType, e7AlarmCountCritical=e7AlarmCountCritical, e7AlarmCountWarning=e7AlarmCountWarning, e7AlarmTime=e7AlarmTime, e7AlarmSecObjectInstance4=e7AlarmSecObjectInstance4, e7AlarmCountInfo=e7AlarmCountInfo)
|
(object_identifier, integer, octet_string) = mibBuilder.importSymbols('ASN1', 'ObjectIdentifier', 'Integer', 'OctetString')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(value_range_constraint, constraints_union, single_value_constraint, value_size_constraint, constraints_intersection) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueRangeConstraint', 'ConstraintsUnion', 'SingleValueConstraint', 'ValueSizeConstraint', 'ConstraintsIntersection')
(e7_modules, e7) = mibBuilder.importSymbols('CALIX-PRODUCT-MIB', 'e7Modules', 'e7')
(e7_object_class, e7_alarm_type) = mibBuilder.importSymbols('E7-TC', 'E7ObjectClass', 'E7AlarmType')
(notification_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance')
(integer32, bits, mib_identifier, gauge32, object_identity, module_identity, iso, notification_type, time_ticks, counter64, mib_scalar, mib_table, mib_table_row, mib_table_column, unsigned32, ip_address, counter32) = mibBuilder.importSymbols('SNMPv2-SMI', 'Integer32', 'Bits', 'MibIdentifier', 'Gauge32', 'ObjectIdentity', 'ModuleIdentity', 'iso', 'NotificationType', 'TimeTicks', 'Counter64', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Unsigned32', 'IpAddress', 'Counter32')
(display_string, textual_convention) = mibBuilder.importSymbols('SNMPv2-TC', 'DisplayString', 'TextualConvention')
e7_fault_module = module_identity((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 1, 2))
if mibBuilder.loadTexts:
e7FaultModule.setLastUpdated('200912100000Z')
if mibBuilder.loadTexts:
e7FaultModule.setOrganization('Calix')
if mibBuilder.loadTexts:
e7FaultModule.setContactInfo('Calix')
if mibBuilder.loadTexts:
e7FaultModule.setDescription('Describes all the alarm retrieval related to Calix E7, E5-400, and E5-312 products.')
e7_fault = mib_identifier((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3))
e7_alarms = mib_identifier((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1))
e7_alarm_count = mib_identifier((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 2))
e7_alarm_table = mib_table((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1))
if mibBuilder.loadTexts:
e7AlarmTable.setStatus('current')
if mibBuilder.loadTexts:
e7AlarmTable.setDescription('This table holds all the active alarms')
e7_alarm_entry = mib_table_row((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1)).setIndexNames((0, 'E7-Fault-MIB', 'e7AlarmObjectClass'), (0, 'E7-Fault-MIB', 'e7AlarmObjectInstance1'), (0, 'E7-Fault-MIB', 'e7AlarmObjectInstance2'), (0, 'E7-Fault-MIB', 'e7AlarmObjectInstance3'), (0, 'E7-Fault-MIB', 'e7AlarmObjectInstance4'), (0, 'E7-Fault-MIB', 'e7AlarmObjectInstance5'), (0, 'E7-Fault-MIB', 'e7AlarmObjectInstance6'), (0, 'E7-Fault-MIB', 'e7AlarmObjectInstance7'), (0, 'E7-Fault-MIB', 'e7AlarmObjectInstance8'), (0, 'E7-Fault-MIB', 'e7AlarmType'))
if mibBuilder.loadTexts:
e7AlarmEntry.setStatus('current')
if mibBuilder.loadTexts:
e7AlarmEntry.setDescription('List of attributes regarding alarm table')
e7_alarm_object_class = mib_table_column((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 1), e7_object_class()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
e7AlarmObjectClass.setStatus('current')
if mibBuilder.loadTexts:
e7AlarmObjectClass.setDescription('Object Class for an alarm')
e7_alarm_object_instance1 = mib_table_column((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
e7AlarmObjectInstance1.setStatus('current')
if mibBuilder.loadTexts:
e7AlarmObjectInstance1.setDescription('Object instance for an alarm, level 1')
e7_alarm_object_instance2 = mib_table_column((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
e7AlarmObjectInstance2.setStatus('current')
if mibBuilder.loadTexts:
e7AlarmObjectInstance2.setDescription('Object instance for an alarm, level 2')
e7_alarm_object_instance3 = mib_table_column((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
e7AlarmObjectInstance3.setStatus('current')
if mibBuilder.loadTexts:
e7AlarmObjectInstance3.setDescription('Object instance for an alarm, level 3')
e7_alarm_object_instance4 = mib_table_column((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
e7AlarmObjectInstance4.setStatus('current')
if mibBuilder.loadTexts:
e7AlarmObjectInstance4.setDescription('Object instance for an alarm, level 4')
e7_alarm_object_instance5 = mib_table_column((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
e7AlarmObjectInstance5.setStatus('current')
if mibBuilder.loadTexts:
e7AlarmObjectInstance5.setDescription('Object instance for an alarm, level 5')
e7_alarm_object_instance6 = mib_table_column((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 7), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
e7AlarmObjectInstance6.setStatus('current')
if mibBuilder.loadTexts:
e7AlarmObjectInstance6.setDescription('Object instance for an alarm, level 6')
e7_alarm_object_instance7 = mib_table_column((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 8), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
e7AlarmObjectInstance7.setStatus('current')
if mibBuilder.loadTexts:
e7AlarmObjectInstance7.setDescription('Object instance for an alarm, level 7')
e7_alarm_object_instance8 = mib_table_column((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 9), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
e7AlarmObjectInstance8.setStatus('current')
if mibBuilder.loadTexts:
e7AlarmObjectInstance8.setDescription('Object instance for an alarm, level 8')
e7_alarm_type = mib_table_column((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 10), e7_alarm_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
e7AlarmType.setStatus('current')
if mibBuilder.loadTexts:
e7AlarmType.setDescription('Unique type for an alarm')
e7_alarm_severity = mib_table_column((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('critical', 1), ('major', 2), ('minor', 3), ('warning', 4), ('unknown', 5)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
e7AlarmSeverity.setStatus('current')
if mibBuilder.loadTexts:
e7AlarmSeverity.setDescription('Severity of the alarm')
e7_alarm_time_stamp = mib_table_column((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 12), octet_string().subtype(subtypeSpec=value_size_constraint(1, 50))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
e7AlarmTimeStamp.setStatus('current')
if mibBuilder.loadTexts:
e7AlarmTimeStamp.setDescription('Timestamp indicating the set/clear time of the alarm')
e7_alarm_service_affecting = mib_table_column((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('yes', 1), ('no', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
e7AlarmServiceAffecting.setStatus('current')
if mibBuilder.loadTexts:
e7AlarmServiceAffecting.setDescription('Indicated the nature of the alarm i.e. service affecting or not')
e7_alarm_location_info = mib_table_column((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 14), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('nearEnd', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
e7AlarmLocationInfo.setStatus('current')
if mibBuilder.loadTexts:
e7AlarmLocationInfo.setDescription('')
e7_alarm_text = mib_table_column((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 15), octet_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
e7AlarmText.setStatus('current')
if mibBuilder.loadTexts:
e7AlarmText.setDescription('Alarm description')
e7_alarm_time = mib_table_column((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 16), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
e7AlarmTime.setStatus('current')
if mibBuilder.loadTexts:
e7AlarmTime.setDescription('UTC time')
e7_alarm_cli_object = mib_table_column((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 17), octet_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
e7AlarmCliObject.setStatus('current')
if mibBuilder.loadTexts:
e7AlarmCliObject.setDescription('The short CLI name for the object class and instance')
e7_alarm_sec_object_class = mib_table_column((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 18), e7_object_class()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
e7AlarmSecObjectClass.setStatus('current')
if mibBuilder.loadTexts:
e7AlarmSecObjectClass.setDescription('Secondary Object Class for an alarm')
e7_alarm_sec_object_instance1 = mib_table_column((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 19), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
e7AlarmSecObjectInstance1.setStatus('current')
if mibBuilder.loadTexts:
e7AlarmSecObjectInstance1.setDescription('Secondary object instance for an alarm, level 1')
e7_alarm_sec_object_instance2 = mib_table_column((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 20), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
e7AlarmSecObjectInstance2.setStatus('current')
if mibBuilder.loadTexts:
e7AlarmSecObjectInstance2.setDescription('Secondary object instance for an alarm, level 2')
e7_alarm_sec_object_instance3 = mib_table_column((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 21), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
e7AlarmSecObjectInstance3.setStatus('current')
if mibBuilder.loadTexts:
e7AlarmSecObjectInstance3.setDescription('Secondary object instance for an alarm, level 3')
e7_alarm_sec_object_instance4 = mib_table_column((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 22), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
e7AlarmSecObjectInstance4.setStatus('current')
if mibBuilder.loadTexts:
e7AlarmSecObjectInstance4.setDescription('Secondary object instance for an alarm, level 4')
e7_alarm_sec_object_instance5 = mib_table_column((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 23), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
e7AlarmSecObjectInstance5.setStatus('current')
if mibBuilder.loadTexts:
e7AlarmSecObjectInstance5.setDescription('Secondary object instance for an alarm, level 5')
e7_alarm_sec_object_instance6 = mib_table_column((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 24), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
e7AlarmSecObjectInstance6.setStatus('current')
if mibBuilder.loadTexts:
e7AlarmSecObjectInstance6.setDescription('Secondary object instance for an alarm, level 6')
e7_alarm_sec_object_instance7 = mib_table_column((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 25), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
e7AlarmSecObjectInstance7.setStatus('current')
if mibBuilder.loadTexts:
e7AlarmSecObjectInstance7.setDescription('Secondary object instance for an alarm, level 7')
e7_alarm_sec_object_instance8 = mib_table_column((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 1, 1, 26), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
e7AlarmSecObjectInstance8.setStatus('current')
if mibBuilder.loadTexts:
e7AlarmSecObjectInstance8.setDescription('Secondary object instance for an alarm, level 8')
e7_alarm_table_end = mib_scalar((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
e7AlarmTableEnd.setStatus('current')
if mibBuilder.loadTexts:
e7AlarmTableEnd.setDescription('This attribute marks the end of the e7AlarmTable')
e7_alarm_count_critical = mib_scalar((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 2, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
e7AlarmCountCritical.setStatus('current')
if mibBuilder.loadTexts:
e7AlarmCountCritical.setDescription('The count of critical alarms')
e7_alarm_count_major = mib_scalar((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 2, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
e7AlarmCountMajor.setStatus('current')
if mibBuilder.loadTexts:
e7AlarmCountMajor.setDescription('The count of major alarms')
e7_alarm_count_minor = mib_scalar((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 2, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
e7AlarmCountMinor.setStatus('current')
if mibBuilder.loadTexts:
e7AlarmCountMinor.setDescription('The count of minor alarms')
e7_alarm_count_warning = mib_scalar((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 2, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
e7AlarmCountWarning.setStatus('current')
if mibBuilder.loadTexts:
e7AlarmCountWarning.setDescription('The count of warning alarms (reported conditions)')
e7_alarm_count_info = mib_scalar((1, 3, 6, 1, 4, 1, 6321, 1, 2, 2, 3, 2, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
e7AlarmCountInfo.setStatus('current')
if mibBuilder.loadTexts:
e7AlarmCountInfo.setDescription('The count of info alarms (unreported conditions)')
mibBuilder.exportSymbols('E7-Fault-MIB', e7AlarmCliObject=e7AlarmCliObject, e7AlarmSecObjectClass=e7AlarmSecObjectClass, e7FaultModule=e7FaultModule, PYSNMP_MODULE_ID=e7FaultModule, e7AlarmObjectClass=e7AlarmObjectClass, e7AlarmEntry=e7AlarmEntry, e7AlarmCountMajor=e7AlarmCountMajor, e7AlarmTimeStamp=e7AlarmTimeStamp, e7AlarmObjectInstance1=e7AlarmObjectInstance1, e7AlarmCount=e7AlarmCount, e7AlarmSecObjectInstance2=e7AlarmSecObjectInstance2, e7AlarmObjectInstance6=e7AlarmObjectInstance6, e7AlarmSecObjectInstance6=e7AlarmSecObjectInstance6, e7AlarmSecObjectInstance7=e7AlarmSecObjectInstance7, e7AlarmSeverity=e7AlarmSeverity, e7AlarmText=e7AlarmText, e7AlarmTable=e7AlarmTable, e7AlarmObjectInstance7=e7AlarmObjectInstance7, e7AlarmLocationInfo=e7AlarmLocationInfo, e7AlarmTableEnd=e7AlarmTableEnd, e7AlarmObjectInstance5=e7AlarmObjectInstance5, e7AlarmCountMinor=e7AlarmCountMinor, e7Alarms=e7Alarms, e7AlarmObjectInstance2=e7AlarmObjectInstance2, e7AlarmServiceAffecting=e7AlarmServiceAffecting, e7AlarmSecObjectInstance3=e7AlarmSecObjectInstance3, e7AlarmSecObjectInstance5=e7AlarmSecObjectInstance5, e7AlarmSecObjectInstance8=e7AlarmSecObjectInstance8, e7AlarmSecObjectInstance1=e7AlarmSecObjectInstance1, e7Fault=e7Fault, e7AlarmObjectInstance3=e7AlarmObjectInstance3, e7AlarmObjectInstance4=e7AlarmObjectInstance4, e7AlarmObjectInstance8=e7AlarmObjectInstance8, e7AlarmType=e7AlarmType, e7AlarmCountCritical=e7AlarmCountCritical, e7AlarmCountWarning=e7AlarmCountWarning, e7AlarmTime=e7AlarmTime, e7AlarmSecObjectInstance4=e7AlarmSecObjectInstance4, e7AlarmCountInfo=e7AlarmCountInfo)
|
def steps(number:int) -> int:
if number <= 0:
raise ValueError("Input must be a positive integer")
steps = 0
while number != 1:
if number % 2 == 0:
number = int(number / 2)
else:
number = int(number * 3) + 1
steps += 1
return steps
|
def steps(number: int) -> int:
if number <= 0:
raise value_error('Input must be a positive integer')
steps = 0
while number != 1:
if number % 2 == 0:
number = int(number / 2)
else:
number = int(number * 3) + 1
steps += 1
return steps
|
class Solution:
def arrangeCoins(self, n: int) -> int:
k = 0
while n > 0:
k += 1
n -= k
return k if not n else k - 1
|
class Solution:
def arrange_coins(self, n: int) -> int:
k = 0
while n > 0:
k += 1
n -= k
return k if not n else k - 1
|
coordinates_E0E1E1 = ((127, 91),
(127, 93), (128, 92), (128, 94), (128, 142), (129, 93), (129, 95), (129, 134), (129, 135), (129, 141), (129, 142), (130, 94), (130, 133), (130, 136), (130, 140), (130, 142), (131, 95), (131, 102), (131, 133), (131, 135), (131, 138), (131, 139), (131, 142), (132, 96), (132, 98), (132, 99), (132, 100), (132, 101), (132, 103), (132, 117), (132, 119), (132, 132), (132, 134), (132, 135), (132, 136), (132, 143), (133, 97), (133, 104), (133, 115), (133, 119), (133, 131), (133, 133), (133, 134), (133, 135), (133, 136), (133, 137), (133, 140), (133, 141), (133, 144), (134, 90), (134, 99), (134, 102), (134, 103), (134, 106), (134, 107), (134, 108), (134, 114), (134, 117), (134, 118), (134, 120), (134, 131), (134, 133), (134, 134), (134, 135), (134, 136), (134, 138), (134, 143), (135, 91), (135, 101), (135, 103), (135, 104), (135, 109), (135, 110),
(135, 111), (135, 112), (135, 115), (135, 116), (135, 117), (135, 118), (135, 120), (135, 130), (135, 132), (135, 133), (135, 134), (135, 135), (135, 137), (136, 92), (136, 102), (136, 104), (136, 105), (136, 106), (136, 107), (136, 108), (136, 113), (136, 114), (136, 115), (136, 116), (136, 117), (136, 118), (136, 119), (136, 121), (136, 127), (136, 128), (136, 131), (136, 132), (136, 133), (136, 134), (136, 136), (137, 92), (137, 93), (137, 102), (137, 104), (137, 105), (137, 108), (137, 109), (137, 110), (137, 111), (137, 112), (137, 113), (137, 114), (137, 115), (137, 116), (137, 117), (137, 118), (137, 119), (137, 120), (137, 123), (137, 124), (137, 125), (137, 126), (137, 130), (137, 131), (137, 132), (137, 133), (137, 134), (137, 136), (138, 92), (138, 94), (138, 102), (138, 106), (138, 107), (138, 108), (138, 113), (138, 114), (138, 115),
(138, 116), (138, 117), (138, 118), (138, 119), (138, 120), (138, 121), (138, 127), (138, 128), (138, 129), (138, 130), (138, 131), (138, 132), (138, 133), (138, 134), (138, 135), (138, 136), (139, 93), (139, 102), (139, 104), (139, 105), (139, 108), (139, 109), (139, 110), (139, 111), (139, 112), (139, 115), (139, 116), (139, 117), (139, 118), (139, 119), (139, 120), (139, 121), (139, 122), (139, 123), (139, 124), (139, 125), (139, 126), (139, 127), (139, 128), (139, 129), (139, 130), (139, 131), (139, 132), (139, 133), (139, 135), (140, 101), (140, 103), (140, 113), (140, 114), (140, 117), (140, 118), (140, 119), (140, 120), (140, 121), (140, 122), (140, 123), (140, 124), (140, 125), (140, 126), (140, 127), (140, 128), (140, 129), (140, 130), (140, 131), (140, 132), (140, 133), (140, 135), (141, 100), (141, 116), (141, 117), (141, 118), (141, 119),
(141, 120), (141, 121), (141, 122), (141, 123), (141, 124), (141, 125), (141, 126), (141, 127), (141, 128), (141, 129), (141, 130), (141, 131), (141, 132), (141, 133), (141, 134), (141, 135), (142, 117), (142, 119), (142, 120), (142, 121), (142, 122), (142, 123), (142, 124), (142, 125), (142, 126), (142, 127), (142, 128), (142, 129), (142, 130), (142, 131), (142, 132), (142, 134), (143, 117), (143, 119), (143, 120), (143, 121), (143, 122), (143, 123), (143, 124), (143, 125), (143, 126), (143, 127), (143, 128), (143, 129), (143, 130), (143, 131), (143, 132), (143, 134), (144, 116), (144, 118), (144, 119), (144, 120), (144, 121), (144, 122), (144, 123), (144, 124), (144, 125), (144, 126), (144, 127), (144, 128), (144, 129), (144, 130), (144, 131), (144, 132), (144, 134), (145, 115), (145, 116), (145, 117), (145, 118), (145, 119), (145, 120), (145, 121),
(145, 122), (145, 123), (145, 124), (145, 125), (145, 126), (145, 127), (145, 128), (145, 129), (145, 130), (145, 131), (145, 133), (146, 115), (146, 117), (146, 118), (146, 119), (146, 120), (146, 121), (146, 122), (146, 123), (146, 124), (146, 125), (146, 126), (146, 127), (146, 128), (146, 129), (146, 130), (146, 131), (146, 133), (147, 109), (147, 111), (147, 112), (147, 113), (147, 116), (147, 117), (147, 118), (147, 119), (147, 120), (147, 121), (147, 122), (147, 123), (147, 124), (147, 125), (147, 126), (147, 127), (147, 128), (147, 129), (147, 130), (147, 131), (147, 132), (147, 134), (148, 108), (148, 115), (148, 116), (148, 117), (148, 118), (148, 119), (148, 120), (148, 121), (148, 122), (148, 123), (148, 124), (148, 125), (148, 126), (148, 127), (148, 128), (148, 129), (148, 130), (148, 131), (148, 132), (148, 134), (149, 104), (149, 105),
(149, 106), (149, 109), (149, 110), (149, 111), (149, 112), (149, 113), (149, 114), (149, 115), (149, 116), (149, 117), (149, 118), (149, 119), (149, 120), (149, 121), (149, 122), (149, 123), (149, 124), (149, 125), (149, 126), (149, 127), (149, 128), (149, 129), (149, 130), (149, 131), (149, 132), (149, 133), (149, 135), (150, 107), (150, 109), (150, 110), (150, 111), (150, 112), (150, 113), (150, 114), (150, 115), (150, 116), (150, 117), (150, 121), (150, 122), (150, 123), (150, 124), (150, 125), (150, 126), (150, 127), (150, 128), (150, 129), (150, 130), (150, 131), (150, 132), (150, 135), (151, 108), (151, 110), (151, 111), (151, 112), (151, 113), (151, 114), (151, 115), (151, 118), (151, 119), (151, 120), (151, 122), (151, 123), (151, 124), (151, 125), (151, 126), (151, 127), (151, 128), (151, 129), (151, 130), (151, 131), (151, 133), (152, 109),
(152, 112), (152, 113), (152, 114), (152, 121), (152, 123), (152, 124), (152, 125), (152, 126), (152, 127), (152, 128), (152, 129), (152, 130), (152, 132), (153, 110), (153, 113), (153, 115), (153, 122), (153, 124), (153, 125), (153, 126), (153, 127), (153, 128), (153, 129), (153, 131), (154, 112), (154, 115), (154, 123), (154, 125), (154, 126), (154, 127), (154, 128), (154, 130), (155, 113), (155, 114), (155, 123), (155, 125), (155, 126), (155, 127), (155, 130), (156, 113), (156, 114), (156, 124), (156, 128), (156, 130), (157, 112), (157, 114), (157, 124), (157, 126), (158, 112), (158, 124), (158, 125), (159, 113), )
coordinates_E1E1E1 = ((84, 135),
(87, 118), (88, 119), (88, 127), (88, 130), (89, 117), (89, 120), (89, 126), (89, 129), (90, 117), (90, 119), (90, 122), (90, 123), (90, 124), (90, 125), (90, 128), (91, 111), (91, 116), (91, 118), (91, 119), (91, 126), (91, 128), (92, 103), (92, 110), (92, 112), (92, 113), (92, 114), (92, 117), (92, 118), (92, 121), (92, 122), (92, 123), (92, 124), (92, 125), (92, 126), (92, 128), (93, 102), (93, 105), (93, 109), (93, 116), (93, 117), (93, 119), (93, 122), (93, 123), (93, 124), (93, 125), (93, 126), (93, 127), (93, 129), (94, 114), (94, 116), (94, 118), (94, 121), (94, 123), (94, 124), (94, 125), (94, 126), (94, 127), (94, 128), (94, 130), (95, 115), (95, 117), (95, 121), (95, 123), (95, 124), (95, 125), (95, 126), (95, 127), (95, 128), (95, 129), (95, 131), (96, 115), (96, 117),
(96, 121), (96, 123), (96, 124), (96, 125), (96, 126), (96, 127), (96, 128), (96, 129), (96, 130), (96, 133), (97, 115), (97, 117), (97, 120), (97, 122), (97, 123), (97, 124), (97, 125), (97, 126), (97, 127), (97, 128), (97, 129), (97, 130), (97, 131), (97, 133), (98, 115), (98, 117), (98, 118), (98, 121), (98, 122), (98, 123), (98, 124), (98, 125), (98, 126), (98, 127), (98, 128), (98, 129), (98, 130), (98, 132), (99, 115), (99, 117), (99, 120), (99, 121), (99, 122), (99, 123), (99, 124), (99, 125), (99, 126), (99, 127), (99, 128), (99, 129), (99, 130), (99, 132), (100, 95), (100, 114), (100, 116), (100, 117), (100, 118), (100, 119), (100, 120), (100, 121), (100, 122), (100, 123), (100, 124), (100, 125), (100, 126), (100, 127), (100, 128), (100, 129), (100, 130), (100, 132), (101, 114), (101, 116),
(101, 117), (101, 118), (101, 119), (101, 120), (101, 121), (101, 122), (101, 123), (101, 124), (101, 125), (101, 126), (101, 127), (101, 128), (101, 129), (101, 130), (101, 132), (102, 114), (102, 116), (102, 117), (102, 118), (102, 119), (102, 120), (102, 121), (102, 122), (102, 123), (102, 124), (102, 125), (102, 126), (102, 127), (102, 128), (102, 129), (102, 130), (102, 131), (102, 133), (103, 101), (103, 103), (103, 105), (103, 114), (103, 116), (103, 117), (103, 118), (103, 119), (103, 120), (103, 121), (103, 122), (103, 123), (103, 124), (103, 125), (103, 126), (103, 127), (103, 128), (103, 129), (103, 130), (103, 131), (103, 132), (103, 135), (104, 100), (104, 107), (104, 113), (104, 115), (104, 116), (104, 117), (104, 118), (104, 119), (104, 120), (104, 121), (104, 122), (104, 123), (104, 124), (104, 125), (104, 126), (104, 127), (104, 128),
(104, 129), (104, 130), (104, 131), (104, 132), (104, 133), (104, 137), (105, 101), (105, 103), (105, 104), (105, 105), (105, 107), (105, 113), (105, 114), (105, 115), (105, 116), (105, 117), (105, 118), (105, 119), (105, 120), (105, 121), (105, 122), (105, 123), (105, 124), (105, 125), (105, 126), (105, 127), (105, 128), (105, 129), (105, 130), (105, 131), (105, 132), (105, 133), (105, 134), (105, 135), (105, 138), (106, 101), (106, 103), (106, 104), (106, 105), (106, 106), (106, 109), (106, 110), (106, 111), (106, 113), (106, 114), (106, 115), (106, 116), (106, 117), (106, 118), (106, 119), (106, 120), (106, 121), (106, 122), (106, 123), (106, 124), (106, 125), (106, 126), (106, 127), (106, 128), (106, 129), (106, 130), (106, 131), (106, 132), (106, 133), (106, 134), (106, 135), (106, 136), (106, 137), (106, 139), (107, 101), (107, 103), (107, 104),
(107, 105), (107, 106), (107, 107), (107, 112), (107, 113), (107, 114), (107, 115), (107, 116), (107, 117), (107, 118), (107, 119), (107, 120), (107, 121), (107, 122), (107, 123), (107, 128), (107, 129), (107, 130), (107, 131), (107, 132), (107, 133), (107, 134), (107, 135), (107, 136), (107, 137), (107, 138), (107, 140), (108, 100), (108, 102), (108, 103), (108, 104), (108, 105), (108, 106), (108, 107), (108, 108), (108, 109), (108, 110), (108, 111), (108, 112), (108, 113), (108, 114), (108, 115), (108, 116), (108, 117), (108, 118), (108, 119), (108, 120), (108, 121), (108, 122), (108, 123), (108, 126), (108, 127), (108, 130), (108, 136), (108, 137), (108, 138), (108, 140), (109, 96), (109, 98), (109, 99), (109, 101), (109, 102), (109, 103), (109, 104), (109, 105), (109, 106), (109, 107), (109, 113), (109, 114), (109, 115), (109, 116), (109, 117),
(109, 118), (109, 119), (109, 120), (109, 121), (109, 123), (109, 129), (109, 131), (109, 132), (109, 133), (109, 134), (109, 137), (109, 138), (109, 139), (109, 141), (110, 95), (110, 108), (110, 109), (110, 110), (110, 111), (110, 114), (110, 115), (110, 116), (110, 117), (110, 118), (110, 119), (110, 120), (110, 121), (110, 122), (110, 123), (110, 130), (110, 138), (110, 139), (110, 140), (110, 142), (111, 96), (111, 97), (111, 98), (111, 99), (111, 100), (111, 101), (111, 102), (111, 103), (111, 104), (111, 105), (111, 106), (111, 113), (111, 115), (111, 116), (111, 117), (111, 119), (111, 120), (111, 122), (111, 137), (111, 139), (111, 140), (111, 142), (112, 92), (112, 94), (112, 114), (112, 115), (112, 118), (112, 122), (112, 137), (112, 139), (112, 140), (112, 142), (113, 91), (113, 114), (113, 122), (113, 138), (113, 141), (114, 90),
(114, 93), (114, 114), (114, 115), (114, 121), (114, 122), (114, 139), (114, 140), (115, 89), (115, 92), (115, 122), (115, 140), (116, 122), )
coordinates_FEDAB9 = ((126, 82),
(127, 81), (127, 84), (127, 89), (128, 81), (128, 85), (128, 86), (128, 87), (128, 88), (128, 90), (129, 81), (129, 83), (129, 84), (129, 91), (130, 82), (130, 84), (130, 85), (130, 86), (130, 87), (130, 88), (130, 90), (130, 92), (131, 83), (131, 85), (131, 86), (131, 87), (131, 88), (131, 93), (132, 84), (132, 86), (132, 87), (132, 90), (133, 85), (133, 87), (133, 91), (133, 94), (134, 86), (134, 88), (134, 92), (134, 95), (135, 87), (135, 89), (135, 97), (136, 88), (136, 90), (136, 95), (136, 98), (136, 100), (137, 88), (137, 90), (137, 96), (137, 100), (138, 89), (138, 90), (138, 96), (138, 98), (138, 100), (139, 89), (139, 90), (139, 96), (139, 99), (140, 89), (140, 91), (140, 94), (140, 99), (141, 88), (141, 90), (141, 91), (141, 92), (141, 93), (141, 98), (141, 105), (141, 106),
(141, 107), (141, 108), (141, 109), (141, 111), (142, 88), (142, 90), (142, 91), (142, 95), (142, 103), (142, 110), (142, 111), (142, 112), (142, 114), (143, 88), (143, 90), (143, 91), (143, 92), (143, 94), (143, 99), (143, 101), (143, 108), (144, 88), (144, 90), (144, 91), (144, 93), (144, 97), (144, 101), (144, 102), (144, 103), (144, 104), (144, 106), (145, 88), (145, 90), (145, 91), (145, 92), (145, 93), (145, 96), (145, 99), (146, 88), (146, 90), (146, 91), (146, 92), (146, 93), (146, 94), (146, 95), (146, 98), (147, 89), (147, 92), (147, 93), (147, 94), (147, 96), (148, 90), (148, 95), (149, 91), (149, 94), )
coordinates_D970D6 = ((122, 86),
(122, 87), (122, 89), (123, 84), (123, 91), (123, 92), (123, 93), (123, 94), (123, 95), (123, 96), (123, 97), (123, 99), (124, 84), (124, 99), (125, 84), (125, 86), (125, 87), (125, 88), (125, 89), (125, 90), (125, 91), (125, 92), (125, 93), (125, 96), (125, 98), (126, 95), (126, 98), (127, 96), (127, 98), (128, 98), (129, 97), (129, 98), (130, 98), )
coordinates_01CED1 = ((144, 111),
(144, 112), (144, 114), (145, 108), (145, 109), (145, 113), (146, 101), (146, 103), (146, 104), (146, 105), (146, 106), (146, 107), (147, 100), (147, 102), (147, 103), (147, 104), (147, 106), (148, 98), (148, 100), (149, 97), (149, 100), (150, 96), (150, 98), (150, 99), (150, 100), (150, 102), (150, 113), (150, 114), (151, 96), (151, 98), (151, 101), (151, 103), (151, 105), (151, 113), (151, 114), (152, 96), (152, 98), (152, 101), (152, 113), (153, 95), (153, 97), (153, 98), (153, 101), (153, 102), (153, 103), (153, 104), (153, 105), (153, 113), (153, 118), (153, 120), (154, 95), (154, 97), (154, 98), (154, 99), (154, 100), (154, 101), (154, 102), (154, 103), (154, 104), (154, 105), (154, 106), (154, 117), (155, 97), (155, 98), (155, 99), (155, 100), (155, 101), (155, 102), (155, 103), (155, 104), (155, 105), (155, 106), (155, 107),
(155, 110), (155, 119), (155, 121), (156, 95), (156, 98), (156, 99), (156, 100), (156, 101), (156, 102), (156, 103), (156, 104), (156, 105), (156, 106), (156, 107), (156, 108), (156, 116), (156, 118), (156, 119), (156, 121), (157, 97), (157, 99), (157, 100), (157, 101), (157, 102), (157, 103), (157, 104), (157, 105), (157, 106), (157, 107), (157, 108), (157, 110), (157, 116), (157, 118), (157, 119), (157, 120), (157, 122), (158, 98), (158, 101), (158, 102), (158, 103), (158, 104), (158, 105), (158, 106), (158, 107), (158, 108), (158, 110), (158, 116), (158, 118), (158, 119), (158, 120), (158, 122), (159, 99), (159, 100), (159, 103), (159, 104), (159, 105), (159, 107), (159, 108), (159, 110), (159, 116), (159, 118), (159, 119), (159, 120), (159, 121), (159, 123), (160, 101), (160, 106), (160, 109), (160, 111), (160, 115), (160, 117), (160, 118),
(160, 119), (160, 120), (160, 121), (160, 122), (160, 126), (161, 103), (161, 105), (161, 110), (161, 112), (161, 115), (161, 116), (161, 117), (161, 118), (161, 119), (161, 120), (161, 121), (161, 122), (161, 123), (161, 125), (162, 108), (162, 111), (162, 115), (162, 116), (162, 117), (162, 118), (162, 120), (162, 121), (162, 122), (162, 123), (162, 125), (163, 109), (163, 115), (163, 116), (163, 117), (163, 119), (163, 125), (164, 111), (164, 113), (164, 115), (164, 116), (164, 118), (164, 121), (164, 122), (164, 124), (165, 114), (165, 117), (166, 115), (166, 116), )
coordinates_FE3E96 = ((122, 112),
(122, 113), (122, 114), (122, 115), (122, 116), (122, 117), (122, 118), (122, 119), (122, 120), (122, 121), (122, 122), (122, 123), (122, 124), (122, 125), (122, 126), (122, 128), (123, 107), (123, 109), (123, 110), (123, 111), (123, 112), (123, 128), (124, 106), (124, 112), (124, 113), (124, 114), (124, 115), (124, 116), (124, 117), (124, 118), (124, 119), (124, 120), (124, 121), (124, 122), (124, 123), (124, 124), (124, 125), (124, 127), (125, 101), (125, 104), (125, 107), (125, 108), (125, 109), (125, 110), (125, 111), (125, 112), (125, 113), (125, 114), (125, 115), (125, 116), (125, 117), (125, 118), (125, 119), (125, 120), (125, 121), (125, 122), (125, 123), (125, 124), (125, 125), (125, 127), (126, 100), (126, 106), (126, 107), (126, 108), (126, 109), (126, 110), (126, 111), (126, 112), (126, 113), (126, 114), (126, 115), (126, 116), (126, 117),
(126, 118), (126, 119), (126, 120), (126, 121), (126, 122), (126, 123), (126, 124), (126, 125), (126, 127), (127, 100), (127, 102), (127, 103), (127, 104), (127, 105), (127, 106), (127, 107), (127, 108), (127, 109), (127, 110), (127, 111), (127, 112), (127, 113), (127, 114), (127, 115), (127, 116), (127, 117), (127, 118), (127, 119), (127, 120), (127, 121), (127, 122), (127, 123), (127, 124), (127, 125), (127, 127), (128, 100), (128, 104), (128, 105), (128, 106), (128, 107), (128, 108), (128, 109), (128, 110), (128, 111), (128, 112), (128, 113), (128, 114), (128, 115), (128, 116), (128, 117), (128, 118), (128, 119), (128, 120), (128, 121), (128, 122), (128, 123), (128, 124), (128, 125), (128, 127), (129, 100), (129, 102), (129, 105), (129, 106), (129, 107), (129, 108), (129, 109), (129, 110), (129, 111), (129, 112), (129, 113), (129, 114), (129, 115),
(129, 120), (129, 121), (129, 122), (129, 123), (129, 124), (129, 125), (129, 127), (130, 100), (130, 104), (130, 106), (130, 107), (130, 108), (130, 109), (130, 110), (130, 111), (130, 112), (130, 113), (130, 116), (130, 117), (130, 118), (130, 119), (130, 121), (130, 122), (130, 123), (130, 124), (130, 125), (130, 127), (131, 105), (131, 115), (131, 120), (131, 122), (131, 123), (131, 124), (131, 125), (131, 127), (132, 106), (132, 108), (132, 109), (132, 110), (132, 111), (132, 112), (132, 113), (132, 114), (132, 121), (132, 123), (132, 124), (132, 125), (132, 127), (133, 122), (133, 124), (133, 126), (134, 122), (134, 126), (135, 123), )
coordinates_AED8E6 = ((154, 133),
(154, 135), (155, 132), (155, 136), (156, 133), (156, 137), (157, 134), (157, 138), (158, 136), (158, 139), (159, 137), (159, 141), (160, 138), (161, 140), )
coordinates_AF3060 = ((122, 141),
(122, 143), (122, 146), (122, 147), (123, 140), (123, 148), (123, 150), (124, 140), (124, 142), (124, 143), (124, 144), (124, 145), (124, 146), (124, 147), (124, 150), (125, 140), (125, 144), (125, 145), (125, 146), (125, 150), (126, 139), (126, 142), (126, 143), (126, 144), (126, 145), (126, 148), (127, 139), (127, 144), (127, 146), (128, 139), (128, 140), (128, 144), (128, 145), (129, 139), )
coordinates_A62A2A = ((146, 135),
(146, 136), (146, 141), (147, 136), (147, 138), (147, 139), (147, 141), (148, 137), (148, 141), (149, 137), (149, 139), (149, 141), (150, 137), (150, 139), (150, 141), (151, 137), (151, 139), (151, 141), (152, 134), (152, 138), (152, 139), (152, 141), (153, 136), (153, 139), (153, 141), (154, 138), (154, 140), (154, 141), (154, 142), (155, 139), (155, 142), (156, 140), (156, 142), (157, 141), )
coordinates_ACFF2F = ((128, 148),
(128, 150), (129, 146), (129, 150), (130, 144), (130, 148), (130, 149), (130, 151), (131, 145), (131, 147), (131, 148), (131, 149), (131, 151), (132, 145), (132, 147), (132, 148), (132, 151), (133, 146), (133, 150), (134, 146), (135, 140), (135, 141), (135, 145), (135, 147), (136, 139), (136, 142), (136, 143), (136, 147), (137, 138), (137, 140), (137, 141), (137, 146), (138, 138), (138, 140), (138, 141), (138, 142), (138, 145), (139, 137), (139, 139), (139, 140), (139, 141), (139, 143), (140, 137), (140, 139), (140, 140), (140, 142), (141, 137), (141, 139), (141, 140), (141, 141), (141, 142), (142, 137), (142, 139), (142, 141), (143, 136), (143, 138), (143, 139), (143, 141), (144, 136), (144, 141), (145, 138), (145, 140), )
coordinates_FFDAB9 = ((102, 88),
(102, 89), (103, 87), (103, 89), (104, 87), (104, 89), (105, 86), (105, 89), (105, 93), (105, 95), (105, 96), (105, 98), (106, 85), (106, 87), (106, 88), (106, 89), (106, 99), (107, 85), (107, 87), (107, 88), (107, 89), (107, 90), (107, 91), (107, 93), (107, 96), (107, 99), (108, 85), (108, 86), (108, 87), (108, 88), (108, 89), (108, 90), (108, 92), (108, 94), (109, 84), (109, 86), (109, 87), (109, 88), (109, 89), (109, 90), (109, 91), (109, 93), (110, 84), (110, 86), (110, 87), (110, 88), (110, 89), (110, 90), (110, 92), (111, 83), (111, 85), (111, 86), (111, 87), (111, 88), (111, 89), (111, 91), (112, 83), (112, 85), (112, 86), (112, 87), (112, 88), (112, 90), (113, 82), (113, 84), (113, 85), (113, 86), (113, 87), (113, 89), (114, 82), (114, 84), (114, 85), (114, 86), (114, 88),
(115, 82), (115, 84), (115, 85), (115, 87), (116, 82), (116, 86), (117, 83), (117, 85), )
coordinates_DA70D6 = ((110, 126),
(110, 127), (111, 128), (111, 132), (112, 109), (112, 111), (112, 127), (112, 130), (112, 131), (112, 133), (113, 96), (113, 98), (113, 99), (113, 100), (113, 101), (113, 102), (113, 103), (113, 104), (113, 105), (113, 106), (113, 107), (113, 109), (113, 128), (113, 133), (114, 95), (114, 107), (114, 129), (114, 131), (114, 133), (115, 95), (115, 97), (115, 98), (115, 99), (115, 100), (115, 101), (115, 102), (115, 103), (115, 105), (115, 130), (115, 133), (116, 94), (116, 96), (116, 97), (116, 98), (116, 99), (116, 100), (116, 101), (116, 102), (116, 104), (116, 133), (117, 88), (117, 90), (117, 91), (117, 92), (117, 95), (117, 96), (117, 97), (117, 98), (117, 99), (117, 100), (117, 101), (117, 103), (117, 131), (117, 133), (118, 87), (118, 94), (118, 95), (118, 96), (118, 97), (118, 103), (118, 132), (118, 133), (119, 84),
(119, 98), (119, 99), (119, 100), (119, 102), (119, 133), (120, 85), (120, 88), (120, 89), (120, 90), (120, 91), (120, 92), (120, 93), (120, 94), (120, 95), (120, 97), )
coordinates_00CED1 = ((78, 123),
(78, 125), (78, 126), (78, 128), (79, 122), (79, 128), (80, 121), (80, 123), (80, 124), (80, 125), (80, 127), (81, 114), (81, 116), (81, 117), (81, 118), (81, 119), (81, 120), (81, 122), (81, 123), (81, 124), (81, 125), (81, 127), (82, 114), (82, 121), (82, 122), (82, 123), (82, 124), (82, 126), (83, 108), (83, 110), (83, 115), (83, 116), (83, 117), (83, 118), (83, 119), (83, 120), (83, 121), (83, 122), (83, 123), (83, 124), (83, 126), (84, 107), (84, 111), (84, 114), (84, 115), (84, 116), (84, 119), (84, 120), (84, 121), (84, 122), (84, 123), (84, 124), (84, 126), (85, 101), (85, 102), (85, 108), (85, 109), (85, 113), (85, 114), (85, 115), (85, 116), (85, 118), (85, 120), (85, 121), (85, 122), (85, 123), (85, 125), (86, 99), (86, 103), (86, 104), (86, 105), (86, 107), (86, 108),
(86, 110), (86, 111), (86, 112), (86, 113), (86, 114), (86, 116), (86, 119), (86, 125), (87, 99), (87, 101), (87, 102), (87, 103), (87, 106), (87, 108), (87, 111), (87, 112), (87, 114), (87, 116), (87, 120), (87, 121), (87, 122), (87, 123), (87, 125), (88, 98), (88, 100), (88, 101), (88, 104), (88, 105), (88, 106), (88, 108), (88, 113), (88, 115), (89, 98), (89, 100), (89, 103), (89, 105), (89, 106), (89, 107), (89, 108), (89, 109), (89, 110), (89, 111), (89, 112), (89, 115), (90, 99), (90, 100), (90, 104), (90, 106), (90, 107), (90, 109), (90, 113), (90, 114), (91, 99), (91, 100), (91, 105), (91, 108), (92, 99), (92, 100), (92, 106), (92, 107), (93, 99), (93, 100), (94, 99), (94, 100), (94, 112), (95, 98), (95, 100), (95, 101), (95, 106), (95, 107), (95, 108), (95, 109),
(95, 110), (95, 113), (95, 119), (96, 92), (96, 94), (96, 95), (96, 96), (96, 97), (96, 98), (96, 99), (96, 100), (96, 103), (96, 104), (96, 105), (96, 111), (96, 113), (97, 98), (97, 99), (97, 100), (97, 101), (97, 106), (97, 107), (97, 108), (97, 109), (97, 110), (97, 111), (97, 113), (98, 92), (98, 94), (98, 95), (98, 97), (98, 98), (98, 99), (98, 100), (98, 101), (98, 102), (98, 103), (98, 104), (98, 105), (98, 106), (98, 107), (98, 108), (98, 109), (98, 110), (98, 111), (98, 113), (99, 92), (99, 96), (99, 98), (99, 99), (99, 100), (99, 101), (99, 102), (99, 103), (99, 104), (99, 105), (99, 106), (99, 107), (99, 108), (99, 109), (99, 110), (99, 112), (100, 92), (100, 97), (100, 99), (100, 103), (100, 107), (100, 108), (100, 109), (100, 110), (100, 112), (101, 91),
(101, 93), (101, 97), (101, 101), (101, 102), (101, 103), (101, 104), (101, 105), (101, 108), (101, 109), (101, 110), (101, 112), (102, 92), (102, 95), (102, 107), (102, 112), (103, 93), (103, 95), (103, 96), (103, 98), (103, 108), (103, 111), (103, 112), )
coordinates_A120F0 = ((121, 132),
(121, 135), (121, 136), (122, 138), (123, 130), (123, 132), (123, 133), (123, 134), (123, 135), (123, 136), (123, 138), (124, 129), (124, 132), (124, 133), (124, 134), (124, 135), (124, 137), (125, 129), (125, 131), (125, 132), (125, 133), (125, 137), (126, 129), (126, 131), (126, 132), (126, 134), (126, 137), (127, 129), (127, 131), (127, 133), (127, 137), (128, 129), (128, 132), (128, 137), (129, 129), (129, 131), (130, 129), (130, 131), (131, 129), (131, 130), (132, 129), (132, 130), (133, 129), (134, 128), )
coordinates_A52A2A = ((90, 137),
(90, 138), (90, 140), (91, 136), (91, 140), (92, 131), (92, 133), (92, 134), (92, 137), (92, 138), (92, 140), (93, 131), (93, 133), (93, 136), (93, 137), (93, 138), (93, 140), (94, 134), (94, 135), (94, 136), (94, 137), (94, 138), (94, 140), (95, 136), (95, 140), (96, 136), (96, 140), (97, 135), (97, 137), (98, 135), )
coordinates_ADFF2F = ((98, 139),
(99, 137), (99, 141), (100, 134), (100, 136), (100, 139), (100, 141), (101, 135), (101, 139), (101, 141), (102, 137), (102, 141), (103, 139), (103, 142), (104, 140), (104, 142), (104, 143), (105, 140), (105, 143), (106, 141), (106, 144), (107, 142), (107, 145), (108, 143), (108, 146), (109, 144), (109, 147), (110, 145), (110, 148), (111, 145), (111, 147), (111, 149), (112, 144), (112, 146), (112, 147), (112, 148), (113, 145), (113, 148), (113, 149), (113, 152), (114, 146), (114, 150), (114, 153), (115, 148), (115, 154), (116, 150), (116, 151), (116, 152), (116, 154), )
coordinates_A020F0 = ((111, 134),
(112, 135), (113, 135), (113, 136), (114, 135), (114, 137), (115, 135), (116, 135), (117, 135), (117, 137), (117, 140), (118, 135), (118, 141), (119, 135), (119, 137), (119, 138), (119, 139), (119, 140), (119, 142), (120, 142), )
coordinates_B03060 = ((114, 143),
(115, 142), (115, 145), (116, 142), (116, 146), (117, 143), (117, 145), (117, 148), (118, 143), (118, 145), (118, 146), (118, 149), (118, 150), (119, 144), (119, 151), (120, 145), (120, 147), (120, 148), (120, 151), (121, 149), (121, 151), )
coordinates_ACD8E6 = ((78, 130),
(78, 132), (79, 130), (79, 134), (79, 136), (80, 130), (80, 132), (80, 133), (80, 138), (81, 129), (81, 131), (81, 132), (81, 133), (81, 140), (82, 129), (82, 131), (82, 132), (82, 133), (82, 134), (82, 135), (82, 136), (82, 137), (82, 138), (83, 128), (83, 130), (83, 131), (83, 133), (83, 134), (83, 137), (83, 140), (84, 128), (84, 130), (84, 131), (84, 133), (84, 137), (84, 140), (85, 128), (85, 130), (85, 133), (85, 136), (85, 138), (85, 140), (86, 128), (86, 130), (86, 133), (86, 135), (86, 137), (86, 138), (86, 140), (87, 132), (87, 133), (87, 136), (87, 140), (88, 132), (88, 137), (88, 138), (88, 140), (89, 132), (89, 134), (89, 135), (89, 136), )
coordinates_FF3E96 = ((111, 124),
(112, 124), (112, 125), (113, 112), (113, 126), (114, 112), (114, 125), (115, 109), (115, 112), (115, 117), (115, 119), (115, 125), (115, 127), (116, 107), (116, 111), (116, 113), (116, 116), (116, 120), (116, 125), (116, 126), (116, 128), (117, 106), (117, 109), (117, 110), (117, 111), (117, 112), (117, 114), (117, 117), (117, 118), (117, 119), (117, 121), (117, 124), (117, 126), (117, 127), (117, 129), (118, 105), (118, 107), (118, 108), (118, 109), (118, 110), (118, 111), (118, 112), (118, 113), (118, 116), (118, 117), (118, 118), (118, 119), (118, 120), (118, 122), (118, 123), (118, 124), (118, 125), (118, 126), (118, 130), (119, 104), (119, 125), (119, 126), (119, 127), (119, 128), (119, 130), (120, 104), (120, 106), (120, 107), (120, 108), (120, 109), (120, 110), (120, 111), (120, 112), (120, 113), (120, 114), (120, 115), (120, 116), (120, 117),
(120, 118), (120, 119), (120, 120), (120, 121), (120, 122), (120, 123), (120, 124), (120, 125), (120, 126), )
coordinates_7EFFD4 = ((158, 128),
(159, 128), (160, 128), (161, 129), (162, 127), (162, 129), (163, 127), (163, 130), (164, 127), (164, 130), (165, 126), (165, 127), (165, 128), (165, 130), (166, 127), (166, 128), (166, 129), (166, 131), (167, 127), (167, 131), (168, 127), (168, 129), )
coordinates_B12222 = ((157, 132),
(158, 130), (158, 133), (159, 131), (159, 134), (160, 131), (160, 132), (160, 135), (161, 131), (161, 132), (161, 136), (161, 137), (162, 133), (162, 136), (162, 138), (163, 132), (163, 134), (163, 137), (163, 139), (164, 132), (164, 137), (164, 139), (165, 133), (165, 138), (166, 133), (166, 135), (166, 137), )
|
coordinates_e0_e1_e1 = ((127, 91), (127, 93), (128, 92), (128, 94), (128, 142), (129, 93), (129, 95), (129, 134), (129, 135), (129, 141), (129, 142), (130, 94), (130, 133), (130, 136), (130, 140), (130, 142), (131, 95), (131, 102), (131, 133), (131, 135), (131, 138), (131, 139), (131, 142), (132, 96), (132, 98), (132, 99), (132, 100), (132, 101), (132, 103), (132, 117), (132, 119), (132, 132), (132, 134), (132, 135), (132, 136), (132, 143), (133, 97), (133, 104), (133, 115), (133, 119), (133, 131), (133, 133), (133, 134), (133, 135), (133, 136), (133, 137), (133, 140), (133, 141), (133, 144), (134, 90), (134, 99), (134, 102), (134, 103), (134, 106), (134, 107), (134, 108), (134, 114), (134, 117), (134, 118), (134, 120), (134, 131), (134, 133), (134, 134), (134, 135), (134, 136), (134, 138), (134, 143), (135, 91), (135, 101), (135, 103), (135, 104), (135, 109), (135, 110), (135, 111), (135, 112), (135, 115), (135, 116), (135, 117), (135, 118), (135, 120), (135, 130), (135, 132), (135, 133), (135, 134), (135, 135), (135, 137), (136, 92), (136, 102), (136, 104), (136, 105), (136, 106), (136, 107), (136, 108), (136, 113), (136, 114), (136, 115), (136, 116), (136, 117), (136, 118), (136, 119), (136, 121), (136, 127), (136, 128), (136, 131), (136, 132), (136, 133), (136, 134), (136, 136), (137, 92), (137, 93), (137, 102), (137, 104), (137, 105), (137, 108), (137, 109), (137, 110), (137, 111), (137, 112), (137, 113), (137, 114), (137, 115), (137, 116), (137, 117), (137, 118), (137, 119), (137, 120), (137, 123), (137, 124), (137, 125), (137, 126), (137, 130), (137, 131), (137, 132), (137, 133), (137, 134), (137, 136), (138, 92), (138, 94), (138, 102), (138, 106), (138, 107), (138, 108), (138, 113), (138, 114), (138, 115), (138, 116), (138, 117), (138, 118), (138, 119), (138, 120), (138, 121), (138, 127), (138, 128), (138, 129), (138, 130), (138, 131), (138, 132), (138, 133), (138, 134), (138, 135), (138, 136), (139, 93), (139, 102), (139, 104), (139, 105), (139, 108), (139, 109), (139, 110), (139, 111), (139, 112), (139, 115), (139, 116), (139, 117), (139, 118), (139, 119), (139, 120), (139, 121), (139, 122), (139, 123), (139, 124), (139, 125), (139, 126), (139, 127), (139, 128), (139, 129), (139, 130), (139, 131), (139, 132), (139, 133), (139, 135), (140, 101), (140, 103), (140, 113), (140, 114), (140, 117), (140, 118), (140, 119), (140, 120), (140, 121), (140, 122), (140, 123), (140, 124), (140, 125), (140, 126), (140, 127), (140, 128), (140, 129), (140, 130), (140, 131), (140, 132), (140, 133), (140, 135), (141, 100), (141, 116), (141, 117), (141, 118), (141, 119), (141, 120), (141, 121), (141, 122), (141, 123), (141, 124), (141, 125), (141, 126), (141, 127), (141, 128), (141, 129), (141, 130), (141, 131), (141, 132), (141, 133), (141, 134), (141, 135), (142, 117), (142, 119), (142, 120), (142, 121), (142, 122), (142, 123), (142, 124), (142, 125), (142, 126), (142, 127), (142, 128), (142, 129), (142, 130), (142, 131), (142, 132), (142, 134), (143, 117), (143, 119), (143, 120), (143, 121), (143, 122), (143, 123), (143, 124), (143, 125), (143, 126), (143, 127), (143, 128), (143, 129), (143, 130), (143, 131), (143, 132), (143, 134), (144, 116), (144, 118), (144, 119), (144, 120), (144, 121), (144, 122), (144, 123), (144, 124), (144, 125), (144, 126), (144, 127), (144, 128), (144, 129), (144, 130), (144, 131), (144, 132), (144, 134), (145, 115), (145, 116), (145, 117), (145, 118), (145, 119), (145, 120), (145, 121), (145, 122), (145, 123), (145, 124), (145, 125), (145, 126), (145, 127), (145, 128), (145, 129), (145, 130), (145, 131), (145, 133), (146, 115), (146, 117), (146, 118), (146, 119), (146, 120), (146, 121), (146, 122), (146, 123), (146, 124), (146, 125), (146, 126), (146, 127), (146, 128), (146, 129), (146, 130), (146, 131), (146, 133), (147, 109), (147, 111), (147, 112), (147, 113), (147, 116), (147, 117), (147, 118), (147, 119), (147, 120), (147, 121), (147, 122), (147, 123), (147, 124), (147, 125), (147, 126), (147, 127), (147, 128), (147, 129), (147, 130), (147, 131), (147, 132), (147, 134), (148, 108), (148, 115), (148, 116), (148, 117), (148, 118), (148, 119), (148, 120), (148, 121), (148, 122), (148, 123), (148, 124), (148, 125), (148, 126), (148, 127), (148, 128), (148, 129), (148, 130), (148, 131), (148, 132), (148, 134), (149, 104), (149, 105), (149, 106), (149, 109), (149, 110), (149, 111), (149, 112), (149, 113), (149, 114), (149, 115), (149, 116), (149, 117), (149, 118), (149, 119), (149, 120), (149, 121), (149, 122), (149, 123), (149, 124), (149, 125), (149, 126), (149, 127), (149, 128), (149, 129), (149, 130), (149, 131), (149, 132), (149, 133), (149, 135), (150, 107), (150, 109), (150, 110), (150, 111), (150, 112), (150, 113), (150, 114), (150, 115), (150, 116), (150, 117), (150, 121), (150, 122), (150, 123), (150, 124), (150, 125), (150, 126), (150, 127), (150, 128), (150, 129), (150, 130), (150, 131), (150, 132), (150, 135), (151, 108), (151, 110), (151, 111), (151, 112), (151, 113), (151, 114), (151, 115), (151, 118), (151, 119), (151, 120), (151, 122), (151, 123), (151, 124), (151, 125), (151, 126), (151, 127), (151, 128), (151, 129), (151, 130), (151, 131), (151, 133), (152, 109), (152, 112), (152, 113), (152, 114), (152, 121), (152, 123), (152, 124), (152, 125), (152, 126), (152, 127), (152, 128), (152, 129), (152, 130), (152, 132), (153, 110), (153, 113), (153, 115), (153, 122), (153, 124), (153, 125), (153, 126), (153, 127), (153, 128), (153, 129), (153, 131), (154, 112), (154, 115), (154, 123), (154, 125), (154, 126), (154, 127), (154, 128), (154, 130), (155, 113), (155, 114), (155, 123), (155, 125), (155, 126), (155, 127), (155, 130), (156, 113), (156, 114), (156, 124), (156, 128), (156, 130), (157, 112), (157, 114), (157, 124), (157, 126), (158, 112), (158, 124), (158, 125), (159, 113))
coordinates_e1_e1_e1 = ((84, 135), (87, 118), (88, 119), (88, 127), (88, 130), (89, 117), (89, 120), (89, 126), (89, 129), (90, 117), (90, 119), (90, 122), (90, 123), (90, 124), (90, 125), (90, 128), (91, 111), (91, 116), (91, 118), (91, 119), (91, 126), (91, 128), (92, 103), (92, 110), (92, 112), (92, 113), (92, 114), (92, 117), (92, 118), (92, 121), (92, 122), (92, 123), (92, 124), (92, 125), (92, 126), (92, 128), (93, 102), (93, 105), (93, 109), (93, 116), (93, 117), (93, 119), (93, 122), (93, 123), (93, 124), (93, 125), (93, 126), (93, 127), (93, 129), (94, 114), (94, 116), (94, 118), (94, 121), (94, 123), (94, 124), (94, 125), (94, 126), (94, 127), (94, 128), (94, 130), (95, 115), (95, 117), (95, 121), (95, 123), (95, 124), (95, 125), (95, 126), (95, 127), (95, 128), (95, 129), (95, 131), (96, 115), (96, 117), (96, 121), (96, 123), (96, 124), (96, 125), (96, 126), (96, 127), (96, 128), (96, 129), (96, 130), (96, 133), (97, 115), (97, 117), (97, 120), (97, 122), (97, 123), (97, 124), (97, 125), (97, 126), (97, 127), (97, 128), (97, 129), (97, 130), (97, 131), (97, 133), (98, 115), (98, 117), (98, 118), (98, 121), (98, 122), (98, 123), (98, 124), (98, 125), (98, 126), (98, 127), (98, 128), (98, 129), (98, 130), (98, 132), (99, 115), (99, 117), (99, 120), (99, 121), (99, 122), (99, 123), (99, 124), (99, 125), (99, 126), (99, 127), (99, 128), (99, 129), (99, 130), (99, 132), (100, 95), (100, 114), (100, 116), (100, 117), (100, 118), (100, 119), (100, 120), (100, 121), (100, 122), (100, 123), (100, 124), (100, 125), (100, 126), (100, 127), (100, 128), (100, 129), (100, 130), (100, 132), (101, 114), (101, 116), (101, 117), (101, 118), (101, 119), (101, 120), (101, 121), (101, 122), (101, 123), (101, 124), (101, 125), (101, 126), (101, 127), (101, 128), (101, 129), (101, 130), (101, 132), (102, 114), (102, 116), (102, 117), (102, 118), (102, 119), (102, 120), (102, 121), (102, 122), (102, 123), (102, 124), (102, 125), (102, 126), (102, 127), (102, 128), (102, 129), (102, 130), (102, 131), (102, 133), (103, 101), (103, 103), (103, 105), (103, 114), (103, 116), (103, 117), (103, 118), (103, 119), (103, 120), (103, 121), (103, 122), (103, 123), (103, 124), (103, 125), (103, 126), (103, 127), (103, 128), (103, 129), (103, 130), (103, 131), (103, 132), (103, 135), (104, 100), (104, 107), (104, 113), (104, 115), (104, 116), (104, 117), (104, 118), (104, 119), (104, 120), (104, 121), (104, 122), (104, 123), (104, 124), (104, 125), (104, 126), (104, 127), (104, 128), (104, 129), (104, 130), (104, 131), (104, 132), (104, 133), (104, 137), (105, 101), (105, 103), (105, 104), (105, 105), (105, 107), (105, 113), (105, 114), (105, 115), (105, 116), (105, 117), (105, 118), (105, 119), (105, 120), (105, 121), (105, 122), (105, 123), (105, 124), (105, 125), (105, 126), (105, 127), (105, 128), (105, 129), (105, 130), (105, 131), (105, 132), (105, 133), (105, 134), (105, 135), (105, 138), (106, 101), (106, 103), (106, 104), (106, 105), (106, 106), (106, 109), (106, 110), (106, 111), (106, 113), (106, 114), (106, 115), (106, 116), (106, 117), (106, 118), (106, 119), (106, 120), (106, 121), (106, 122), (106, 123), (106, 124), (106, 125), (106, 126), (106, 127), (106, 128), (106, 129), (106, 130), (106, 131), (106, 132), (106, 133), (106, 134), (106, 135), (106, 136), (106, 137), (106, 139), (107, 101), (107, 103), (107, 104), (107, 105), (107, 106), (107, 107), (107, 112), (107, 113), (107, 114), (107, 115), (107, 116), (107, 117), (107, 118), (107, 119), (107, 120), (107, 121), (107, 122), (107, 123), (107, 128), (107, 129), (107, 130), (107, 131), (107, 132), (107, 133), (107, 134), (107, 135), (107, 136), (107, 137), (107, 138), (107, 140), (108, 100), (108, 102), (108, 103), (108, 104), (108, 105), (108, 106), (108, 107), (108, 108), (108, 109), (108, 110), (108, 111), (108, 112), (108, 113), (108, 114), (108, 115), (108, 116), (108, 117), (108, 118), (108, 119), (108, 120), (108, 121), (108, 122), (108, 123), (108, 126), (108, 127), (108, 130), (108, 136), (108, 137), (108, 138), (108, 140), (109, 96), (109, 98), (109, 99), (109, 101), (109, 102), (109, 103), (109, 104), (109, 105), (109, 106), (109, 107), (109, 113), (109, 114), (109, 115), (109, 116), (109, 117), (109, 118), (109, 119), (109, 120), (109, 121), (109, 123), (109, 129), (109, 131), (109, 132), (109, 133), (109, 134), (109, 137), (109, 138), (109, 139), (109, 141), (110, 95), (110, 108), (110, 109), (110, 110), (110, 111), (110, 114), (110, 115), (110, 116), (110, 117), (110, 118), (110, 119), (110, 120), (110, 121), (110, 122), (110, 123), (110, 130), (110, 138), (110, 139), (110, 140), (110, 142), (111, 96), (111, 97), (111, 98), (111, 99), (111, 100), (111, 101), (111, 102), (111, 103), (111, 104), (111, 105), (111, 106), (111, 113), (111, 115), (111, 116), (111, 117), (111, 119), (111, 120), (111, 122), (111, 137), (111, 139), (111, 140), (111, 142), (112, 92), (112, 94), (112, 114), (112, 115), (112, 118), (112, 122), (112, 137), (112, 139), (112, 140), (112, 142), (113, 91), (113, 114), (113, 122), (113, 138), (113, 141), (114, 90), (114, 93), (114, 114), (114, 115), (114, 121), (114, 122), (114, 139), (114, 140), (115, 89), (115, 92), (115, 122), (115, 140), (116, 122))
coordinates_fedab9 = ((126, 82), (127, 81), (127, 84), (127, 89), (128, 81), (128, 85), (128, 86), (128, 87), (128, 88), (128, 90), (129, 81), (129, 83), (129, 84), (129, 91), (130, 82), (130, 84), (130, 85), (130, 86), (130, 87), (130, 88), (130, 90), (130, 92), (131, 83), (131, 85), (131, 86), (131, 87), (131, 88), (131, 93), (132, 84), (132, 86), (132, 87), (132, 90), (133, 85), (133, 87), (133, 91), (133, 94), (134, 86), (134, 88), (134, 92), (134, 95), (135, 87), (135, 89), (135, 97), (136, 88), (136, 90), (136, 95), (136, 98), (136, 100), (137, 88), (137, 90), (137, 96), (137, 100), (138, 89), (138, 90), (138, 96), (138, 98), (138, 100), (139, 89), (139, 90), (139, 96), (139, 99), (140, 89), (140, 91), (140, 94), (140, 99), (141, 88), (141, 90), (141, 91), (141, 92), (141, 93), (141, 98), (141, 105), (141, 106), (141, 107), (141, 108), (141, 109), (141, 111), (142, 88), (142, 90), (142, 91), (142, 95), (142, 103), (142, 110), (142, 111), (142, 112), (142, 114), (143, 88), (143, 90), (143, 91), (143, 92), (143, 94), (143, 99), (143, 101), (143, 108), (144, 88), (144, 90), (144, 91), (144, 93), (144, 97), (144, 101), (144, 102), (144, 103), (144, 104), (144, 106), (145, 88), (145, 90), (145, 91), (145, 92), (145, 93), (145, 96), (145, 99), (146, 88), (146, 90), (146, 91), (146, 92), (146, 93), (146, 94), (146, 95), (146, 98), (147, 89), (147, 92), (147, 93), (147, 94), (147, 96), (148, 90), (148, 95), (149, 91), (149, 94))
coordinates_d970_d6 = ((122, 86), (122, 87), (122, 89), (123, 84), (123, 91), (123, 92), (123, 93), (123, 94), (123, 95), (123, 96), (123, 97), (123, 99), (124, 84), (124, 99), (125, 84), (125, 86), (125, 87), (125, 88), (125, 89), (125, 90), (125, 91), (125, 92), (125, 93), (125, 96), (125, 98), (126, 95), (126, 98), (127, 96), (127, 98), (128, 98), (129, 97), (129, 98), (130, 98))
coordinates_01_ced1 = ((144, 111), (144, 112), (144, 114), (145, 108), (145, 109), (145, 113), (146, 101), (146, 103), (146, 104), (146, 105), (146, 106), (146, 107), (147, 100), (147, 102), (147, 103), (147, 104), (147, 106), (148, 98), (148, 100), (149, 97), (149, 100), (150, 96), (150, 98), (150, 99), (150, 100), (150, 102), (150, 113), (150, 114), (151, 96), (151, 98), (151, 101), (151, 103), (151, 105), (151, 113), (151, 114), (152, 96), (152, 98), (152, 101), (152, 113), (153, 95), (153, 97), (153, 98), (153, 101), (153, 102), (153, 103), (153, 104), (153, 105), (153, 113), (153, 118), (153, 120), (154, 95), (154, 97), (154, 98), (154, 99), (154, 100), (154, 101), (154, 102), (154, 103), (154, 104), (154, 105), (154, 106), (154, 117), (155, 97), (155, 98), (155, 99), (155, 100), (155, 101), (155, 102), (155, 103), (155, 104), (155, 105), (155, 106), (155, 107), (155, 110), (155, 119), (155, 121), (156, 95), (156, 98), (156, 99), (156, 100), (156, 101), (156, 102), (156, 103), (156, 104), (156, 105), (156, 106), (156, 107), (156, 108), (156, 116), (156, 118), (156, 119), (156, 121), (157, 97), (157, 99), (157, 100), (157, 101), (157, 102), (157, 103), (157, 104), (157, 105), (157, 106), (157, 107), (157, 108), (157, 110), (157, 116), (157, 118), (157, 119), (157, 120), (157, 122), (158, 98), (158, 101), (158, 102), (158, 103), (158, 104), (158, 105), (158, 106), (158, 107), (158, 108), (158, 110), (158, 116), (158, 118), (158, 119), (158, 120), (158, 122), (159, 99), (159, 100), (159, 103), (159, 104), (159, 105), (159, 107), (159, 108), (159, 110), (159, 116), (159, 118), (159, 119), (159, 120), (159, 121), (159, 123), (160, 101), (160, 106), (160, 109), (160, 111), (160, 115), (160, 117), (160, 118), (160, 119), (160, 120), (160, 121), (160, 122), (160, 126), (161, 103), (161, 105), (161, 110), (161, 112), (161, 115), (161, 116), (161, 117), (161, 118), (161, 119), (161, 120), (161, 121), (161, 122), (161, 123), (161, 125), (162, 108), (162, 111), (162, 115), (162, 116), (162, 117), (162, 118), (162, 120), (162, 121), (162, 122), (162, 123), (162, 125), (163, 109), (163, 115), (163, 116), (163, 117), (163, 119), (163, 125), (164, 111), (164, 113), (164, 115), (164, 116), (164, 118), (164, 121), (164, 122), (164, 124), (165, 114), (165, 117), (166, 115), (166, 116))
coordinates_fe3_e96 = ((122, 112), (122, 113), (122, 114), (122, 115), (122, 116), (122, 117), (122, 118), (122, 119), (122, 120), (122, 121), (122, 122), (122, 123), (122, 124), (122, 125), (122, 126), (122, 128), (123, 107), (123, 109), (123, 110), (123, 111), (123, 112), (123, 128), (124, 106), (124, 112), (124, 113), (124, 114), (124, 115), (124, 116), (124, 117), (124, 118), (124, 119), (124, 120), (124, 121), (124, 122), (124, 123), (124, 124), (124, 125), (124, 127), (125, 101), (125, 104), (125, 107), (125, 108), (125, 109), (125, 110), (125, 111), (125, 112), (125, 113), (125, 114), (125, 115), (125, 116), (125, 117), (125, 118), (125, 119), (125, 120), (125, 121), (125, 122), (125, 123), (125, 124), (125, 125), (125, 127), (126, 100), (126, 106), (126, 107), (126, 108), (126, 109), (126, 110), (126, 111), (126, 112), (126, 113), (126, 114), (126, 115), (126, 116), (126, 117), (126, 118), (126, 119), (126, 120), (126, 121), (126, 122), (126, 123), (126, 124), (126, 125), (126, 127), (127, 100), (127, 102), (127, 103), (127, 104), (127, 105), (127, 106), (127, 107), (127, 108), (127, 109), (127, 110), (127, 111), (127, 112), (127, 113), (127, 114), (127, 115), (127, 116), (127, 117), (127, 118), (127, 119), (127, 120), (127, 121), (127, 122), (127, 123), (127, 124), (127, 125), (127, 127), (128, 100), (128, 104), (128, 105), (128, 106), (128, 107), (128, 108), (128, 109), (128, 110), (128, 111), (128, 112), (128, 113), (128, 114), (128, 115), (128, 116), (128, 117), (128, 118), (128, 119), (128, 120), (128, 121), (128, 122), (128, 123), (128, 124), (128, 125), (128, 127), (129, 100), (129, 102), (129, 105), (129, 106), (129, 107), (129, 108), (129, 109), (129, 110), (129, 111), (129, 112), (129, 113), (129, 114), (129, 115), (129, 120), (129, 121), (129, 122), (129, 123), (129, 124), (129, 125), (129, 127), (130, 100), (130, 104), (130, 106), (130, 107), (130, 108), (130, 109), (130, 110), (130, 111), (130, 112), (130, 113), (130, 116), (130, 117), (130, 118), (130, 119), (130, 121), (130, 122), (130, 123), (130, 124), (130, 125), (130, 127), (131, 105), (131, 115), (131, 120), (131, 122), (131, 123), (131, 124), (131, 125), (131, 127), (132, 106), (132, 108), (132, 109), (132, 110), (132, 111), (132, 112), (132, 113), (132, 114), (132, 121), (132, 123), (132, 124), (132, 125), (132, 127), (133, 122), (133, 124), (133, 126), (134, 122), (134, 126), (135, 123))
coordinates_aed8_e6 = ((154, 133), (154, 135), (155, 132), (155, 136), (156, 133), (156, 137), (157, 134), (157, 138), (158, 136), (158, 139), (159, 137), (159, 141), (160, 138), (161, 140))
coordinates_af3060 = ((122, 141), (122, 143), (122, 146), (122, 147), (123, 140), (123, 148), (123, 150), (124, 140), (124, 142), (124, 143), (124, 144), (124, 145), (124, 146), (124, 147), (124, 150), (125, 140), (125, 144), (125, 145), (125, 146), (125, 150), (126, 139), (126, 142), (126, 143), (126, 144), (126, 145), (126, 148), (127, 139), (127, 144), (127, 146), (128, 139), (128, 140), (128, 144), (128, 145), (129, 139))
coordinates_a62_a2_a = ((146, 135), (146, 136), (146, 141), (147, 136), (147, 138), (147, 139), (147, 141), (148, 137), (148, 141), (149, 137), (149, 139), (149, 141), (150, 137), (150, 139), (150, 141), (151, 137), (151, 139), (151, 141), (152, 134), (152, 138), (152, 139), (152, 141), (153, 136), (153, 139), (153, 141), (154, 138), (154, 140), (154, 141), (154, 142), (155, 139), (155, 142), (156, 140), (156, 142), (157, 141))
coordinates_acff2_f = ((128, 148), (128, 150), (129, 146), (129, 150), (130, 144), (130, 148), (130, 149), (130, 151), (131, 145), (131, 147), (131, 148), (131, 149), (131, 151), (132, 145), (132, 147), (132, 148), (132, 151), (133, 146), (133, 150), (134, 146), (135, 140), (135, 141), (135, 145), (135, 147), (136, 139), (136, 142), (136, 143), (136, 147), (137, 138), (137, 140), (137, 141), (137, 146), (138, 138), (138, 140), (138, 141), (138, 142), (138, 145), (139, 137), (139, 139), (139, 140), (139, 141), (139, 143), (140, 137), (140, 139), (140, 140), (140, 142), (141, 137), (141, 139), (141, 140), (141, 141), (141, 142), (142, 137), (142, 139), (142, 141), (143, 136), (143, 138), (143, 139), (143, 141), (144, 136), (144, 141), (145, 138), (145, 140))
coordinates_ffdab9 = ((102, 88), (102, 89), (103, 87), (103, 89), (104, 87), (104, 89), (105, 86), (105, 89), (105, 93), (105, 95), (105, 96), (105, 98), (106, 85), (106, 87), (106, 88), (106, 89), (106, 99), (107, 85), (107, 87), (107, 88), (107, 89), (107, 90), (107, 91), (107, 93), (107, 96), (107, 99), (108, 85), (108, 86), (108, 87), (108, 88), (108, 89), (108, 90), (108, 92), (108, 94), (109, 84), (109, 86), (109, 87), (109, 88), (109, 89), (109, 90), (109, 91), (109, 93), (110, 84), (110, 86), (110, 87), (110, 88), (110, 89), (110, 90), (110, 92), (111, 83), (111, 85), (111, 86), (111, 87), (111, 88), (111, 89), (111, 91), (112, 83), (112, 85), (112, 86), (112, 87), (112, 88), (112, 90), (113, 82), (113, 84), (113, 85), (113, 86), (113, 87), (113, 89), (114, 82), (114, 84), (114, 85), (114, 86), (114, 88), (115, 82), (115, 84), (115, 85), (115, 87), (116, 82), (116, 86), (117, 83), (117, 85))
coordinates_da70_d6 = ((110, 126), (110, 127), (111, 128), (111, 132), (112, 109), (112, 111), (112, 127), (112, 130), (112, 131), (112, 133), (113, 96), (113, 98), (113, 99), (113, 100), (113, 101), (113, 102), (113, 103), (113, 104), (113, 105), (113, 106), (113, 107), (113, 109), (113, 128), (113, 133), (114, 95), (114, 107), (114, 129), (114, 131), (114, 133), (115, 95), (115, 97), (115, 98), (115, 99), (115, 100), (115, 101), (115, 102), (115, 103), (115, 105), (115, 130), (115, 133), (116, 94), (116, 96), (116, 97), (116, 98), (116, 99), (116, 100), (116, 101), (116, 102), (116, 104), (116, 133), (117, 88), (117, 90), (117, 91), (117, 92), (117, 95), (117, 96), (117, 97), (117, 98), (117, 99), (117, 100), (117, 101), (117, 103), (117, 131), (117, 133), (118, 87), (118, 94), (118, 95), (118, 96), (118, 97), (118, 103), (118, 132), (118, 133), (119, 84), (119, 98), (119, 99), (119, 100), (119, 102), (119, 133), (120, 85), (120, 88), (120, 89), (120, 90), (120, 91), (120, 92), (120, 93), (120, 94), (120, 95), (120, 97))
coordinates_00_ced1 = ((78, 123), (78, 125), (78, 126), (78, 128), (79, 122), (79, 128), (80, 121), (80, 123), (80, 124), (80, 125), (80, 127), (81, 114), (81, 116), (81, 117), (81, 118), (81, 119), (81, 120), (81, 122), (81, 123), (81, 124), (81, 125), (81, 127), (82, 114), (82, 121), (82, 122), (82, 123), (82, 124), (82, 126), (83, 108), (83, 110), (83, 115), (83, 116), (83, 117), (83, 118), (83, 119), (83, 120), (83, 121), (83, 122), (83, 123), (83, 124), (83, 126), (84, 107), (84, 111), (84, 114), (84, 115), (84, 116), (84, 119), (84, 120), (84, 121), (84, 122), (84, 123), (84, 124), (84, 126), (85, 101), (85, 102), (85, 108), (85, 109), (85, 113), (85, 114), (85, 115), (85, 116), (85, 118), (85, 120), (85, 121), (85, 122), (85, 123), (85, 125), (86, 99), (86, 103), (86, 104), (86, 105), (86, 107), (86, 108), (86, 110), (86, 111), (86, 112), (86, 113), (86, 114), (86, 116), (86, 119), (86, 125), (87, 99), (87, 101), (87, 102), (87, 103), (87, 106), (87, 108), (87, 111), (87, 112), (87, 114), (87, 116), (87, 120), (87, 121), (87, 122), (87, 123), (87, 125), (88, 98), (88, 100), (88, 101), (88, 104), (88, 105), (88, 106), (88, 108), (88, 113), (88, 115), (89, 98), (89, 100), (89, 103), (89, 105), (89, 106), (89, 107), (89, 108), (89, 109), (89, 110), (89, 111), (89, 112), (89, 115), (90, 99), (90, 100), (90, 104), (90, 106), (90, 107), (90, 109), (90, 113), (90, 114), (91, 99), (91, 100), (91, 105), (91, 108), (92, 99), (92, 100), (92, 106), (92, 107), (93, 99), (93, 100), (94, 99), (94, 100), (94, 112), (95, 98), (95, 100), (95, 101), (95, 106), (95, 107), (95, 108), (95, 109), (95, 110), (95, 113), (95, 119), (96, 92), (96, 94), (96, 95), (96, 96), (96, 97), (96, 98), (96, 99), (96, 100), (96, 103), (96, 104), (96, 105), (96, 111), (96, 113), (97, 98), (97, 99), (97, 100), (97, 101), (97, 106), (97, 107), (97, 108), (97, 109), (97, 110), (97, 111), (97, 113), (98, 92), (98, 94), (98, 95), (98, 97), (98, 98), (98, 99), (98, 100), (98, 101), (98, 102), (98, 103), (98, 104), (98, 105), (98, 106), (98, 107), (98, 108), (98, 109), (98, 110), (98, 111), (98, 113), (99, 92), (99, 96), (99, 98), (99, 99), (99, 100), (99, 101), (99, 102), (99, 103), (99, 104), (99, 105), (99, 106), (99, 107), (99, 108), (99, 109), (99, 110), (99, 112), (100, 92), (100, 97), (100, 99), (100, 103), (100, 107), (100, 108), (100, 109), (100, 110), (100, 112), (101, 91), (101, 93), (101, 97), (101, 101), (101, 102), (101, 103), (101, 104), (101, 105), (101, 108), (101, 109), (101, 110), (101, 112), (102, 92), (102, 95), (102, 107), (102, 112), (103, 93), (103, 95), (103, 96), (103, 98), (103, 108), (103, 111), (103, 112))
coordinates_a120_f0 = ((121, 132), (121, 135), (121, 136), (122, 138), (123, 130), (123, 132), (123, 133), (123, 134), (123, 135), (123, 136), (123, 138), (124, 129), (124, 132), (124, 133), (124, 134), (124, 135), (124, 137), (125, 129), (125, 131), (125, 132), (125, 133), (125, 137), (126, 129), (126, 131), (126, 132), (126, 134), (126, 137), (127, 129), (127, 131), (127, 133), (127, 137), (128, 129), (128, 132), (128, 137), (129, 129), (129, 131), (130, 129), (130, 131), (131, 129), (131, 130), (132, 129), (132, 130), (133, 129), (134, 128))
coordinates_a52_a2_a = ((90, 137), (90, 138), (90, 140), (91, 136), (91, 140), (92, 131), (92, 133), (92, 134), (92, 137), (92, 138), (92, 140), (93, 131), (93, 133), (93, 136), (93, 137), (93, 138), (93, 140), (94, 134), (94, 135), (94, 136), (94, 137), (94, 138), (94, 140), (95, 136), (95, 140), (96, 136), (96, 140), (97, 135), (97, 137), (98, 135))
coordinates_adff2_f = ((98, 139), (99, 137), (99, 141), (100, 134), (100, 136), (100, 139), (100, 141), (101, 135), (101, 139), (101, 141), (102, 137), (102, 141), (103, 139), (103, 142), (104, 140), (104, 142), (104, 143), (105, 140), (105, 143), (106, 141), (106, 144), (107, 142), (107, 145), (108, 143), (108, 146), (109, 144), (109, 147), (110, 145), (110, 148), (111, 145), (111, 147), (111, 149), (112, 144), (112, 146), (112, 147), (112, 148), (113, 145), (113, 148), (113, 149), (113, 152), (114, 146), (114, 150), (114, 153), (115, 148), (115, 154), (116, 150), (116, 151), (116, 152), (116, 154))
coordinates_a020_f0 = ((111, 134), (112, 135), (113, 135), (113, 136), (114, 135), (114, 137), (115, 135), (116, 135), (117, 135), (117, 137), (117, 140), (118, 135), (118, 141), (119, 135), (119, 137), (119, 138), (119, 139), (119, 140), (119, 142), (120, 142))
coordinates_b03060 = ((114, 143), (115, 142), (115, 145), (116, 142), (116, 146), (117, 143), (117, 145), (117, 148), (118, 143), (118, 145), (118, 146), (118, 149), (118, 150), (119, 144), (119, 151), (120, 145), (120, 147), (120, 148), (120, 151), (121, 149), (121, 151))
coordinates_acd8_e6 = ((78, 130), (78, 132), (79, 130), (79, 134), (79, 136), (80, 130), (80, 132), (80, 133), (80, 138), (81, 129), (81, 131), (81, 132), (81, 133), (81, 140), (82, 129), (82, 131), (82, 132), (82, 133), (82, 134), (82, 135), (82, 136), (82, 137), (82, 138), (83, 128), (83, 130), (83, 131), (83, 133), (83, 134), (83, 137), (83, 140), (84, 128), (84, 130), (84, 131), (84, 133), (84, 137), (84, 140), (85, 128), (85, 130), (85, 133), (85, 136), (85, 138), (85, 140), (86, 128), (86, 130), (86, 133), (86, 135), (86, 137), (86, 138), (86, 140), (87, 132), (87, 133), (87, 136), (87, 140), (88, 132), (88, 137), (88, 138), (88, 140), (89, 132), (89, 134), (89, 135), (89, 136))
coordinates_ff3_e96 = ((111, 124), (112, 124), (112, 125), (113, 112), (113, 126), (114, 112), (114, 125), (115, 109), (115, 112), (115, 117), (115, 119), (115, 125), (115, 127), (116, 107), (116, 111), (116, 113), (116, 116), (116, 120), (116, 125), (116, 126), (116, 128), (117, 106), (117, 109), (117, 110), (117, 111), (117, 112), (117, 114), (117, 117), (117, 118), (117, 119), (117, 121), (117, 124), (117, 126), (117, 127), (117, 129), (118, 105), (118, 107), (118, 108), (118, 109), (118, 110), (118, 111), (118, 112), (118, 113), (118, 116), (118, 117), (118, 118), (118, 119), (118, 120), (118, 122), (118, 123), (118, 124), (118, 125), (118, 126), (118, 130), (119, 104), (119, 125), (119, 126), (119, 127), (119, 128), (119, 130), (120, 104), (120, 106), (120, 107), (120, 108), (120, 109), (120, 110), (120, 111), (120, 112), (120, 113), (120, 114), (120, 115), (120, 116), (120, 117), (120, 118), (120, 119), (120, 120), (120, 121), (120, 122), (120, 123), (120, 124), (120, 125), (120, 126))
coordinates_7_effd4 = ((158, 128), (159, 128), (160, 128), (161, 129), (162, 127), (162, 129), (163, 127), (163, 130), (164, 127), (164, 130), (165, 126), (165, 127), (165, 128), (165, 130), (166, 127), (166, 128), (166, 129), (166, 131), (167, 127), (167, 131), (168, 127), (168, 129))
coordinates_b12222 = ((157, 132), (158, 130), (158, 133), (159, 131), (159, 134), (160, 131), (160, 132), (160, 135), (161, 131), (161, 132), (161, 136), (161, 137), (162, 133), (162, 136), (162, 138), (163, 132), (163, 134), (163, 137), (163, 139), (164, 132), (164, 137), (164, 139), (165, 133), (165, 138), (166, 133), (166, 135), (166, 137))
|
l=[]
n=int(input("enter the elements:"))
for i in range(0,n):
l.append(int(input()))
i=0
for i in range(len(l)):
for j in range(i+1,len(l)):
if l[i]>l[j]:
l[i],l[j]=l[j],l[i]
print("sorted list is",l)
|
l = []
n = int(input('enter the elements:'))
for i in range(0, n):
l.append(int(input()))
i = 0
for i in range(len(l)):
for j in range(i + 1, len(l)):
if l[i] > l[j]:
(l[i], l[j]) = (l[j], l[i])
print('sorted list is', l)
|
# Modifying 'value_error_numbers.py' program.
# Using a while loop so that the user can continue to enter numbers even if
# they make a mistake by entering a non-numerical input value.
print("Enter two numbers, and we will add them together.")
print("Enter 'q' to quit.")
while True:
first_number = input("\nFirst number: ")
if first_number == 'q':
break
second_number = input("Second number: ")
try:
answer = int(first_number) + int(second_number)
except ValueError:
print("You have entered a non-numerical input value.")
else:
print(answer)
|
print('Enter two numbers, and we will add them together.')
print("Enter 'q' to quit.")
while True:
first_number = input('\nFirst number: ')
if first_number == 'q':
break
second_number = input('Second number: ')
try:
answer = int(first_number) + int(second_number)
except ValueError:
print('You have entered a non-numerical input value.')
else:
print(answer)
|
#########################################
# Servo01_stop.py
# categories: intro
# more info @: http://myrobotlab.org/service/Intro
#########################################
# uncomment for virtual hardware
# Platform.setVirtual(True)
# Every settings like limits / port number / controller are saved after initial use
# so you can share them between differents script
# servoPin01 = 4
# port = "/dev/ttyUSB0"
# port = "COM15"
# release a servo controller and a servo
Runtime.releaseService("arduino")
Runtime.releaseService("servo01")
# we tell to the service what is going on
# intro.isServoActivated = False ## FIXME this gives error readonly
intro.broadcastState()
|
Runtime.releaseService('arduino')
Runtime.releaseService('servo01')
intro.broadcastState()
|
tout = np.linspace(0, 10)
k_vals = 0.42, 0.17 # arbitrary in this case
y0 = [1, 1, 0]
yout = odeint(rhs, y0, tout, k_vals) # EXERCISE: rhs, y0, tout, k_vals
|
tout = np.linspace(0, 10)
k_vals = (0.42, 0.17)
y0 = [1, 1, 0]
yout = odeint(rhs, y0, tout, k_vals)
|
# AUTOGENERATED BY NBDEV! DO NOT EDIT!
__all__ = ["index", "modules", "custom_doc_links", "git_url"]
index = {"Hline": "00_core.ipynb",
"ImageBuffer": "00_core.ipynb",
"grid_subsampling": "00_core.ipynb",
"getDirctionVectorsByPCA": "00_core.ipynb",
"pointsProjectAxis": "00_core.ipynb",
"radiusOfCylinderByLeastSq": "00_core.ipynb",
"get_start_end_line": "00_core.ipynb",
"cylinderSurface": "00_core.ipynb",
"extractFeathersByPointCloud": "00_core.ipynb",
"pointsToRaster": "00_core.ipynb",
"getCellIDByPolarCoordinates": "00_core.ipynb",
"houghToRasterByCellID": "00_core.ipynb",
"recordHoughLines": "00_core.ipynb",
"countNumOfConsecutiveObj": "00_core.ipynb",
"calRowByColViaLineEquation": "00_core.ipynb",
"generateCorridorByLine": "00_core.ipynb",
"generateBuffer": "00_core.ipynb",
"locatePointsFromBuffer": "00_core.ipynb",
"locatePointsFromBufferSlideWindow": "00_core.ipynb",
"getFeaturesFromPointCloud": "00_core.ipynb",
"evaluateLinesDiscontinuity": "00_core.ipynb",
"constructCorridorsByHT": "00_core.ipynb",
"getPointsFromSlideCorridors": "00_core.ipynb",
"constructSlideCuboidsByPointCloud": "00_core.ipynb",
"extractLinesFromCorridor": "00_core.ipynb",
"generateSlideWindowByX": "00_core.ipynb",
"extractLinesFromPointCloud": "00_core.ipynb",
"secondHTandSW": "00_core.ipynb",
"LPoints": "01_structure.ipynb",
"generateLPByIDS": "02_functions.ipynb",
"getPointsFromSource": "02_functions.ipynb",
"locatePointsFromBuffer_3D": "02_functions.ipynb",
"calOutlierByIQR": "02_functions.ipynb",
"generateLineBordersByBuffer": "02_functions.ipynb",
"extractLineFromTarget": "02_functions.ipynb",
"extractLineFromTarget_dales": "02_functions.ipynb",
"getVoxelKeys": "02_functions.ipynb",
"filterPointsByVoxel": "02_functions.ipynb"}
modules = ["core.py",
"lyuds.py",
"lyufunc.py"]
doc_url = "https://lyuhaitao.github.io/lyutool/"
git_url = "https://github.com/lyuhaitao/lyutool/tree/master/"
def custom_doc_links(name): return None
|
__all__ = ['index', 'modules', 'custom_doc_links', 'git_url']
index = {'Hline': '00_core.ipynb', 'ImageBuffer': '00_core.ipynb', 'grid_subsampling': '00_core.ipynb', 'getDirctionVectorsByPCA': '00_core.ipynb', 'pointsProjectAxis': '00_core.ipynb', 'radiusOfCylinderByLeastSq': '00_core.ipynb', 'get_start_end_line': '00_core.ipynb', 'cylinderSurface': '00_core.ipynb', 'extractFeathersByPointCloud': '00_core.ipynb', 'pointsToRaster': '00_core.ipynb', 'getCellIDByPolarCoordinates': '00_core.ipynb', 'houghToRasterByCellID': '00_core.ipynb', 'recordHoughLines': '00_core.ipynb', 'countNumOfConsecutiveObj': '00_core.ipynb', 'calRowByColViaLineEquation': '00_core.ipynb', 'generateCorridorByLine': '00_core.ipynb', 'generateBuffer': '00_core.ipynb', 'locatePointsFromBuffer': '00_core.ipynb', 'locatePointsFromBufferSlideWindow': '00_core.ipynb', 'getFeaturesFromPointCloud': '00_core.ipynb', 'evaluateLinesDiscontinuity': '00_core.ipynb', 'constructCorridorsByHT': '00_core.ipynb', 'getPointsFromSlideCorridors': '00_core.ipynb', 'constructSlideCuboidsByPointCloud': '00_core.ipynb', 'extractLinesFromCorridor': '00_core.ipynb', 'generateSlideWindowByX': '00_core.ipynb', 'extractLinesFromPointCloud': '00_core.ipynb', 'secondHTandSW': '00_core.ipynb', 'LPoints': '01_structure.ipynb', 'generateLPByIDS': '02_functions.ipynb', 'getPointsFromSource': '02_functions.ipynb', 'locatePointsFromBuffer_3D': '02_functions.ipynb', 'calOutlierByIQR': '02_functions.ipynb', 'generateLineBordersByBuffer': '02_functions.ipynb', 'extractLineFromTarget': '02_functions.ipynb', 'extractLineFromTarget_dales': '02_functions.ipynb', 'getVoxelKeys': '02_functions.ipynb', 'filterPointsByVoxel': '02_functions.ipynb'}
modules = ['core.py', 'lyuds.py', 'lyufunc.py']
doc_url = 'https://lyuhaitao.github.io/lyutool/'
git_url = 'https://github.com/lyuhaitao/lyutool/tree/master/'
def custom_doc_links(name):
return None
|
# Enter your code here. Read input from STDIN. Print output to STDOUT
a = list(map(int, input().split()))
happy = 0
n = a[0]
m = a[1]
b = list(map(int, input().split()))
b = b[0:n]
c = list(map(int, input().split()))
c = c[0:m]
d = list(map(int, input().split()))
d = d[0:m]
for i in c:
if b.count(i)!= 0:
happy = happy + 1
for i in d:
if b.count(i)!= 0:
happy = happy - 1
print(happy)
|
a = list(map(int, input().split()))
happy = 0
n = a[0]
m = a[1]
b = list(map(int, input().split()))
b = b[0:n]
c = list(map(int, input().split()))
c = c[0:m]
d = list(map(int, input().split()))
d = d[0:m]
for i in c:
if b.count(i) != 0:
happy = happy + 1
for i in d:
if b.count(i) != 0:
happy = happy - 1
print(happy)
|
#Embedded file name: ACEStream\Video\defs.pyo
PLAYBACKMODE_INTERNAL = 0
PLAYBACKMODE_EXTERNAL_DEFAULT = 1
PLAYBACKMODE_EXTERNAL_MIME = 2
OTHERTORRENTS_STOP_RESTART = 0
OTHERTORRENTS_STOP = 1
OTHERTORRENTS_CONTINUE = 2
MEDIASTATE_PLAYING = 1
MEDIASTATE_PAUSED = 2
MEDIASTATE_STOPPED = 3
BGP_STATE_IDLE = 0
BGP_STATE_PREBUFFERING = 1
BGP_STATE_DOWNLOADING = 2
BGP_STATE_BUFFERING = 3
BGP_STATE_COMPLETED = 4
BGP_STATE_HASHCHECKING = 5
BGP_STATE_ERROR = 6
|
playbackmode_internal = 0
playbackmode_external_default = 1
playbackmode_external_mime = 2
othertorrents_stop_restart = 0
othertorrents_stop = 1
othertorrents_continue = 2
mediastate_playing = 1
mediastate_paused = 2
mediastate_stopped = 3
bgp_state_idle = 0
bgp_state_prebuffering = 1
bgp_state_downloading = 2
bgp_state_buffering = 3
bgp_state_completed = 4
bgp_state_hashchecking = 5
bgp_state_error = 6
|
src = Split('''
starterkitgui.c
''')
component = aos_component('starterkitgui', src)
component.add_comp_deps('kernel/yloop', 'tools/cli')
component.add_global_macros('AOS_NO_WIFI')
|
src = split('\n starterkitgui.c\n')
component = aos_component('starterkitgui', src)
component.add_comp_deps('kernel/yloop', 'tools/cli')
component.add_global_macros('AOS_NO_WIFI')
|
def saludar():
return "Hola mundo"
saludar()
print(saludar())
print('----------')
m = saludar()
print(m)
print('------------')
def saludo(nombre, mensaje='hola '):
print(mensaje, nombre)
saludo('roberto')
|
def saludar():
return 'Hola mundo'
saludar()
print(saludar())
print('----------')
m = saludar()
print(m)
print('------------')
def saludo(nombre, mensaje='hola '):
print(mensaje, nombre)
saludo('roberto')
|
# Not finished
rows = int(input())
array = [[0 for x in range(3)] for y in range(rows)]
for i in range(rows):
line = [float(i) for i in input().split()]
for j in range(3):
array[i][j] = int(line[j])
totalcount = 0
for k in range(rows):
counter=array[k][0] +array[k][1] +array[k][2]
if(counter >= 2):
totalcount += 1
print(str(totalcount))
#bur
|
rows = int(input())
array = [[0 for x in range(3)] for y in range(rows)]
for i in range(rows):
line = [float(i) for i in input().split()]
for j in range(3):
array[i][j] = int(line[j])
totalcount = 0
for k in range(rows):
counter = array[k][0] + array[k][1] + array[k][2]
if counter >= 2:
totalcount += 1
print(str(totalcount))
|
def find_ranges(nums):
if not nums:
return []
first = last = nums[0]
ranges = []
def append_range(first, last):
ranges.append('{}->{}'.format(first, last))
for num in nums:
if abs(num - last) > 1:
append_range(first, last)
first = num
last = num
# Remaining
append_range(first, last)
return ranges
|
def find_ranges(nums):
if not nums:
return []
first = last = nums[0]
ranges = []
def append_range(first, last):
ranges.append('{}->{}'.format(first, last))
for num in nums:
if abs(num - last) > 1:
append_range(first, last)
first = num
last = num
append_range(first, last)
return ranges
|
# 77. Combinations
# Time: k*nCk (Review: nCk combinations each of length k)
# Space: k*nCk
class Solution:
def combine(self, n: int, k: int) -> List[List[int]]:
if n==0:
return []
if k==0:
return [[]]
if k==1:
return [[i] for i in range(1,n+1)]
without_n = self.combine(n-1, k)
with_n = self.combine(n-1, k-1)
for index in range(len(with_n)):
with_n[index] = [n]+with_n[index]
return without_n + with_n
|
class Solution:
def combine(self, n: int, k: int) -> List[List[int]]:
if n == 0:
return []
if k == 0:
return [[]]
if k == 1:
return [[i] for i in range(1, n + 1)]
without_n = self.combine(n - 1, k)
with_n = self.combine(n - 1, k - 1)
for index in range(len(with_n)):
with_n[index] = [n] + with_n[index]
return without_n + with_n
|
# return masked string
def maskify(cc):
if len(cc) < 5:
return cc
return '#' * int(len(cc)-4) + cc[-4:]
|
def maskify(cc):
if len(cc) < 5:
return cc
return '#' * int(len(cc) - 4) + cc[-4:]
|
modules = dict()
def register(module_name):
def decorate_action(func):
if module_name in modules:
modules[module_name][func.__name__] = func
else:
modules[module_name] = dict()
modules[module_name][func.__name__] = func
return func
return decorate_action
|
modules = dict()
def register(module_name):
def decorate_action(func):
if module_name in modules:
modules[module_name][func.__name__] = func
else:
modules[module_name] = dict()
modules[module_name][func.__name__] = func
return func
return decorate_action
|
class Solution:
def generateParenthesis(self, n: int) -> List[str]:
res = []
self.helper(res, '', n, n)
return res
def helper(self, res, tempList, left, right):
if left > right:
return
if left == 0 and right == 0:
res.append(tempList)
if left>0:
self.helper(res,tempList+'(', left-1,right)
if right>0:
self.helper(res, tempList+')', left, right-1)
|
class Solution:
def generate_parenthesis(self, n: int) -> List[str]:
res = []
self.helper(res, '', n, n)
return res
def helper(self, res, tempList, left, right):
if left > right:
return
if left == 0 and right == 0:
res.append(tempList)
if left > 0:
self.helper(res, tempList + '(', left - 1, right)
if right > 0:
self.helper(res, tempList + ')', left, right - 1)
|
#!/usr/bin/python
#
#Stores the configuration information that will be used across entire project
#
# This program is free software: you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation, either version 3 of the License, or
# (at your option) any later version.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with this program. If not, see <http://www.gnu.org/licenses/>.
WATCH_FOLDER='/mnt/cluster-programs/watch-folder'
CONVERSION_TYPES=['iPod-LQ','iPod-HQ','Movie-Archive','Movie-LQ','TV-Show-Archive','TV-Show-LQ']
JOB_FOLDER='/mnt/cluster-programs/handbrake/jobs/'
BASE_DIR='/mnt/cluster-programs/handbrake/'
FTP_PORT=2010
MESSAGE_SERVER='Chiana'
VHOST='cluster'
MESSAGE_USERID='cluster-admin'
MESSAGE_PWD='1234'
EXCHANGE='handbrake'
JOB_QUEUE='job-queue'
SERVER_COMM_QUEUE='server-queue'
SERVER_COMM_WRITER=dict(server=MESSAGE_SERVER, vhost=VHOST, \
userid=MESSAGE_USERID, password=MESSAGE_PWD, \
exchange=EXCHANGE, exchange_type='direct', \
routing_key=SERVER_COMM_QUEUE, exchange_auto_delete=False, \
queue_durable=True, queue_auto_delete=False)
STATUS_WRITER=dict(server=MESSAGE_SERVER, vhost=VHOST, \
userid=MESSAGE_USERID, password=MESSAGE_PWD, \
exchange=EXCHANGE, exchange_type='direct', \
routing_key='status-updates', exchange_auto_delete=False, \
queue_durable=True, queue_auto_delete=False)
|
watch_folder = '/mnt/cluster-programs/watch-folder'
conversion_types = ['iPod-LQ', 'iPod-HQ', 'Movie-Archive', 'Movie-LQ', 'TV-Show-Archive', 'TV-Show-LQ']
job_folder = '/mnt/cluster-programs/handbrake/jobs/'
base_dir = '/mnt/cluster-programs/handbrake/'
ftp_port = 2010
message_server = 'Chiana'
vhost = 'cluster'
message_userid = 'cluster-admin'
message_pwd = '1234'
exchange = 'handbrake'
job_queue = 'job-queue'
server_comm_queue = 'server-queue'
server_comm_writer = dict(server=MESSAGE_SERVER, vhost=VHOST, userid=MESSAGE_USERID, password=MESSAGE_PWD, exchange=EXCHANGE, exchange_type='direct', routing_key=SERVER_COMM_QUEUE, exchange_auto_delete=False, queue_durable=True, queue_auto_delete=False)
status_writer = dict(server=MESSAGE_SERVER, vhost=VHOST, userid=MESSAGE_USERID, password=MESSAGE_PWD, exchange=EXCHANGE, exchange_type='direct', routing_key='status-updates', exchange_auto_delete=False, queue_durable=True, queue_auto_delete=False)
|
class Solution:
def validateStackSequences(self, pushed: List[int], popped: List[int]) -> bool:
output = []
push = 0
pop = 0
while push < len(pushed) or pop < len(popped):
if len(output) != 0 and pop < len(popped) and output[-1] == popped[pop]:
output.pop()
pop += 1
elif push < len(pushed):
output.append(pushed[push])
push += 1
else:
return False
return push == len(pushed) and pop == len(popped)
|
class Solution:
def validate_stack_sequences(self, pushed: List[int], popped: List[int]) -> bool:
output = []
push = 0
pop = 0
while push < len(pushed) or pop < len(popped):
if len(output) != 0 and pop < len(popped) and (output[-1] == popped[pop]):
output.pop()
pop += 1
elif push < len(pushed):
output.append(pushed[push])
push += 1
else:
return False
return push == len(pushed) and pop == len(popped)
|
PET_LEVELS = [
100,
110,
120,
130,
145,
160,
175,
190,
210,
230,
250,
275,
300,
330,
360,
400,
440,
490,
540,
600,
660,
730,
800,
880,
960,
1050,
1150,
1260,
1380,
1510,
1650,
1800,
1960,
2130,
2310,
2500,
2700,
2920,
3160,
3420,
3700,
4000,
4350,
4750,
5200,
5700,
6300,
7000,
7800,
8700,
9700,
10800,
12000,
13300,
14700,
16200,
17800,
19500,
21300,
23200,
25200,
27400,
29800,
32400,
35200,
38200,
41400,
44800,
48400,
52200,
56200,
60400,
64800,
69400,
74200,
79200,
84700,
90700,
97200,
104200,
111700,
119700,
128200,
137200,
146700,
156700,
167700,
179700,
192700,
206700,
221700,
237700,
254700,
272700,
291700,
311700,
333700,
357700,
383700,
411700,
441700,
476700,
516700,
561700,
611700,
666700,
726700,
791700,
861700,
936700,
1016700,
1101700,
1191700,
1286700,
1386700,
1496700,
1616700,
1746700,
1886700
]
|
pet_levels = [100, 110, 120, 130, 145, 160, 175, 190, 210, 230, 250, 275, 300, 330, 360, 400, 440, 490, 540, 600, 660, 730, 800, 880, 960, 1050, 1150, 1260, 1380, 1510, 1650, 1800, 1960, 2130, 2310, 2500, 2700, 2920, 3160, 3420, 3700, 4000, 4350, 4750, 5200, 5700, 6300, 7000, 7800, 8700, 9700, 10800, 12000, 13300, 14700, 16200, 17800, 19500, 21300, 23200, 25200, 27400, 29800, 32400, 35200, 38200, 41400, 44800, 48400, 52200, 56200, 60400, 64800, 69400, 74200, 79200, 84700, 90700, 97200, 104200, 111700, 119700, 128200, 137200, 146700, 156700, 167700, 179700, 192700, 206700, 221700, 237700, 254700, 272700, 291700, 311700, 333700, 357700, 383700, 411700, 441700, 476700, 516700, 561700, 611700, 666700, 726700, 791700, 861700, 936700, 1016700, 1101700, 1191700, 1286700, 1386700, 1496700, 1616700, 1746700, 1886700]
|
def sortarray(arr):
total_len = len(arr)
if total_len == 0 or total_len == 1:
return 0
sorted_array = sorted(arr)
ptr1 = 0
ptr2 = 0
counter = 0
idx = 0
while idx < total_len:
if sorted_array[ptr1] == arr[ptr2]:
ptr1 = ptr1 +1
counter = counter + 1
ptr2 = ptr2 + 1
idx = idx +1
return (total_len - counter)
print(sortarray([1,3,2]))
|
def sortarray(arr):
total_len = len(arr)
if total_len == 0 or total_len == 1:
return 0
sorted_array = sorted(arr)
ptr1 = 0
ptr2 = 0
counter = 0
idx = 0
while idx < total_len:
if sorted_array[ptr1] == arr[ptr2]:
ptr1 = ptr1 + 1
counter = counter + 1
ptr2 = ptr2 + 1
idx = idx + 1
return total_len - counter
print(sortarray([1, 3, 2]))
|
#!/usr/bin/env python3
class MyRange:
def __init__(self, start, end=None, step=1):
if step == 0:
raise
if end == None:
start, end = 0, start
self._start = start
self._end = end
self._step = step
self._pointer = start
def __getitem__(self, key):
res = self._start + self._step * key
if self._step > 0:
if res >= self._end:
raise StopIteration
else:
if res <= self._end:
raise StopIteration
return res
def __iter__(self):
self._pointer = self._start
return self
def __next__(self):
if self._step > 0:
self._pointer += self._step
if self._pointer >= self._end:
raise StopIteration
else:
self._pointer += self._step
if self._pointer <= self._end:
raise StopIteration
return self._pointer
if __name__ == '__main__':
for i in MyRange(10):
print('range(10):', i)
t = MyRange(1, -11, -2)
for i in t:
print('range(1, -11, -2):', i)
for i in t:
print('range(1, -11, -2) again:', i)
# sol #1: using __getitem__
# sol #2: using __next__ && __iter__
|
class Myrange:
def __init__(self, start, end=None, step=1):
if step == 0:
raise
if end == None:
(start, end) = (0, start)
self._start = start
self._end = end
self._step = step
self._pointer = start
def __getitem__(self, key):
res = self._start + self._step * key
if self._step > 0:
if res >= self._end:
raise StopIteration
elif res <= self._end:
raise StopIteration
return res
def __iter__(self):
self._pointer = self._start
return self
def __next__(self):
if self._step > 0:
self._pointer += self._step
if self._pointer >= self._end:
raise StopIteration
else:
self._pointer += self._step
if self._pointer <= self._end:
raise StopIteration
return self._pointer
if __name__ == '__main__':
for i in my_range(10):
print('range(10):', i)
t = my_range(1, -11, -2)
for i in t:
print('range(1, -11, -2):', i)
for i in t:
print('range(1, -11, -2) again:', i)
|
N, K, S = map(int, input().split())
if S == 1:
const = S + 1
else:
const = S - 1
ans = []
for i in range(N):
if i < K:
ans.append(S)
else:
ans.append(const)
print(*ans)
|
(n, k, s) = map(int, input().split())
if S == 1:
const = S + 1
else:
const = S - 1
ans = []
for i in range(N):
if i < K:
ans.append(S)
else:
ans.append(const)
print(*ans)
|
num = int(input('Digite um numero : '))
tot=0
for c in range(1,num + 1):
if num % c == 0 :
print(' {} '.format(c))
tot +=1
else:
print('{} '.format(c))
|
num = int(input('Digite um numero : '))
tot = 0
for c in range(1, num + 1):
if num % c == 0:
print(' {} '.format(c))
tot += 1
else:
print('{} '.format(c))
|
def nb_year(p0, percent, aug, p):
count = 0
while p0 < p:
pop = p0 + p0 * (percent/100) + aug
p0 = pop
###this is kinda gross...should have just done something like###
### p0 += p0 * percent/100 + aug ####
count += 1
return count
|
def nb_year(p0, percent, aug, p):
count = 0
while p0 < p:
pop = p0 + p0 * (percent / 100) + aug
p0 = pop
count += 1
return count
|
###########################################################################
#
# Copyright 2020 Google LLC
#
# 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
#
# https://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.
#
###########################################################################
DCM_Field_Lookup = {
'Video_Unmutes':
'INTEGER',
'Zip_Postal_Code':
'STRING',
'Path_Length':
'INTEGER',
'Measurable_Impressions_For_Audio':
'INTEGER',
'Average_Interaction_Time':
'FLOAT',
'Invalid_Impressions':
'INTEGER',
'Floodlight_Variable_40':
'STRING',
'Floodlight_Variable_41':
'STRING',
'Floodlight_Variable_42':
'STRING',
'Floodlight_Variable_43':
'STRING',
'Floodlight_Variable_44':
'STRING',
'Floodlight_Variable_45':
'STRING',
'Floodlight_Variable_46':
'STRING',
'Floodlight_Variable_47':
'STRING',
'Floodlight_Variable_48':
'STRING',
'Floodlight_Variable_49':
'STRING',
'Clicks':
'INTEGER',
'Warnings':
'INTEGER',
'Paid_Search_Advertiser_Id':
'INTEGER',
'Video_Third_Quartile_Completions':
'INTEGER',
'Video_Progress_Events':
'INTEGER',
'Cost_Per_Revenue':
'FLOAT',
'Total_Interaction_Time':
'INTEGER',
'Roadblock_Impressions':
'INTEGER',
'Video_Replays':
'INTEGER',
'Keyword':
'STRING',
'Full_Screen_Video_Plays':
'INTEGER',
'Active_View_Impression_Distribution_Not_Measurable':
'FLOAT',
'Unique_Reach_Total_Reach':
'INTEGER',
'Has_Exits':
'BOOLEAN',
'Paid_Search_Engine_Account':
'STRING',
'Operating_System_Version':
'STRING',
'Campaign':
'STRING',
'Active_View_Percent_Visible_At_Start':
'FLOAT',
'Active_View_Not_Viewable_Impressions':
'INTEGER',
'Twitter_Offers_Accepted':
'INTEGER',
'Interaction_Type':
'STRING',
'Activity_Delivery_Status':
'FLOAT',
'Video_Companion_Clicks':
'INTEGER',
'Floodlight_Paid_Search_Average_Cost_Per_Transaction':
'FLOAT',
'Paid_Search_Agency_Id':
'INTEGER',
'Asset':
'STRING',
'Active_View_Audible_Amp_Fully_On_Screen_For_Half_Of_Duration_15_Sec_Cap_Impressions':
'INTEGER',
'User_List_Current_Size':
'STRING',
'Exit_Url':
'STRING',
'Natural_Search_Revenue':
'FLOAT',
'Retweets':
'INTEGER',
'Full_Screen_Impressions':
'INTEGER',
'Audio_Unmutes':
'INTEGER',
'Dynamic_Element_4_Field_Value_2':
'STRING',
'Dynamic_Element_4_Field_Value_3':
'STRING',
'Dynamic_Element_4_Field_Value_1':
'STRING',
'Creative_Start_Date':
'DATE',
'Small_Video_Player_Size_Impressions':
'INTEGER',
'Audio_Replays':
'INTEGER',
'Video_Player_Size_Avg_Width':
'INTEGER',
'Rich_Media_Standard_Event_Count':
'INTEGER',
'Publisher_Problems':
'INTEGER',
'Paid_Search_Advertiser':
'STRING',
'Has_Video_Completions':
'BOOLEAN',
'Cookie_Reach_Duplicate_Impression_Reach':
'INTEGER',
'Audio_Third_Quartile_Completions':
'INTEGER',
'Package_Roadblock_Strategy':
'STRING',
'Video_Midpoints':
'INTEGER',
'Click_Through_Conversion_Events_Cross_Environment':
'INTEGER',
'Video_Pauses':
'INTEGER',
'Trueview_Views':
'INTEGER',
'Interaction_Count_Mobile_Static_Image':
'INTEGER',
'Dynamic_Element_Click_Rate':
'FLOAT',
'Dynamic_Element_1_Field_6_Value':
'STRING',
'Dynamic_Element_4_Value':
'STRING',
'Creative_End_Date':
'DATE',
'Dynamic_Element_4_Field_3_Value':
'STRING',
'Dynamic_Field_Value_3':
'STRING',
'Mobile_Carrier':
'STRING',
'U_Value':
'STRING',
'Average_Display_Time':
'FLOAT',
'Custom_Variable':
'STRING',
'Video_Interactions':
'INTEGER',
'Average_Expansion_Time':
'FLOAT',
'Email_Shares':
'INTEGER',
'Flight_Booked_Rate':
'STRING',
'Impression_Count':
'INTEGER',
'Site_Id_Dcm':
'INTEGER',
'Dynamic_Element_3_Value_Id':
'STRING',
'Paid_Search_Legacy_Keyword_Id':
'INTEGER',
'View_Through_Conversion_Events_Cross_Environment':
'INTEGER',
'Counters':
'INTEGER',
'Floodlight_Paid_Search_Average_Cost_Per_Action':
'FLOAT',
'Activity_Group_Id':
'INTEGER',
'Active_View_Percent_Audible_And_Visible_At_Midpoint':
'FLOAT',
'Click_Count':
'INTEGER',
'Video_4A_39_S_Ad_Id':
'STRING',
'Total_Interactions':
'INTEGER',
'Active_View_Viewable_Impressions':
'INTEGER',
'Natural_Search_Engine_Property':
'STRING',
'Video_Views':
'INTEGER',
'Domain':
'STRING',
'Total_Conversion_Events_Cross_Environment':
'INTEGER',
'Dbm_Advertiser':
'STRING',
'Companion_Impressions':
'INTEGER',
'View_Through_Conversions_Cross_Environment':
'INTEGER',
'Dynamic_Element_5_Field_Value_3':
'STRING',
'Dynamic_Element_5_Field_Value_2':
'STRING',
'Dynamic_Element_5_Field_Value_1':
'STRING',
'Dynamic_Field_Value_1':
'STRING',
'Active_View_Impression_Distribution_Viewable':
'FLOAT',
'Creative_Field_2':
'STRING',
'Twitter_Leads_Generated':
'INTEGER',
'Paid_Search_External_Campaign_Id':
'INTEGER',
'Creative_Field_8':
'STRING',
'Interaction_Count_Paid_Search':
'INTEGER',
'Activity_Group':
'STRING',
'Video_Player_Location_Avg_Pixels_From_Top':
'INTEGER',
'Interaction_Number':
'INTEGER',
'Dynamic_Element_3_Value':
'STRING',
'Cookie_Reach_Total_Reach':
'INTEGER',
'Cookie_Reach_Exclusive_Click_Reach':
'INTEGER',
'Creative_Field_5':
'STRING',
'Cookie_Reach_Overlap_Impression_Reach':
'INTEGER',
'Paid_Search_Ad_Group':
'STRING',
'Interaction_Count_Rich_Media':
'INTEGER',
'Dynamic_Element_Total_Conversions':
'INTEGER',
'Transaction_Count':
'INTEGER',
'Num_Value':
'STRING',
'Cookie_Reach_Overlap_Total_Reach':
'INTEGER',
'Floodlight_Attribution_Type':
'STRING',
'Cookie_Reach_Exclusive_Impression_Reach_Percent':
'FLOAT',
'Html5_Impressions':
'INTEGER',
'Served_Pixel_Density':
'STRING',
'Has_Full_Screen_Video_Plays':
'BOOLEAN',
'Interaction_Count_Static_Image':
'INTEGER',
'Has_Video_Companion_Clicks':
'BOOLEAN',
'Twitter_Video_100Percent_In_View_For_3_Seconds':
'INTEGER',
'Paid_Search_Ad':
'STRING',
'Paid_Search_Visits':
'INTEGER',
'Audio_Pauses':
'INTEGER',
'Creative_Pixel_Size':
'STRING',
'Flight_Start_Date':
'DATE',
'Active_View_Percent_Of_Third_Quartile_Impressions_Visible':
'FLOAT',
'Natural_Search_Transactions':
'FLOAT',
'Cookie_Reach_Impression_Reach':
'INTEGER',
'Dynamic_Field_Value_4':
'STRING',
'Twitter_Line_Item_Id':
'INTEGER',
'Has_Video_Stops':
'BOOLEAN',
'Active_View_Percent_Audible_And_Visible_At_Completion':
'FLOAT',
'Paid_Search_Labels':
'STRING',
'Twitter_Creative_Type':
'STRING',
'Operating_System':
'STRING',
'Dynamic_Element_3_Field_4_Value':
'STRING',
'Hours_Since_First_Interaction':
'INTEGER',
'Asset_Category':
'STRING',
'Active_View_Measurable_Impressions':
'INTEGER',
'Package_Roadblock':
'STRING',
'Large_Video_Player_Size_Impressions':
'INTEGER',
'Paid_Search_Actions':
'FLOAT',
'Active_View_Percent_Visible_At_Midpoint':
'FLOAT',
'Has_Full_Screen_Views':
'BOOLEAN',
'Backup_Image':
'INTEGER',
'Likes':
'INTEGER',
'Dbm_Line_Item':
'STRING',
'Active_View_Percent_Audible_Impressions':
'FLOAT',
'Flight_Booked_Cost':
'STRING',
'Other_Twitter_Engagements':
'INTEGER',
'Audio_Completions':
'INTEGER',
'Click_Rate':
'FLOAT',
'Cost_Per_Activity':
'FLOAT',
'Dynamic_Element_2_Value':
'STRING',
'Cookie_Reach_Exclusive_Impression_Reach':
'INTEGER',
'Content_Category':
'STRING',
'Twitter_Video_50Percent_In_View_For_2_Seconds':
'INTEGER',
'Total_Revenue_Cross_Environment':
'FLOAT',
'Unique_Reach_Click_Reach':
'INTEGER',
'Has_Video_Replays':
'BOOLEAN',
'Twitter_Creative_Id':
'INTEGER',
'Has_Counters':
'BOOLEAN',
'Dynamic_Element_4_Value_Id':
'STRING',
'Dynamic_Element_4_Field_1_Value':
'STRING',
'Has_Video_Interactions':
'BOOLEAN',
'Video_Player_Size':
'STRING',
'Active_View_Audible_Amp_Fully_On_Screen_For_Half_Of_Duration_Trueview_Impressions':
'INTEGER',
'Advertiser_Id':
'INTEGER',
'Rich_Media_Clicks':
'INTEGER',
'Floodlight_Variable_59':
'STRING',
'Floodlight_Variable_58':
'STRING',
'Floodlight_Variable_57':
'STRING',
'Floodlight_Variable_56':
'STRING',
'Floodlight_Variable_55':
'STRING',
'Floodlight_Variable_54':
'STRING',
'Floodlight_Variable_53':
'STRING',
'Floodlight_Variable_52':
'STRING',
'Floodlight_Variable_51':
'STRING',
'Floodlight_Variable_50':
'STRING',
'Cookie_Reach_Incremental_Total_Reach':
'INTEGER',
'Playback_Method':
'STRING',
'Has_Interactive_Impressions':
'BOOLEAN',
'Paid_Search_Average_Position':
'FLOAT',
'Floodlight_Variable_96':
'STRING',
'Package_Roadblock_Id':
'INTEGER',
'Recalculated_Attribution_Type':
'STRING',
'Dbm_Advertiser_Id':
'INTEGER',
'Floodlight_Variable_100':
'STRING',
'Cookie_Reach_Exclusive_Total_Reach_Percent':
'FLOAT',
'Active_View_Impression_Distribution_Not_Viewable':
'FLOAT',
'Floodlight_Variable_3':
'STRING',
'Floodlight_Variable_2':
'STRING',
'Floodlight_Variable_1':
'STRING',
'Floodlight_Variable_7':
'STRING',
'Floodlight_Variable_6':
'STRING',
'Floodlight_Variable_5':
'STRING',
'Floodlight_Variable_4':
'STRING',
'Rendering_Id':
'INTEGER',
'Floodlight_Variable_9':
'STRING',
'Floodlight_Variable_8':
'STRING',
'Cookie_Reach_Incremental_Impression_Reach':
'INTEGER',
'Active_View_Percent_Visible_At_Third_Quartile':
'FLOAT',
'Reporting_Problems':
'INTEGER',
'Package_Roadblock_Total_Booked_Units':
'STRING',
'Active_View_Percent_Visible_At_Completion':
'FLOAT',
'Has_Video_Midpoints':
'BOOLEAN',
'Dynamic_Element_4_Field_4_Value':
'STRING',
'Percentage_Of_Measurable_Impressions_For_Video_Player_Location':
'FLOAT',
'Campaign_End_Date':
'DATE',
'Placement_External_Id':
'STRING',
'Cost_Per_Click':
'FLOAT',
'Cookie_Reach_Overlap_Click_Reach_Percent':
'FLOAT',
'Active_View_Percent_Full_Screen':
'FLOAT',
'Hour':
'STRING',
'Click_Through_Revenue':
'FLOAT',
'Video_Skips':
'INTEGER',
'Paid_Search_Click_Rate':
'FLOAT',
'Has_Video_Views':
'BOOLEAN',
'Dbm_Cost_Account_Currency':
'FLOAT',
'Flight_End_Date':
'DATE',
'Has_Video_Plays':
'BOOLEAN',
'Paid_Search_Clicks':
'INTEGER',
'Creative_Field_9':
'STRING',
'Manual_Closes':
'INTEGER',
'Creative_Field_7':
'STRING',
'Creative_Field_6':
'STRING',
'App':
'STRING',
'Creative_Field_4':
'STRING',
'Creative_Field_3':
'STRING',
'Campaign_Start_Date':
'DATE',
'Creative_Field_1':
'STRING',
'Content_Classifier':
'STRING',
'Cookie_Reach_Duplicate_Click_Reach':
'INTEGER',
'Site_Dcm':
'STRING',
'Digital_Content_Label':
'STRING',
'Has_Manual_Closes':
'BOOLEAN',
'Has_Timers':
'BOOLEAN',
'Impressions':
'INTEGER',
'Classified_Impressions':
'INTEGER',
'Dbm_Site_Id':
'INTEGER',
'Dynamic_Element_2_Field_1_Value':
'STRING',
'Floodlight_Variable_72':
'STRING',
'Creative':
'STRING',
'Asset_Orientation':
'STRING',
'Custom_Variable_Count_1':
'INTEGER',
'Video_Stops':
'INTEGER',
'Paid_Search_Ad_Id':
'INTEGER',
'Cookie_Reach_Overlap_Total_Reach_Percent':
'FLOAT',
'Click_Delivery_Status':
'FLOAT',
'Dynamic_Element_Impressions':
'INTEGER',
'Interaction_Count_Click_Tracker':
'INTEGER',
'Placement_Total_Booked_Units':
'STRING',
'Date':
'DATE',
'Twitter_Placement_Type':
'STRING',
'Total_Revenue':
'FLOAT',
'Recalculated_Attributed_Interaction':
'STRING',
'Ad_Type':
'STRING',
'Social_Engagement_Rate':
'FLOAT',
'Dynamic_Element_5_Field_1_Value':
'STRING',
'Dynamic_Profile_Id':
'INTEGER',
'Active_View_Impressions_Visible_10_Seconds':
'INTEGER',
'Interaction_Count_Video':
'INTEGER',
'Dynamic_Element_5_Value':
'STRING',
'Video_Player_Size_Avg_Height':
'INTEGER',
'Creative_Type':
'STRING',
'Campaign_External_Id':
'STRING',
'Dynamic_Element_Click_Through_Conversions':
'INTEGER',
'Conversion_Url':
'STRING',
'Floodlight_Variable_89':
'STRING',
'Floodlight_Variable_84':
'STRING',
'Floodlight_Variable_85':
'STRING',
'Floodlight_Variable_86':
'STRING',
'Floodlight_Variable_87':
'STRING',
'Floodlight_Variable_80':
'STRING',
'Floodlight_Variable_81':
'STRING',
'Floodlight_Variable_82':
'STRING',
'Floodlight_Variable_83':
'STRING',
'Active_View_Audible_Amp_Fully_On_Screen_For_Half_Of_Duration_Trueview_Measurable_Impressions':
'INTEGER',
'Floodlight_Variable_66':
'STRING',
'Floodlight_Variable_67':
'STRING',
'Floodlight_Variable_64':
'STRING',
'Floodlight_Variable_65':
'STRING',
'Floodlight_Variable_62':
'STRING',
'Floodlight_Variable_63':
'STRING',
'Floodlight_Variable_60':
'STRING',
'Active_View_Eligible_Impressions':
'INTEGER',
'Dynamic_Element_3_Field_Value_1':
'STRING',
'Dynamic_Element_3_Field_Value_3':
'STRING',
'Dynamic_Element_3_Field_Value_2':
'STRING',
'Floodlight_Variable_68':
'STRING',
'Floodlight_Variable_69':
'STRING',
'Floodlight_Variable_13':
'STRING',
'Floodlight_Variable_12':
'STRING',
'Floodlight_Variable_11':
'STRING',
'Floodlight_Variable_10':
'STRING',
'Floodlight_Variable_17':
'STRING',
'Floodlight_Variable_16':
'STRING',
'Floodlight_Variable_15':
'STRING',
'Floodlight_Variable_14':
'STRING',
'Floodlight_Variable_19':
'STRING',
'Floodlight_Variable_18':
'STRING',
'Audience_Targeted':
'STRING',
'Total_Conversions_Cross_Environment':
'INTEGER',
'Interaction_Count_Mobile_Rich_Media':
'INTEGER',
'Active_View_Percent_Viewable_Impressions':
'FLOAT',
'Dynamic_Element_1_Field_1_Value':
'STRING',
'Active_View_Audible_Amp_Fully_On_Screen_For_Half_Of_Duration_Trueview_Rate':
'FLOAT',
'Has_Video_Skips':
'BOOLEAN',
'Dynamic_Element_5_Field_2_Value':
'STRING',
'Twitter_Buy_Now_Clicks':
'INTEGER',
'Creative_Groups_2':
'STRING',
'Creative_Groups_1':
'STRING',
'Campaign_Id':
'INTEGER',
'Twitter_Campaign_Id':
'INTEGER',
'Active_View_Audible_Amp_Fully_On_Screen_For_Half_Of_Duration_15_Sec_Cap_Rate':
'FLOAT',
'Dynamic_Element_1_Field_5_Value':
'STRING',
'Paid_Search_Match_Type':
'STRING',
'Activity_Per_Thousand_Impressions':
'FLOAT',
'Has_Expansions':
'BOOLEAN',
'Dbm_Creative_Id':
'INTEGER',
'Active_View_Percent_Audible_And_Visible_At_Start':
'FLOAT',
'Booked_Viewable_Impressions':
'FLOAT',
'Dynamic_Element_1_Field_2_Value':
'STRING',
'Paid_Search_Cost':
'FLOAT',
'Dynamic_Element_5_Field_5_Value':
'STRING',
'Floodlight_Paid_Search_Spend_Per_Transaction_Revenue':
'FLOAT',
'Active_View_Percent_Of_Midpoint_Impressions_Audible_And_Visible':
'FLOAT',
'Dynamic_Element_4':
'STRING',
'Dynamic_Element_5':
'STRING',
'Dynamic_Element_2':
'STRING',
'Click_Through_Conversions':
'FLOAT',
'Dynamic_Element_1':
'STRING',
'Dynamic_Element_4_Field_6_Value':
'STRING',
'Attributed_Event_Platform_Type':
'STRING',
'Audio_Midpoints':
'INTEGER',
'Attributed_Event_Connection_Type':
'STRING',
'Dynamic_Element_1_Value':
'STRING',
'Measurable_Impressions_For_Video_Player_Location':
'INTEGER',
'Audio_Companion_Impressions':
'INTEGER',
'Video_Full_Screen':
'INTEGER',
'Active_View_Percent_Visible_At_First_Quartile':
'FLOAT',
'Companion_Creative':
'STRING',
'Cookie_Reach_Exclusive_Total_Reach':
'INTEGER',
'Audio_Mutes':
'INTEGER',
'Placement_Rate':
'STRING',
'Companion_Clicks':
'INTEGER',
'Cookie_Reach_Overlap_Click_Reach':
'INTEGER',
'Site_Keyname':
'STRING',
'Placement_Cost_Structure':
'STRING',
'Percentage_Of_Measurable_Impressions_For_Audio':
'FLOAT',
'Rich_Media_Custom_Event_Count':
'INTEGER',
'Dbm_Cost_Usd':
'FLOAT',
'Dynamic_Element_1_Field_3_Value':
'STRING',
'Has_Video_Third_Quartile_Completions':
'BOOLEAN',
'Paid_Search_Landing_Page_Url':
'STRING',
'Verifiable_Impressions':
'INTEGER',
'Average_Time':
'FLOAT',
'Creative_Field_12':
'STRING',
'Creative_Field_11':
'STRING',
'Creative_Field_10':
'STRING',
'Channel_Mix':
'STRING',
'Paid_Search_Campaign':
'STRING',
'Natural_Search_Landing_Page':
'STRING',
'Dynamic_Element_1_Field_4_Value':
'STRING',
'Payment_Source':
'STRING',
'Planned_Media_Cost':
'FLOAT',
'Conversion_Referrer':
'STRING',
'Companion_Creative_Id':
'INTEGER',
'Dynamic_Element_4_Field_2_Value':
'STRING',
'Total_Conversions':
'FLOAT',
'Custom_Variable_Count_2':
'INTEGER',
'Paid_Search_External_Ad_Group_Id':
'INTEGER',
'Hd_Video_Player_Size_Impressions':
'INTEGER',
'Click_Through_Transaction_Count':
'FLOAT',
'Cookie_Reach_Exclusive_Click_Reach_Percent':
'FLOAT',
'Floodlight_Attributed_Interaction':
'STRING',
'Dynamic_Profile':
'STRING',
'Floodlight_Variable_28':
'STRING',
'Floodlight_Variable_29':
'STRING',
'Dynamic_Element_2_Field_2_Value':
'STRING',
'Floodlight_Variable_22':
'STRING',
'Floodlight_Variable_23':
'STRING',
'Floodlight_Variable_20':
'STRING',
'Floodlight_Variable_21':
'STRING',
'Floodlight_Variable_26':
'STRING',
'Floodlight_Variable_27':
'STRING',
'Floodlight_Variable_24':
'STRING',
'Floodlight_Variable_25':
'STRING',
'Dynamic_Element_4_Field_5_Value':
'STRING',
'Creative_Id':
'INTEGER',
'Activity_Per_Click':
'FLOAT',
'Floodlight_Variable_88':
'STRING',
'Active_View_Percent_Of_First_Quartile_Impressions_Visible':
'FLOAT',
'Serving_Problems':
'INTEGER',
'Placement':
'STRING',
'Dynamic_Element_2_Field_Value_1':
'STRING',
'Dynamic_Element_2_Field_Value_2':
'STRING',
'Dynamic_Element_2_Field_Value_3':
'STRING',
'Interaction_Count_Mobile_Video':
'INTEGER',
'Has_Full_Screen_Video_Completions':
'BOOLEAN',
'Placement_Total_Planned_Media_Cost':
'STRING',
'Video_First_Quartile_Completions':
'INTEGER',
'Twitter_Creative_Media_Id':
'INTEGER',
'Cookie_Reach_Duplicate_Total_Reach':
'INTEGER',
'Rich_Media_Impressions':
'INTEGER',
'Video_Completions':
'INTEGER',
'Month':
'STRING',
'Paid_Search_Keyword_Id':
'INTEGER',
'Cookie_Reach_Duplicate_Click_Reach_Percent':
'FLOAT',
'Replies':
'INTEGER',
'Dynamic_Element_5_Field_6_Value':
'STRING',
'Video_Mutes':
'INTEGER',
'Flight_Booked_Units':
'STRING',
'Dynamic_Element_Value_Id':
'STRING',
'Expansion_Time':
'INTEGER',
'Invalid_Clicks':
'INTEGER',
'Has_Video_Progress_Events':
'BOOLEAN',
'Dynamic_Element_2_Field_3_Value':
'STRING',
'Rich_Media_Standard_Event_Path_Summary':
'STRING',
'Video_Muted_At_Start':
'INTEGER',
'Audio_Companion_Clicks':
'INTEGER',
'Active_View_Audible_Amp_Fully_On_Screen_For_Half_Of_Duration_15_Sec_Cap_Measurable_Impressions':
'INTEGER',
'Interaction_Date_Time':
'DATETIME',
'User_List':
'STRING',
'Event_Timers':
'FLOAT',
'Paid_Search_External_Keyword_Id':
'INTEGER',
'Timers':
'INTEGER',
'Floodlight_Paid_Search_Action_Conversion_Percentage':
'FLOAT',
'View_Through_Revenue_Cross_Environment':
'FLOAT',
'Advertiser':
'STRING',
'Has_Video_Unmutes':
'BOOLEAN',
'Natural_Search_Query':
'STRING',
'Audio_Plays':
'INTEGER',
'Unique_Reach_Average_Impression_Frequency':
'FLOAT',
'Path_Type':
'STRING',
'Dynamic_Field_Value_2':
'STRING',
'Interaction_Channel':
'STRING',
'Blocked_Impressions':
'INTEGER',
'Dynamic_Field_Value_5':
'STRING',
'Dynamic_Field_Value_6':
'STRING',
'Placement_Compatibility':
'STRING',
'City':
'STRING',
'Dbm_Line_Item_Id':
'INTEGER',
'Cookie_Reach_Incremental_Click_Reach':
'INTEGER',
'Floodlight_Variable_61':
'STRING',
'Natural_Search_Processed_Landing_Page_Query_String':
'STRING',
'Report_Day':
'DATE',
'Dbm_Site':
'STRING',
'Connection_Type':
'STRING',
'Video_Average_View_Time':
'FLOAT',
'Click_Through_Revenue_Cross_Environment':
'FLOAT',
'Dbm_Creative':
'STRING',
'Attributed_Event_Environment':
'STRING',
'Floodlight_Variable_99':
'STRING',
'Floodlight_Variable_98':
'STRING',
'Measurable_Impressions_For_Video_Player_Size':
'INTEGER',
'Dynamic_Element_1_Value_Id':
'STRING',
'Paid_Search_Engine_Account_Id':
'INTEGER',
'Floodlight_Variable_93':
'STRING',
'Floodlight_Variable_92':
'STRING',
'Floodlight_Variable_91':
'STRING',
'Floodlight_Variable_90':
'STRING',
'Floodlight_Variable_97':
'STRING',
'Placement_Strategy':
'STRING',
'Floodlight_Variable_95':
'STRING',
'Floodlight_Variable_94':
'STRING',
'Active_View_Percent_Of_Completed_Impressions_Audible_And_Visible':
'FLOAT',
'Floodlight_Variable_75':
'STRING',
'Floodlight_Variable_74':
'STRING',
'Floodlight_Variable_77':
'STRING',
'Floodlight_Variable_76':
'STRING',
'Floodlight_Variable_71':
'STRING',
'Floodlight_Variable_70':
'STRING',
'Floodlight_Variable_73':
'STRING',
'Activity':
'STRING',
'Natural_Search_Engine_Url':
'STRING',
'Total_Display_Time':
'INTEGER',
'User_List_Description':
'STRING',
'Active_View_Impressions_Audible_And_Visible_At_Completion':
'INTEGER',
'Floodlight_Variable_79':
'STRING',
'Floodlight_Variable_78':
'STRING',
'Twitter_Impression_Type':
'STRING',
'Active_View_Average_Viewable_Time_Seconds':
'FLOAT',
'Active_View_Percent_Measurable_Impressions':
'FLOAT',
'Natural_Search_Landing_Page_Query_String':
'STRING',
'Percentage_Of_Measurable_Impressions_For_Video_Player_Size':
'FLOAT',
'Has_Full_Screen_Impressions':
'BOOLEAN',
'Conversion_Id':
'INTEGER',
'Creative_Version':
'STRING',
'Active_View_Percent_In_Background':
'FLOAT',
'Dynamic_Element_2_Value_Id':
'STRING',
'Hours_Since_Attributed_Interaction':
'INTEGER',
'Dynamic_Element_3_Field_5_Value':
'STRING',
'Has_Video_First_Quartile_Completions':
'BOOLEAN',
'Dynamic_Element':
'STRING',
'Active_View_Percent_Visible_10_Seconds':
'FLOAT',
'Booked_Clicks':
'FLOAT',
'Booked_Impressions':
'FLOAT',
'Tran_Value':
'STRING',
'Dynamic_Element_Clicks':
'INTEGER',
'Has_Dynamic_Impressions':
'BOOLEAN',
'Site_Id_Site_Directory':
'INTEGER',
'Active_View_Percent_Audible_And_Visible_At_Third_Quartile':
'FLOAT',
'Twitter_Url_Clicks':
'INTEGER',
'Dynamic_Element_2_Field_6_Value':
'STRING',
'Has_Backup_Image':
'BOOLEAN',
'Dynamic_Element_2_Field_5_Value':
'STRING',
'Rich_Media_Custom_Event_Path_Summary':
'STRING',
'Advertiser_Group':
'STRING',
'General_Invalid_Traffic_Givt_Clicks':
'INTEGER',
'Has_Video_Pauses':
'BOOLEAN',
'Follows':
'INTEGER',
'Has_Html5_Impressions':
'BOOLEAN',
'Percent_Invalid_Clicks':
'FLOAT',
'Percent_Invalid_Impressions':
'FLOAT',
'Activity_Date_Time':
'DATETIME',
'Site_Site_Directory':
'STRING',
'Placement_Pixel_Size':
'STRING',
'Within_Floodlight_Lookback_Window':
'STRING',
'Dbm_Partner':
'STRING',
'Dynamic_Element_3_Field_3_Value':
'STRING',
'Ord_Value':
'STRING',
'Floodlight_Configuration':
'INTEGER',
'Ad_Id':
'INTEGER',
'Video_Plays':
'INTEGER',
'Video_Player_Location_Avg_Pixels_From_Left':
'INTEGER',
'Days_Since_First_Interaction':
'INTEGER',
'Event_Counters':
'INTEGER',
'Active_View_Not_Measurable_Impressions':
'INTEGER',
'Landing_Page_Url':
'STRING',
'Ad_Status':
'STRING',
'Unique_Reach_Impression_Reach':
'INTEGER',
'Dynamic_Element_2_Field_4_Value':
'STRING',
'Dbm_Partner_Id':
'INTEGER',
'Asset_Id':
'INTEGER',
'Video_View_Rate':
'FLOAT',
'Twitter_App_Install_Clicks':
'INTEGER',
'Cookie_Reach_Duplicate_Total_Reach_Percent':
'FLOAT',
'Total_Social_Engagements':
'INTEGER',
'Media_Cost':
'FLOAT',
'Placement_Tag_Type':
'STRING',
'Dbm_Insertion_Order':
'STRING',
'Floodlight_Variable_39':
'STRING',
'Floodlight_Variable_38':
'STRING',
'Paid_Search_External_Ad_Id':
'INTEGER',
'Browser_Platform':
'STRING',
'Floodlight_Variable_31':
'STRING',
'Floodlight_Variable_30':
'STRING',
'Floodlight_Variable_33':
'STRING',
'Floodlight_Variable_32':
'STRING',
'Floodlight_Variable_35':
'STRING',
'Floodlight_Variable_34':
'STRING',
'Floodlight_Variable_37':
'STRING',
'Floodlight_Variable_36':
'STRING',
'Dynamic_Element_View_Through_Conversions':
'INTEGER',
'Active_View_Viewable_Impression_Cookie_Reach':
'INTEGER',
'Video_Interaction_Rate':
'FLOAT',
'Dynamic_Element_3_Field_1_Value':
'STRING',
'Booked_Activities':
'FLOAT',
'Has_Video_Full_Screen':
'BOOLEAN',
'User_List_Membership_Life_Span':
'STRING',
'Video_Length':
'STRING',
'Paid_Search_Keyword':
'STRING',
'Revenue_Per_Click':
'FLOAT',
'Downloaded_Impressions':
'INTEGER',
'Days_Since_Attributed_Interaction':
'INTEGER',
'Code_Serves':
'INTEGER',
'Effective_Cpm':
'FLOAT',
'Environment':
'STRING',
'Active_View_Percent_Play_Time_Audible_And_Visible':
'FLOAT',
'Paid_Search_Agency':
'STRING',
'Dynamic_Element_5_Field_3_Value':
'STRING',
'Paid_Search_Engine_Account_Category':
'STRING',
'Week':
'STRING',
'Designated_Market_Area_Dma':
'STRING',
'Cookie_Reach_Click_Reach':
'INTEGER',
'Twitter_Buy_Now_Purchases':
'INTEGER',
'Floodlight_Paid_Search_Average_Dcm_Transaction_Amount':
'FLOAT',
'Placement_Start_Date':
'DATE',
'Cookie_Reach_Overlap_Impression_Reach_Percent':
'FLOAT',
'View_Through_Revenue':
'FLOAT',
'Impression_Delivery_Status':
'FLOAT',
'Floodlight_Paid_Search_Transaction_Conversion_Percentage':
'FLOAT',
'Click_Through_Conversions_Cross_Environment':
'INTEGER',
'Activity_Id':
'INTEGER',
'Has_Video_Mutes':
'BOOLEAN',
'Exits':
'INTEGER',
'Paid_Search_Bid_Strategy':
'STRING',
'Active_View_Percent_Of_Midpoint_Impressions_Visible':
'FLOAT',
'Dbm_Insertion_Order_Id':
'INTEGER',
'Placement_Id':
'INTEGER',
'App_Id':
'STRING',
'View_Through_Transaction_Count':
'FLOAT',
'Floodlight_Paid_Search_Transaction_Revenue_Per_Spend':
'FLOAT',
'View_Through_Conversions':
'FLOAT',
'Dynamic_Element_5_Field_4_Value':
'STRING',
'Active_View_Percent_Of_First_Quartile_Impressions_Audible_And_Visible':
'FLOAT',
'Companion_Creative_Pixel_Size':
'STRING',
'Revenue_Per_Thousand_Impressions':
'FLOAT',
'Natural_Search_Clicks':
'INTEGER',
'Dynamic_Element_3_Field_2_Value':
'STRING',
'Audio_First_Quartile_Completions':
'INTEGER',
'Dynamic_Element_1_Field_Value_3':
'STRING',
'Dynamic_Element_1_Field_Value_2':
'STRING',
'Dynamic_Element_1_Field_Value_1':
'STRING',
'Full_Screen_Average_View_Time':
'FLOAT',
'Dynamic_Element_5_Value_Id':
'STRING',
'Rich_Media_Click_Rate':
'FLOAT',
'User_List_Id':
'INTEGER',
'Click_Through_Url':
'STRING',
'Active_View_Percent_Of_Completed_Impressions_Visible':
'FLOAT',
'Video_Prominence_Score':
'STRING',
'Active_View_Percent_Play_Time_Audible':
'FLOAT',
'Natural_Search_Actions':
'FLOAT',
'Platform_Type':
'STRING',
'General_Invalid_Traffic_Givt_Impressions':
'INTEGER',
'Active_View_Percent_Audible_And_Visible_At_First_Quartile':
'FLOAT',
'Dynamic_Element_3':
'STRING',
'Active_View_Percent_Play_Time_Visible':
'FLOAT',
'Active_View_Percent_Of_Third_Quartile_Impressions_Audible_And_Visible':
'FLOAT',
'Paid_Search_Transactions':
'FLOAT',
'Rich_Media_Event':
'STRING',
'Country':
'STRING',
'Dynamic_Element_3_Field_6_Value':
'STRING',
'Expansions':
'INTEGER',
'Interaction_Rate':
'FLOAT',
'Natural_Search_Processed_Landing_Page':
'STRING',
'Floodlight_Impressions':
'INTEGER',
'Paid_Search_Bid_Strategy_Id':
'INTEGER',
'Interactive_Impressions':
'INTEGER',
'Interaction_Count_Natural_Search':
'INTEGER',
'Twitter_Impression_Id':
'INTEGER',
'Ad':
'STRING',
'Paid_Search_Ad_Group_Id':
'INTEGER',
'Paid_Search_Campaign_Id':
'INTEGER',
'Full_Screen_Video_Completions':
'INTEGER',
'Dynamic_Element_Value':
'STRING',
'State_Region':
'STRING',
'Placement_End_Date':
'DATE',
'Cookie_Reach_Duplicate_Impression_Reach_Percent':
'FLOAT',
'Paid_Search_Impressions':
'INTEGER',
'Cookie_Reach_Average_Impression_Frequency':
'FLOAT',
'Natural_Search_Engine_Country':
'STRING',
'Paid_Search_Revenue':
'FLOAT',
'Percent_Composition_Impressions':
'FLOAT',
}
|
dcm__field__lookup = {'Video_Unmutes': 'INTEGER', 'Zip_Postal_Code': 'STRING', 'Path_Length': 'INTEGER', 'Measurable_Impressions_For_Audio': 'INTEGER', 'Average_Interaction_Time': 'FLOAT', 'Invalid_Impressions': 'INTEGER', 'Floodlight_Variable_40': 'STRING', 'Floodlight_Variable_41': 'STRING', 'Floodlight_Variable_42': 'STRING', 'Floodlight_Variable_43': 'STRING', 'Floodlight_Variable_44': 'STRING', 'Floodlight_Variable_45': 'STRING', 'Floodlight_Variable_46': 'STRING', 'Floodlight_Variable_47': 'STRING', 'Floodlight_Variable_48': 'STRING', 'Floodlight_Variable_49': 'STRING', 'Clicks': 'INTEGER', 'Warnings': 'INTEGER', 'Paid_Search_Advertiser_Id': 'INTEGER', 'Video_Third_Quartile_Completions': 'INTEGER', 'Video_Progress_Events': 'INTEGER', 'Cost_Per_Revenue': 'FLOAT', 'Total_Interaction_Time': 'INTEGER', 'Roadblock_Impressions': 'INTEGER', 'Video_Replays': 'INTEGER', 'Keyword': 'STRING', 'Full_Screen_Video_Plays': 'INTEGER', 'Active_View_Impression_Distribution_Not_Measurable': 'FLOAT', 'Unique_Reach_Total_Reach': 'INTEGER', 'Has_Exits': 'BOOLEAN', 'Paid_Search_Engine_Account': 'STRING', 'Operating_System_Version': 'STRING', 'Campaign': 'STRING', 'Active_View_Percent_Visible_At_Start': 'FLOAT', 'Active_View_Not_Viewable_Impressions': 'INTEGER', 'Twitter_Offers_Accepted': 'INTEGER', 'Interaction_Type': 'STRING', 'Activity_Delivery_Status': 'FLOAT', 'Video_Companion_Clicks': 'INTEGER', 'Floodlight_Paid_Search_Average_Cost_Per_Transaction': 'FLOAT', 'Paid_Search_Agency_Id': 'INTEGER', 'Asset': 'STRING', 'Active_View_Audible_Amp_Fully_On_Screen_For_Half_Of_Duration_15_Sec_Cap_Impressions': 'INTEGER', 'User_List_Current_Size': 'STRING', 'Exit_Url': 'STRING', 'Natural_Search_Revenue': 'FLOAT', 'Retweets': 'INTEGER', 'Full_Screen_Impressions': 'INTEGER', 'Audio_Unmutes': 'INTEGER', 'Dynamic_Element_4_Field_Value_2': 'STRING', 'Dynamic_Element_4_Field_Value_3': 'STRING', 'Dynamic_Element_4_Field_Value_1': 'STRING', 'Creative_Start_Date': 'DATE', 'Small_Video_Player_Size_Impressions': 'INTEGER', 'Audio_Replays': 'INTEGER', 'Video_Player_Size_Avg_Width': 'INTEGER', 'Rich_Media_Standard_Event_Count': 'INTEGER', 'Publisher_Problems': 'INTEGER', 'Paid_Search_Advertiser': 'STRING', 'Has_Video_Completions': 'BOOLEAN', 'Cookie_Reach_Duplicate_Impression_Reach': 'INTEGER', 'Audio_Third_Quartile_Completions': 'INTEGER', 'Package_Roadblock_Strategy': 'STRING', 'Video_Midpoints': 'INTEGER', 'Click_Through_Conversion_Events_Cross_Environment': 'INTEGER', 'Video_Pauses': 'INTEGER', 'Trueview_Views': 'INTEGER', 'Interaction_Count_Mobile_Static_Image': 'INTEGER', 'Dynamic_Element_Click_Rate': 'FLOAT', 'Dynamic_Element_1_Field_6_Value': 'STRING', 'Dynamic_Element_4_Value': 'STRING', 'Creative_End_Date': 'DATE', 'Dynamic_Element_4_Field_3_Value': 'STRING', 'Dynamic_Field_Value_3': 'STRING', 'Mobile_Carrier': 'STRING', 'U_Value': 'STRING', 'Average_Display_Time': 'FLOAT', 'Custom_Variable': 'STRING', 'Video_Interactions': 'INTEGER', 'Average_Expansion_Time': 'FLOAT', 'Email_Shares': 'INTEGER', 'Flight_Booked_Rate': 'STRING', 'Impression_Count': 'INTEGER', 'Site_Id_Dcm': 'INTEGER', 'Dynamic_Element_3_Value_Id': 'STRING', 'Paid_Search_Legacy_Keyword_Id': 'INTEGER', 'View_Through_Conversion_Events_Cross_Environment': 'INTEGER', 'Counters': 'INTEGER', 'Floodlight_Paid_Search_Average_Cost_Per_Action': 'FLOAT', 'Activity_Group_Id': 'INTEGER', 'Active_View_Percent_Audible_And_Visible_At_Midpoint': 'FLOAT', 'Click_Count': 'INTEGER', 'Video_4A_39_S_Ad_Id': 'STRING', 'Total_Interactions': 'INTEGER', 'Active_View_Viewable_Impressions': 'INTEGER', 'Natural_Search_Engine_Property': 'STRING', 'Video_Views': 'INTEGER', 'Domain': 'STRING', 'Total_Conversion_Events_Cross_Environment': 'INTEGER', 'Dbm_Advertiser': 'STRING', 'Companion_Impressions': 'INTEGER', 'View_Through_Conversions_Cross_Environment': 'INTEGER', 'Dynamic_Element_5_Field_Value_3': 'STRING', 'Dynamic_Element_5_Field_Value_2': 'STRING', 'Dynamic_Element_5_Field_Value_1': 'STRING', 'Dynamic_Field_Value_1': 'STRING', 'Active_View_Impression_Distribution_Viewable': 'FLOAT', 'Creative_Field_2': 'STRING', 'Twitter_Leads_Generated': 'INTEGER', 'Paid_Search_External_Campaign_Id': 'INTEGER', 'Creative_Field_8': 'STRING', 'Interaction_Count_Paid_Search': 'INTEGER', 'Activity_Group': 'STRING', 'Video_Player_Location_Avg_Pixels_From_Top': 'INTEGER', 'Interaction_Number': 'INTEGER', 'Dynamic_Element_3_Value': 'STRING', 'Cookie_Reach_Total_Reach': 'INTEGER', 'Cookie_Reach_Exclusive_Click_Reach': 'INTEGER', 'Creative_Field_5': 'STRING', 'Cookie_Reach_Overlap_Impression_Reach': 'INTEGER', 'Paid_Search_Ad_Group': 'STRING', 'Interaction_Count_Rich_Media': 'INTEGER', 'Dynamic_Element_Total_Conversions': 'INTEGER', 'Transaction_Count': 'INTEGER', 'Num_Value': 'STRING', 'Cookie_Reach_Overlap_Total_Reach': 'INTEGER', 'Floodlight_Attribution_Type': 'STRING', 'Cookie_Reach_Exclusive_Impression_Reach_Percent': 'FLOAT', 'Html5_Impressions': 'INTEGER', 'Served_Pixel_Density': 'STRING', 'Has_Full_Screen_Video_Plays': 'BOOLEAN', 'Interaction_Count_Static_Image': 'INTEGER', 'Has_Video_Companion_Clicks': 'BOOLEAN', 'Twitter_Video_100Percent_In_View_For_3_Seconds': 'INTEGER', 'Paid_Search_Ad': 'STRING', 'Paid_Search_Visits': 'INTEGER', 'Audio_Pauses': 'INTEGER', 'Creative_Pixel_Size': 'STRING', 'Flight_Start_Date': 'DATE', 'Active_View_Percent_Of_Third_Quartile_Impressions_Visible': 'FLOAT', 'Natural_Search_Transactions': 'FLOAT', 'Cookie_Reach_Impression_Reach': 'INTEGER', 'Dynamic_Field_Value_4': 'STRING', 'Twitter_Line_Item_Id': 'INTEGER', 'Has_Video_Stops': 'BOOLEAN', 'Active_View_Percent_Audible_And_Visible_At_Completion': 'FLOAT', 'Paid_Search_Labels': 'STRING', 'Twitter_Creative_Type': 'STRING', 'Operating_System': 'STRING', 'Dynamic_Element_3_Field_4_Value': 'STRING', 'Hours_Since_First_Interaction': 'INTEGER', 'Asset_Category': 'STRING', 'Active_View_Measurable_Impressions': 'INTEGER', 'Package_Roadblock': 'STRING', 'Large_Video_Player_Size_Impressions': 'INTEGER', 'Paid_Search_Actions': 'FLOAT', 'Active_View_Percent_Visible_At_Midpoint': 'FLOAT', 'Has_Full_Screen_Views': 'BOOLEAN', 'Backup_Image': 'INTEGER', 'Likes': 'INTEGER', 'Dbm_Line_Item': 'STRING', 'Active_View_Percent_Audible_Impressions': 'FLOAT', 'Flight_Booked_Cost': 'STRING', 'Other_Twitter_Engagements': 'INTEGER', 'Audio_Completions': 'INTEGER', 'Click_Rate': 'FLOAT', 'Cost_Per_Activity': 'FLOAT', 'Dynamic_Element_2_Value': 'STRING', 'Cookie_Reach_Exclusive_Impression_Reach': 'INTEGER', 'Content_Category': 'STRING', 'Twitter_Video_50Percent_In_View_For_2_Seconds': 'INTEGER', 'Total_Revenue_Cross_Environment': 'FLOAT', 'Unique_Reach_Click_Reach': 'INTEGER', 'Has_Video_Replays': 'BOOLEAN', 'Twitter_Creative_Id': 'INTEGER', 'Has_Counters': 'BOOLEAN', 'Dynamic_Element_4_Value_Id': 'STRING', 'Dynamic_Element_4_Field_1_Value': 'STRING', 'Has_Video_Interactions': 'BOOLEAN', 'Video_Player_Size': 'STRING', 'Active_View_Audible_Amp_Fully_On_Screen_For_Half_Of_Duration_Trueview_Impressions': 'INTEGER', 'Advertiser_Id': 'INTEGER', 'Rich_Media_Clicks': 'INTEGER', 'Floodlight_Variable_59': 'STRING', 'Floodlight_Variable_58': 'STRING', 'Floodlight_Variable_57': 'STRING', 'Floodlight_Variable_56': 'STRING', 'Floodlight_Variable_55': 'STRING', 'Floodlight_Variable_54': 'STRING', 'Floodlight_Variable_53': 'STRING', 'Floodlight_Variable_52': 'STRING', 'Floodlight_Variable_51': 'STRING', 'Floodlight_Variable_50': 'STRING', 'Cookie_Reach_Incremental_Total_Reach': 'INTEGER', 'Playback_Method': 'STRING', 'Has_Interactive_Impressions': 'BOOLEAN', 'Paid_Search_Average_Position': 'FLOAT', 'Floodlight_Variable_96': 'STRING', 'Package_Roadblock_Id': 'INTEGER', 'Recalculated_Attribution_Type': 'STRING', 'Dbm_Advertiser_Id': 'INTEGER', 'Floodlight_Variable_100': 'STRING', 'Cookie_Reach_Exclusive_Total_Reach_Percent': 'FLOAT', 'Active_View_Impression_Distribution_Not_Viewable': 'FLOAT', 'Floodlight_Variable_3': 'STRING', 'Floodlight_Variable_2': 'STRING', 'Floodlight_Variable_1': 'STRING', 'Floodlight_Variable_7': 'STRING', 'Floodlight_Variable_6': 'STRING', 'Floodlight_Variable_5': 'STRING', 'Floodlight_Variable_4': 'STRING', 'Rendering_Id': 'INTEGER', 'Floodlight_Variable_9': 'STRING', 'Floodlight_Variable_8': 'STRING', 'Cookie_Reach_Incremental_Impression_Reach': 'INTEGER', 'Active_View_Percent_Visible_At_Third_Quartile': 'FLOAT', 'Reporting_Problems': 'INTEGER', 'Package_Roadblock_Total_Booked_Units': 'STRING', 'Active_View_Percent_Visible_At_Completion': 'FLOAT', 'Has_Video_Midpoints': 'BOOLEAN', 'Dynamic_Element_4_Field_4_Value': 'STRING', 'Percentage_Of_Measurable_Impressions_For_Video_Player_Location': 'FLOAT', 'Campaign_End_Date': 'DATE', 'Placement_External_Id': 'STRING', 'Cost_Per_Click': 'FLOAT', 'Cookie_Reach_Overlap_Click_Reach_Percent': 'FLOAT', 'Active_View_Percent_Full_Screen': 'FLOAT', 'Hour': 'STRING', 'Click_Through_Revenue': 'FLOAT', 'Video_Skips': 'INTEGER', 'Paid_Search_Click_Rate': 'FLOAT', 'Has_Video_Views': 'BOOLEAN', 'Dbm_Cost_Account_Currency': 'FLOAT', 'Flight_End_Date': 'DATE', 'Has_Video_Plays': 'BOOLEAN', 'Paid_Search_Clicks': 'INTEGER', 'Creative_Field_9': 'STRING', 'Manual_Closes': 'INTEGER', 'Creative_Field_7': 'STRING', 'Creative_Field_6': 'STRING', 'App': 'STRING', 'Creative_Field_4': 'STRING', 'Creative_Field_3': 'STRING', 'Campaign_Start_Date': 'DATE', 'Creative_Field_1': 'STRING', 'Content_Classifier': 'STRING', 'Cookie_Reach_Duplicate_Click_Reach': 'INTEGER', 'Site_Dcm': 'STRING', 'Digital_Content_Label': 'STRING', 'Has_Manual_Closes': 'BOOLEAN', 'Has_Timers': 'BOOLEAN', 'Impressions': 'INTEGER', 'Classified_Impressions': 'INTEGER', 'Dbm_Site_Id': 'INTEGER', 'Dynamic_Element_2_Field_1_Value': 'STRING', 'Floodlight_Variable_72': 'STRING', 'Creative': 'STRING', 'Asset_Orientation': 'STRING', 'Custom_Variable_Count_1': 'INTEGER', 'Video_Stops': 'INTEGER', 'Paid_Search_Ad_Id': 'INTEGER', 'Cookie_Reach_Overlap_Total_Reach_Percent': 'FLOAT', 'Click_Delivery_Status': 'FLOAT', 'Dynamic_Element_Impressions': 'INTEGER', 'Interaction_Count_Click_Tracker': 'INTEGER', 'Placement_Total_Booked_Units': 'STRING', 'Date': 'DATE', 'Twitter_Placement_Type': 'STRING', 'Total_Revenue': 'FLOAT', 'Recalculated_Attributed_Interaction': 'STRING', 'Ad_Type': 'STRING', 'Social_Engagement_Rate': 'FLOAT', 'Dynamic_Element_5_Field_1_Value': 'STRING', 'Dynamic_Profile_Id': 'INTEGER', 'Active_View_Impressions_Visible_10_Seconds': 'INTEGER', 'Interaction_Count_Video': 'INTEGER', 'Dynamic_Element_5_Value': 'STRING', 'Video_Player_Size_Avg_Height': 'INTEGER', 'Creative_Type': 'STRING', 'Campaign_External_Id': 'STRING', 'Dynamic_Element_Click_Through_Conversions': 'INTEGER', 'Conversion_Url': 'STRING', 'Floodlight_Variable_89': 'STRING', 'Floodlight_Variable_84': 'STRING', 'Floodlight_Variable_85': 'STRING', 'Floodlight_Variable_86': 'STRING', 'Floodlight_Variable_87': 'STRING', 'Floodlight_Variable_80': 'STRING', 'Floodlight_Variable_81': 'STRING', 'Floodlight_Variable_82': 'STRING', 'Floodlight_Variable_83': 'STRING', 'Active_View_Audible_Amp_Fully_On_Screen_For_Half_Of_Duration_Trueview_Measurable_Impressions': 'INTEGER', 'Floodlight_Variable_66': 'STRING', 'Floodlight_Variable_67': 'STRING', 'Floodlight_Variable_64': 'STRING', 'Floodlight_Variable_65': 'STRING', 'Floodlight_Variable_62': 'STRING', 'Floodlight_Variable_63': 'STRING', 'Floodlight_Variable_60': 'STRING', 'Active_View_Eligible_Impressions': 'INTEGER', 'Dynamic_Element_3_Field_Value_1': 'STRING', 'Dynamic_Element_3_Field_Value_3': 'STRING', 'Dynamic_Element_3_Field_Value_2': 'STRING', 'Floodlight_Variable_68': 'STRING', 'Floodlight_Variable_69': 'STRING', 'Floodlight_Variable_13': 'STRING', 'Floodlight_Variable_12': 'STRING', 'Floodlight_Variable_11': 'STRING', 'Floodlight_Variable_10': 'STRING', 'Floodlight_Variable_17': 'STRING', 'Floodlight_Variable_16': 'STRING', 'Floodlight_Variable_15': 'STRING', 'Floodlight_Variable_14': 'STRING', 'Floodlight_Variable_19': 'STRING', 'Floodlight_Variable_18': 'STRING', 'Audience_Targeted': 'STRING', 'Total_Conversions_Cross_Environment': 'INTEGER', 'Interaction_Count_Mobile_Rich_Media': 'INTEGER', 'Active_View_Percent_Viewable_Impressions': 'FLOAT', 'Dynamic_Element_1_Field_1_Value': 'STRING', 'Active_View_Audible_Amp_Fully_On_Screen_For_Half_Of_Duration_Trueview_Rate': 'FLOAT', 'Has_Video_Skips': 'BOOLEAN', 'Dynamic_Element_5_Field_2_Value': 'STRING', 'Twitter_Buy_Now_Clicks': 'INTEGER', 'Creative_Groups_2': 'STRING', 'Creative_Groups_1': 'STRING', 'Campaign_Id': 'INTEGER', 'Twitter_Campaign_Id': 'INTEGER', 'Active_View_Audible_Amp_Fully_On_Screen_For_Half_Of_Duration_15_Sec_Cap_Rate': 'FLOAT', 'Dynamic_Element_1_Field_5_Value': 'STRING', 'Paid_Search_Match_Type': 'STRING', 'Activity_Per_Thousand_Impressions': 'FLOAT', 'Has_Expansions': 'BOOLEAN', 'Dbm_Creative_Id': 'INTEGER', 'Active_View_Percent_Audible_And_Visible_At_Start': 'FLOAT', 'Booked_Viewable_Impressions': 'FLOAT', 'Dynamic_Element_1_Field_2_Value': 'STRING', 'Paid_Search_Cost': 'FLOAT', 'Dynamic_Element_5_Field_5_Value': 'STRING', 'Floodlight_Paid_Search_Spend_Per_Transaction_Revenue': 'FLOAT', 'Active_View_Percent_Of_Midpoint_Impressions_Audible_And_Visible': 'FLOAT', 'Dynamic_Element_4': 'STRING', 'Dynamic_Element_5': 'STRING', 'Dynamic_Element_2': 'STRING', 'Click_Through_Conversions': 'FLOAT', 'Dynamic_Element_1': 'STRING', 'Dynamic_Element_4_Field_6_Value': 'STRING', 'Attributed_Event_Platform_Type': 'STRING', 'Audio_Midpoints': 'INTEGER', 'Attributed_Event_Connection_Type': 'STRING', 'Dynamic_Element_1_Value': 'STRING', 'Measurable_Impressions_For_Video_Player_Location': 'INTEGER', 'Audio_Companion_Impressions': 'INTEGER', 'Video_Full_Screen': 'INTEGER', 'Active_View_Percent_Visible_At_First_Quartile': 'FLOAT', 'Companion_Creative': 'STRING', 'Cookie_Reach_Exclusive_Total_Reach': 'INTEGER', 'Audio_Mutes': 'INTEGER', 'Placement_Rate': 'STRING', 'Companion_Clicks': 'INTEGER', 'Cookie_Reach_Overlap_Click_Reach': 'INTEGER', 'Site_Keyname': 'STRING', 'Placement_Cost_Structure': 'STRING', 'Percentage_Of_Measurable_Impressions_For_Audio': 'FLOAT', 'Rich_Media_Custom_Event_Count': 'INTEGER', 'Dbm_Cost_Usd': 'FLOAT', 'Dynamic_Element_1_Field_3_Value': 'STRING', 'Has_Video_Third_Quartile_Completions': 'BOOLEAN', 'Paid_Search_Landing_Page_Url': 'STRING', 'Verifiable_Impressions': 'INTEGER', 'Average_Time': 'FLOAT', 'Creative_Field_12': 'STRING', 'Creative_Field_11': 'STRING', 'Creative_Field_10': 'STRING', 'Channel_Mix': 'STRING', 'Paid_Search_Campaign': 'STRING', 'Natural_Search_Landing_Page': 'STRING', 'Dynamic_Element_1_Field_4_Value': 'STRING', 'Payment_Source': 'STRING', 'Planned_Media_Cost': 'FLOAT', 'Conversion_Referrer': 'STRING', 'Companion_Creative_Id': 'INTEGER', 'Dynamic_Element_4_Field_2_Value': 'STRING', 'Total_Conversions': 'FLOAT', 'Custom_Variable_Count_2': 'INTEGER', 'Paid_Search_External_Ad_Group_Id': 'INTEGER', 'Hd_Video_Player_Size_Impressions': 'INTEGER', 'Click_Through_Transaction_Count': 'FLOAT', 'Cookie_Reach_Exclusive_Click_Reach_Percent': 'FLOAT', 'Floodlight_Attributed_Interaction': 'STRING', 'Dynamic_Profile': 'STRING', 'Floodlight_Variable_28': 'STRING', 'Floodlight_Variable_29': 'STRING', 'Dynamic_Element_2_Field_2_Value': 'STRING', 'Floodlight_Variable_22': 'STRING', 'Floodlight_Variable_23': 'STRING', 'Floodlight_Variable_20': 'STRING', 'Floodlight_Variable_21': 'STRING', 'Floodlight_Variable_26': 'STRING', 'Floodlight_Variable_27': 'STRING', 'Floodlight_Variable_24': 'STRING', 'Floodlight_Variable_25': 'STRING', 'Dynamic_Element_4_Field_5_Value': 'STRING', 'Creative_Id': 'INTEGER', 'Activity_Per_Click': 'FLOAT', 'Floodlight_Variable_88': 'STRING', 'Active_View_Percent_Of_First_Quartile_Impressions_Visible': 'FLOAT', 'Serving_Problems': 'INTEGER', 'Placement': 'STRING', 'Dynamic_Element_2_Field_Value_1': 'STRING', 'Dynamic_Element_2_Field_Value_2': 'STRING', 'Dynamic_Element_2_Field_Value_3': 'STRING', 'Interaction_Count_Mobile_Video': 'INTEGER', 'Has_Full_Screen_Video_Completions': 'BOOLEAN', 'Placement_Total_Planned_Media_Cost': 'STRING', 'Video_First_Quartile_Completions': 'INTEGER', 'Twitter_Creative_Media_Id': 'INTEGER', 'Cookie_Reach_Duplicate_Total_Reach': 'INTEGER', 'Rich_Media_Impressions': 'INTEGER', 'Video_Completions': 'INTEGER', 'Month': 'STRING', 'Paid_Search_Keyword_Id': 'INTEGER', 'Cookie_Reach_Duplicate_Click_Reach_Percent': 'FLOAT', 'Replies': 'INTEGER', 'Dynamic_Element_5_Field_6_Value': 'STRING', 'Video_Mutes': 'INTEGER', 'Flight_Booked_Units': 'STRING', 'Dynamic_Element_Value_Id': 'STRING', 'Expansion_Time': 'INTEGER', 'Invalid_Clicks': 'INTEGER', 'Has_Video_Progress_Events': 'BOOLEAN', 'Dynamic_Element_2_Field_3_Value': 'STRING', 'Rich_Media_Standard_Event_Path_Summary': 'STRING', 'Video_Muted_At_Start': 'INTEGER', 'Audio_Companion_Clicks': 'INTEGER', 'Active_View_Audible_Amp_Fully_On_Screen_For_Half_Of_Duration_15_Sec_Cap_Measurable_Impressions': 'INTEGER', 'Interaction_Date_Time': 'DATETIME', 'User_List': 'STRING', 'Event_Timers': 'FLOAT', 'Paid_Search_External_Keyword_Id': 'INTEGER', 'Timers': 'INTEGER', 'Floodlight_Paid_Search_Action_Conversion_Percentage': 'FLOAT', 'View_Through_Revenue_Cross_Environment': 'FLOAT', 'Advertiser': 'STRING', 'Has_Video_Unmutes': 'BOOLEAN', 'Natural_Search_Query': 'STRING', 'Audio_Plays': 'INTEGER', 'Unique_Reach_Average_Impression_Frequency': 'FLOAT', 'Path_Type': 'STRING', 'Dynamic_Field_Value_2': 'STRING', 'Interaction_Channel': 'STRING', 'Blocked_Impressions': 'INTEGER', 'Dynamic_Field_Value_5': 'STRING', 'Dynamic_Field_Value_6': 'STRING', 'Placement_Compatibility': 'STRING', 'City': 'STRING', 'Dbm_Line_Item_Id': 'INTEGER', 'Cookie_Reach_Incremental_Click_Reach': 'INTEGER', 'Floodlight_Variable_61': 'STRING', 'Natural_Search_Processed_Landing_Page_Query_String': 'STRING', 'Report_Day': 'DATE', 'Dbm_Site': 'STRING', 'Connection_Type': 'STRING', 'Video_Average_View_Time': 'FLOAT', 'Click_Through_Revenue_Cross_Environment': 'FLOAT', 'Dbm_Creative': 'STRING', 'Attributed_Event_Environment': 'STRING', 'Floodlight_Variable_99': 'STRING', 'Floodlight_Variable_98': 'STRING', 'Measurable_Impressions_For_Video_Player_Size': 'INTEGER', 'Dynamic_Element_1_Value_Id': 'STRING', 'Paid_Search_Engine_Account_Id': 'INTEGER', 'Floodlight_Variable_93': 'STRING', 'Floodlight_Variable_92': 'STRING', 'Floodlight_Variable_91': 'STRING', 'Floodlight_Variable_90': 'STRING', 'Floodlight_Variable_97': 'STRING', 'Placement_Strategy': 'STRING', 'Floodlight_Variable_95': 'STRING', 'Floodlight_Variable_94': 'STRING', 'Active_View_Percent_Of_Completed_Impressions_Audible_And_Visible': 'FLOAT', 'Floodlight_Variable_75': 'STRING', 'Floodlight_Variable_74': 'STRING', 'Floodlight_Variable_77': 'STRING', 'Floodlight_Variable_76': 'STRING', 'Floodlight_Variable_71': 'STRING', 'Floodlight_Variable_70': 'STRING', 'Floodlight_Variable_73': 'STRING', 'Activity': 'STRING', 'Natural_Search_Engine_Url': 'STRING', 'Total_Display_Time': 'INTEGER', 'User_List_Description': 'STRING', 'Active_View_Impressions_Audible_And_Visible_At_Completion': 'INTEGER', 'Floodlight_Variable_79': 'STRING', 'Floodlight_Variable_78': 'STRING', 'Twitter_Impression_Type': 'STRING', 'Active_View_Average_Viewable_Time_Seconds': 'FLOAT', 'Active_View_Percent_Measurable_Impressions': 'FLOAT', 'Natural_Search_Landing_Page_Query_String': 'STRING', 'Percentage_Of_Measurable_Impressions_For_Video_Player_Size': 'FLOAT', 'Has_Full_Screen_Impressions': 'BOOLEAN', 'Conversion_Id': 'INTEGER', 'Creative_Version': 'STRING', 'Active_View_Percent_In_Background': 'FLOAT', 'Dynamic_Element_2_Value_Id': 'STRING', 'Hours_Since_Attributed_Interaction': 'INTEGER', 'Dynamic_Element_3_Field_5_Value': 'STRING', 'Has_Video_First_Quartile_Completions': 'BOOLEAN', 'Dynamic_Element': 'STRING', 'Active_View_Percent_Visible_10_Seconds': 'FLOAT', 'Booked_Clicks': 'FLOAT', 'Booked_Impressions': 'FLOAT', 'Tran_Value': 'STRING', 'Dynamic_Element_Clicks': 'INTEGER', 'Has_Dynamic_Impressions': 'BOOLEAN', 'Site_Id_Site_Directory': 'INTEGER', 'Active_View_Percent_Audible_And_Visible_At_Third_Quartile': 'FLOAT', 'Twitter_Url_Clicks': 'INTEGER', 'Dynamic_Element_2_Field_6_Value': 'STRING', 'Has_Backup_Image': 'BOOLEAN', 'Dynamic_Element_2_Field_5_Value': 'STRING', 'Rich_Media_Custom_Event_Path_Summary': 'STRING', 'Advertiser_Group': 'STRING', 'General_Invalid_Traffic_Givt_Clicks': 'INTEGER', 'Has_Video_Pauses': 'BOOLEAN', 'Follows': 'INTEGER', 'Has_Html5_Impressions': 'BOOLEAN', 'Percent_Invalid_Clicks': 'FLOAT', 'Percent_Invalid_Impressions': 'FLOAT', 'Activity_Date_Time': 'DATETIME', 'Site_Site_Directory': 'STRING', 'Placement_Pixel_Size': 'STRING', 'Within_Floodlight_Lookback_Window': 'STRING', 'Dbm_Partner': 'STRING', 'Dynamic_Element_3_Field_3_Value': 'STRING', 'Ord_Value': 'STRING', 'Floodlight_Configuration': 'INTEGER', 'Ad_Id': 'INTEGER', 'Video_Plays': 'INTEGER', 'Video_Player_Location_Avg_Pixels_From_Left': 'INTEGER', 'Days_Since_First_Interaction': 'INTEGER', 'Event_Counters': 'INTEGER', 'Active_View_Not_Measurable_Impressions': 'INTEGER', 'Landing_Page_Url': 'STRING', 'Ad_Status': 'STRING', 'Unique_Reach_Impression_Reach': 'INTEGER', 'Dynamic_Element_2_Field_4_Value': 'STRING', 'Dbm_Partner_Id': 'INTEGER', 'Asset_Id': 'INTEGER', 'Video_View_Rate': 'FLOAT', 'Twitter_App_Install_Clicks': 'INTEGER', 'Cookie_Reach_Duplicate_Total_Reach_Percent': 'FLOAT', 'Total_Social_Engagements': 'INTEGER', 'Media_Cost': 'FLOAT', 'Placement_Tag_Type': 'STRING', 'Dbm_Insertion_Order': 'STRING', 'Floodlight_Variable_39': 'STRING', 'Floodlight_Variable_38': 'STRING', 'Paid_Search_External_Ad_Id': 'INTEGER', 'Browser_Platform': 'STRING', 'Floodlight_Variable_31': 'STRING', 'Floodlight_Variable_30': 'STRING', 'Floodlight_Variable_33': 'STRING', 'Floodlight_Variable_32': 'STRING', 'Floodlight_Variable_35': 'STRING', 'Floodlight_Variable_34': 'STRING', 'Floodlight_Variable_37': 'STRING', 'Floodlight_Variable_36': 'STRING', 'Dynamic_Element_View_Through_Conversions': 'INTEGER', 'Active_View_Viewable_Impression_Cookie_Reach': 'INTEGER', 'Video_Interaction_Rate': 'FLOAT', 'Dynamic_Element_3_Field_1_Value': 'STRING', 'Booked_Activities': 'FLOAT', 'Has_Video_Full_Screen': 'BOOLEAN', 'User_List_Membership_Life_Span': 'STRING', 'Video_Length': 'STRING', 'Paid_Search_Keyword': 'STRING', 'Revenue_Per_Click': 'FLOAT', 'Downloaded_Impressions': 'INTEGER', 'Days_Since_Attributed_Interaction': 'INTEGER', 'Code_Serves': 'INTEGER', 'Effective_Cpm': 'FLOAT', 'Environment': 'STRING', 'Active_View_Percent_Play_Time_Audible_And_Visible': 'FLOAT', 'Paid_Search_Agency': 'STRING', 'Dynamic_Element_5_Field_3_Value': 'STRING', 'Paid_Search_Engine_Account_Category': 'STRING', 'Week': 'STRING', 'Designated_Market_Area_Dma': 'STRING', 'Cookie_Reach_Click_Reach': 'INTEGER', 'Twitter_Buy_Now_Purchases': 'INTEGER', 'Floodlight_Paid_Search_Average_Dcm_Transaction_Amount': 'FLOAT', 'Placement_Start_Date': 'DATE', 'Cookie_Reach_Overlap_Impression_Reach_Percent': 'FLOAT', 'View_Through_Revenue': 'FLOAT', 'Impression_Delivery_Status': 'FLOAT', 'Floodlight_Paid_Search_Transaction_Conversion_Percentage': 'FLOAT', 'Click_Through_Conversions_Cross_Environment': 'INTEGER', 'Activity_Id': 'INTEGER', 'Has_Video_Mutes': 'BOOLEAN', 'Exits': 'INTEGER', 'Paid_Search_Bid_Strategy': 'STRING', 'Active_View_Percent_Of_Midpoint_Impressions_Visible': 'FLOAT', 'Dbm_Insertion_Order_Id': 'INTEGER', 'Placement_Id': 'INTEGER', 'App_Id': 'STRING', 'View_Through_Transaction_Count': 'FLOAT', 'Floodlight_Paid_Search_Transaction_Revenue_Per_Spend': 'FLOAT', 'View_Through_Conversions': 'FLOAT', 'Dynamic_Element_5_Field_4_Value': 'STRING', 'Active_View_Percent_Of_First_Quartile_Impressions_Audible_And_Visible': 'FLOAT', 'Companion_Creative_Pixel_Size': 'STRING', 'Revenue_Per_Thousand_Impressions': 'FLOAT', 'Natural_Search_Clicks': 'INTEGER', 'Dynamic_Element_3_Field_2_Value': 'STRING', 'Audio_First_Quartile_Completions': 'INTEGER', 'Dynamic_Element_1_Field_Value_3': 'STRING', 'Dynamic_Element_1_Field_Value_2': 'STRING', 'Dynamic_Element_1_Field_Value_1': 'STRING', 'Full_Screen_Average_View_Time': 'FLOAT', 'Dynamic_Element_5_Value_Id': 'STRING', 'Rich_Media_Click_Rate': 'FLOAT', 'User_List_Id': 'INTEGER', 'Click_Through_Url': 'STRING', 'Active_View_Percent_Of_Completed_Impressions_Visible': 'FLOAT', 'Video_Prominence_Score': 'STRING', 'Active_View_Percent_Play_Time_Audible': 'FLOAT', 'Natural_Search_Actions': 'FLOAT', 'Platform_Type': 'STRING', 'General_Invalid_Traffic_Givt_Impressions': 'INTEGER', 'Active_View_Percent_Audible_And_Visible_At_First_Quartile': 'FLOAT', 'Dynamic_Element_3': 'STRING', 'Active_View_Percent_Play_Time_Visible': 'FLOAT', 'Active_View_Percent_Of_Third_Quartile_Impressions_Audible_And_Visible': 'FLOAT', 'Paid_Search_Transactions': 'FLOAT', 'Rich_Media_Event': 'STRING', 'Country': 'STRING', 'Dynamic_Element_3_Field_6_Value': 'STRING', 'Expansions': 'INTEGER', 'Interaction_Rate': 'FLOAT', 'Natural_Search_Processed_Landing_Page': 'STRING', 'Floodlight_Impressions': 'INTEGER', 'Paid_Search_Bid_Strategy_Id': 'INTEGER', 'Interactive_Impressions': 'INTEGER', 'Interaction_Count_Natural_Search': 'INTEGER', 'Twitter_Impression_Id': 'INTEGER', 'Ad': 'STRING', 'Paid_Search_Ad_Group_Id': 'INTEGER', 'Paid_Search_Campaign_Id': 'INTEGER', 'Full_Screen_Video_Completions': 'INTEGER', 'Dynamic_Element_Value': 'STRING', 'State_Region': 'STRING', 'Placement_End_Date': 'DATE', 'Cookie_Reach_Duplicate_Impression_Reach_Percent': 'FLOAT', 'Paid_Search_Impressions': 'INTEGER', 'Cookie_Reach_Average_Impression_Frequency': 'FLOAT', 'Natural_Search_Engine_Country': 'STRING', 'Paid_Search_Revenue': 'FLOAT', 'Percent_Composition_Impressions': 'FLOAT'}
|
def factorial(n):
# return base case
if n == 1:
return 1
return n * factorial(n - 1)
def steps(n):
# step 0
if n == 0:
return [[0]]
# step 1
if n == 1:
return [[0, 1]]
n_1 = [a_list + [n] for a_list in steps(n-1)]
n_2 = [a_list + [n] for a_list in steps(n-2)]
return n_1 + n_2
# my_max([5, 2, 3, 8, 1, 6]) = 6
def my_bad_max(my_list):
temp_max = 0
counter = 0
for index, value in enumerate(my_list):
sublist = my_list[0:index]
for second_value in sublist:
counter = counter + 1
if value - second_value > temp_max:
temp_max = value - second_value
print(f'I did {counter} iterations...')
return temp_max
# my_max([5, 2, 3, 8, 1, 6]) = 6
def my_max(a_list):
temp_max = 0
temp_number = 0
counter = 0
for value in reversed(a_list):
counter = counter + 1
if value > temp_number:
temp_number = value
if temp_number - value > temp_max:
temp_max = temp_number - value
print(f'I did {counter} iterations...')
return temp_max
if __name__ == '__main__':
arr = [5, 2, 3, 8, 1, 6]
print(my_max(arr))
|
def factorial(n):
if n == 1:
return 1
return n * factorial(n - 1)
def steps(n):
if n == 0:
return [[0]]
if n == 1:
return [[0, 1]]
n_1 = [a_list + [n] for a_list in steps(n - 1)]
n_2 = [a_list + [n] for a_list in steps(n - 2)]
return n_1 + n_2
def my_bad_max(my_list):
temp_max = 0
counter = 0
for (index, value) in enumerate(my_list):
sublist = my_list[0:index]
for second_value in sublist:
counter = counter + 1
if value - second_value > temp_max:
temp_max = value - second_value
print(f'I did {counter} iterations...')
return temp_max
def my_max(a_list):
temp_max = 0
temp_number = 0
counter = 0
for value in reversed(a_list):
counter = counter + 1
if value > temp_number:
temp_number = value
if temp_number - value > temp_max:
temp_max = temp_number - value
print(f'I did {counter} iterations...')
return temp_max
if __name__ == '__main__':
arr = [5, 2, 3, 8, 1, 6]
print(my_max(arr))
|
pkgname = "dash"
pkgver = "0.5.11.3"
pkgrel = 0
build_style = "gnu_configure"
pkgdesc = "POSIX-compliant Unix shell, much smaller than GNU bash"
maintainer = "q66 <[email protected]>"
license = "BSD-3-Clause"
url = "http://gondor.apana.org.au/~herbert/dash"
sources = [f"http://gondor.apana.org.au/~herbert/dash/files/{pkgname}-{pkgver}.tar.gz"]
sha256 = ["62b9f1676ba6a7e8eaec541a39ea037b325253240d1f378c72360baa1cbcbc2a"]
options = ["bootstrap", "!check"]
def post_install(self):
self.install_license("COPYING")
self.install_link("dash", "usr/bin/sh")
|
pkgname = 'dash'
pkgver = '0.5.11.3'
pkgrel = 0
build_style = 'gnu_configure'
pkgdesc = 'POSIX-compliant Unix shell, much smaller than GNU bash'
maintainer = 'q66 <[email protected]>'
license = 'BSD-3-Clause'
url = 'http://gondor.apana.org.au/~herbert/dash'
sources = [f'http://gondor.apana.org.au/~herbert/dash/files/{pkgname}-{pkgver}.tar.gz']
sha256 = ['62b9f1676ba6a7e8eaec541a39ea037b325253240d1f378c72360baa1cbcbc2a']
options = ['bootstrap', '!check']
def post_install(self):
self.install_license('COPYING')
self.install_link('dash', 'usr/bin/sh')
|
class Movie:
def __init__(self,name,genre,watched):
self.name= name
self.genre = genre
self.watched = watched
def __repr__(self):
return 'Movie : {} and Genre : {}'.format(self.name,self.genre )
def json(self):
return {
'name': self.name,
'genre': self.genre,
'watched': self.watched
}
|
class Movie:
def __init__(self, name, genre, watched):
self.name = name
self.genre = genre
self.watched = watched
def __repr__(self):
return 'Movie : {} and Genre : {}'.format(self.name, self.genre)
def json(self):
return {'name': self.name, 'genre': self.genre, 'watched': self.watched}
|
f=0
for i in range(0,n):
st=str(a[i])
rev=st[::-1]
if(st==rev):
f=1
else:
f=0
if(f==0):
return 0
else:
return 1
|
f = 0
for i in range(0, n):
st = str(a[i])
rev = st[::-1]
if st == rev:
f = 1
else:
f = 0
if f == 0:
return 0
else:
return 1
|
class PresentationSettings():
def __init__(self, settings:dict = {}):
self.title = settings['title'] if 'title' in settings else 'Presentation'
self.theme = settings['theme'] if 'theme' in settings else 'black'
|
class Presentationsettings:
def __init__(self, settings: dict={}):
self.title = settings['title'] if 'title' in settings else 'Presentation'
self.theme = settings['theme'] if 'theme' in settings else 'black'
|
#
# PySNMP MIB module ZhoneProductRegistrations (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/ZhoneProductRegistrations
# Produced by pysmi-0.3.4 at Wed May 1 15:52:37 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
OctetString, Integer, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "OctetString", "Integer", "ObjectIdentifier")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ConstraintsIntersection, SingleValueConstraint, ValueSizeConstraint, ValueRangeConstraint, ConstraintsUnion = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsIntersection", "SingleValueConstraint", "ValueSizeConstraint", "ValueRangeConstraint", "ConstraintsUnion")
ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup")
NotificationType, iso, TimeTicks, MibScalar, MibTable, MibTableRow, MibTableColumn, MibIdentifier, ObjectIdentity, IpAddress, Integer32, Gauge32, Counter64, Counter32, Unsigned32, Bits, ModuleIdentity = mibBuilder.importSymbols("SNMPv2-SMI", "NotificationType", "iso", "TimeTicks", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "MibIdentifier", "ObjectIdentity", "IpAddress", "Integer32", "Gauge32", "Counter64", "Counter32", "Unsigned32", "Bits", "ModuleIdentity")
TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString")
zhoneModules, zhoneRegMux, zhoneRegistrations, zhoneRegMalc, zhoneRegCpe, zhoneRegPls, zhoneRegSechtor = mibBuilder.importSymbols("Zhone", "zhoneModules", "zhoneRegMux", "zhoneRegistrations", "zhoneRegMalc", "zhoneRegCpe", "zhoneRegPls", "zhoneRegSechtor")
zhoneRegistrationsModule = ModuleIdentity((1, 3, 6, 1, 4, 1, 5504, 6, 1))
zhoneRegistrationsModule.setRevisions(('2012-08-01 16:11', '2011-11-30 11:56', '2011-08-15 07:13', '2011-05-13 05:14', '2010-09-23 14:40', '2010-08-03 10:12', '2010-02-11 15:38', '2009-08-13 14:04', '2008-10-28 13:44', '2007-11-15 12:08', '2007-10-31 13:13', '2007-06-27 11:54', '2007-06-11 16:12', '2007-05-11 16:00', '2007-05-09 10:56', '2007-04-03 10:48', '2007-03-09 14:13', '2006-10-26 15:17', '2006-08-31 20:02', '2006-07-13 16:07', '2006-05-22 16:01', '2006-05-05 15:42', '2006-04-28 13:36', '2006-04-27 13:23', '2006-04-24 12:06', '2006-04-18 17:43', '2006-03-27 11:14', '2005-12-09 14:14', '2004-09-08 17:28', '2004-08-30 11:07', '2004-05-25 12:30', '2004-05-21 14:25', '2004-05-21 13:26', '2004-04-06 01:45', '2004-03-17 10:54', '2004-03-02 14:00', '2003-10-31 14:26', '2003-07-10 12:19', '2003-05-16 17:04', '2003-02-11 14:58', '2002-10-23 10:18', '2002-10-10 09:43', '2002-10-10 09:42', '2001-06-26 17:04', '2001-06-07 11:59', '2001-05-15 11:53', '2001-02-01 13:10', '2000-09-28 16:48', '2000-09-12 10:55',))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
if mibBuilder.loadTexts: zhoneRegistrationsModule.setRevisionsDescriptions(('Add znidNextGen node for ZNID-26xx products.', 'add mx1Ux80 TP-RJ45 new modules', 'Change description of mx1U19x family.', 'Add mx1U19x family', 'Add znidNextGen OIDs for 21xx, 24xx, 94xx, 97xx and FiberJack models.', 'Add the MX1Ux6x and MX1Ux80 products', 'Added mx319.', 'Add znid and znidNextGen nodes.', 'Add SysObjectID values for Raptor-XP-170 flavors', 'Added RaptorXP and MalcXP indoor and outdoor units', 'V01.00.37 - Add SkyZhone 1xxx, EtherXtend 30xxx, and EtherXtend 31xxx nodes.', 'V01.00.36 - Add node FiberSLAM 101.', 'V01.00.35 - Change gigaMux100 node identity name to FiberSLAM 105.', '- Add new card type raptorXP160 in zhoneRegistrations->zhoneRegMalc->raptorXP, - Obsolete the following card types: r100adsl2Pxxx/r100adsl2pgm r100adsl2Pxxx/r100adsl2pgte m100/m100adsl2pgm m100/m100Vdsl2xxx - the whole tree r100Vdsl2xx - the whole tree ', 'Added card types malcXP350A and raptorXP350A', 'V01.00.32 - Add nodes for Raptor XP and MALC XP family definitions. Add raptorXP105A and malcXP150A leaves.', 'V01.00.31 - Add Raptor-XP-150-A definition.', 'Added zhoneRegMalcNextGen node.', 'V01.00.29 - Add m100Adsl2pAnxB', 'V01.00.28 - Add r100Adsl2pAnxB', 'V01.00.27 - Correct case of new onbject names', 'V01.00.26 - Add r100Adsl2pGte', 'V01.00.25 - Add m100Vdsl2Gm', 'V01.00.24 - Add r100Vdsl2Gm', 'V01.00.23 - Add m100Adsl2pGm', ' ', 'V01.00.20 - Add new ethX products.', 'V01.00.19 - added M100 product tree.', 'V01.00.18 -- Add r100Adsl2PGigE definition.', 'V01.00.17 -- Add zrg8xx series.', 'V01.00.17 -- Add zrg6xx series.', 'V01.00.16 - Add r100adsl2p family of products.', 'add zrg700 ODU', 'V01.00.14 - Add isc303 product.', 'V01.00.13 - Add IDU/ODU for ZRG300 and ZRG500 products', 'V01.00.12 - Add raptor50LP product', 'V01.00.11 - Add Zhone Residential Gateway (ZRG) products.', 'V01.00.11 - Added ZEDGE 6200 products', 'V01.00.10 - add raptor100LP product. Modified raptor100A description.', 'V01.00.09 - Added REBEL MALC oids.', 'V01.00.08 -- change malc100 to malc319', 'V01.00.07 - add malc100 product', 'V01.00.06 -- added for skyzhone', 'V01.00.05 - Added malc19 and malc23 Product to the malc product family ', 'V01.00.04 - Expanded 23GHz family to 4 sub-bands per product. Corrected name of 5.7GHz family.', "V01.00.03 - changed zhoneRegZwt to zhoneRegWtn. Added sysObjId's for skyzhone155 and skyzhone8x.", 'V01.00.02 - added sysObjectID assignments for Sechtor 100 models.', 'V01.00.01 - added Wireless Transport Node product type and the DS3 Wireless Transport Node product model.', 'V01.00.00 - Initial Release',))
if mibBuilder.loadTexts: zhoneRegistrationsModule.setLastUpdated('201208011611Z')
if mibBuilder.loadTexts: zhoneRegistrationsModule.setOrganization('Zhone Technologies')
if mibBuilder.loadTexts: zhoneRegistrationsModule.setContactInfo(' Postal: Zhone Technologies, Inc. @ Zhone Way 7001 Oakport Street Oakland, CA 94621 USA Toll-Free: +1 877-ZHONE20 (+1 877-946-6320) Tel: +1-510-777-7000 Fax: +1-510-777-7001 E-mail: [email protected]')
if mibBuilder.loadTexts: zhoneRegistrationsModule.setDescription('This mib describes the per product registrations that are then used for the sysObjectId field. The format is 1.3.6.1.4.1.5504.1.x.y.z where 5504 is our enterprise ID. X is the product type so: X = 1 - PLS X = 2 - CPE X = 3 - MUX Y is the product model type: Y = 1 - BAN (for the PLS product) Etc. Y = 1 - IAD-50 (for CPE equipment) Etc. Z is just an incremental field which needs to be documented what value maps to which product model. For example, an IAD-50 could be .1.3.6.1.4.1.5504.1.2.1.1. A new model of the iad-50 that for some reason we would want to differentiate functionality would be .1.3.6.1.4.1.5504.2.1.2. ')
ban_2000 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 1, 1)).setLabel("ban-2000")
if mibBuilder.loadTexts: ban_2000.setStatus('current')
if mibBuilder.loadTexts: ban_2000.setDescription('BAN-2000 sysObjectId.')
zedge64 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 1))
if mibBuilder.loadTexts: zedge64.setStatus('current')
if mibBuilder.loadTexts: zedge64.setDescription('zedge64 CPE equipment product registrations. The zedge64 has four flavours with diffrenet features so four child node are created under this node. The oid of these child node will be the sysObjectId of the corresponding product.')
zedge64_SHDSL_FXS = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 1, 1)).setLabel("zedge64-SHDSL-FXS")
if mibBuilder.loadTexts: zedge64_SHDSL_FXS.setStatus('current')
if mibBuilder.loadTexts: zedge64_SHDSL_FXS.setDescription('zedge64-SHDSL-FXS sysObjectId.')
zedge64_SHDSL_BRI = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 1, 2)).setLabel("zedge64-SHDSL-BRI")
if mibBuilder.loadTexts: zedge64_SHDSL_BRI.setStatus('current')
if mibBuilder.loadTexts: zedge64_SHDSL_BRI.setDescription('zedge64-SHDSL-BRI sysObjectId.')
zedge64_T1_FXS = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 1, 3)).setLabel("zedge64-T1-FXS")
if mibBuilder.loadTexts: zedge64_T1_FXS.setStatus('current')
if mibBuilder.loadTexts: zedge64_T1_FXS.setDescription('zedge64-T1-FXS sysObjectId.')
zedge64_E1_FXS = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 1, 4)).setLabel("zedge64-E1-FXS")
if mibBuilder.loadTexts: zedge64_E1_FXS.setStatus('current')
if mibBuilder.loadTexts: zedge64_E1_FXS.setDescription('zedge64-E1-FXS sysObjectId.')
zedge6200 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 2))
if mibBuilder.loadTexts: zedge6200.setStatus('current')
if mibBuilder.loadTexts: zedge6200.setDescription('zedge6200 CPE equipment product registrations. The zedge6200 has 3 flavours with diffrenet features so 3 child nodes are created under this node. The oid of these child node will be the sysObjectId of the corresponding product.')
zedge6200_IP_T1 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 2, 1)).setLabel("zedge6200-IP-T1")
if mibBuilder.loadTexts: zedge6200_IP_T1.setStatus('current')
if mibBuilder.loadTexts: zedge6200_IP_T1.setDescription('zedge6200(ipIad) sysObjectId.')
zedge6200_IP_EM = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 2, 2)).setLabel("zedge6200-IP-EM")
if mibBuilder.loadTexts: zedge6200_IP_EM.setStatus('current')
if mibBuilder.loadTexts: zedge6200_IP_EM.setDescription('zedge6200EM sysObjectId.')
zedge6200_IP_FXS = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 2, 3)).setLabel("zedge6200-IP-FXS")
if mibBuilder.loadTexts: zedge6200_IP_FXS.setStatus('current')
if mibBuilder.loadTexts: zedge6200_IP_FXS.setDescription('zedge6200FXS sysObjectId.')
zrg3xx = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 3))
if mibBuilder.loadTexts: zrg3xx.setStatus('current')
if mibBuilder.loadTexts: zrg3xx.setDescription('Zhone Residential Gateway ADSL 300 series.')
zrg300_IDU = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 3, 1)).setLabel("zrg300-IDU")
if mibBuilder.loadTexts: zrg300_IDU.setStatus('current')
if mibBuilder.loadTexts: zrg300_IDU.setDescription('1 Lifeline Pots port. 2 Derived voice FXS ports. 1 Ethernet port. 0-4 video decoders. Indoor Unit.')
zrg300_ODU = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 3, 2)).setLabel("zrg300-ODU")
if mibBuilder.loadTexts: zrg300_ODU.setStatus('current')
if mibBuilder.loadTexts: zrg300_ODU.setDescription('1 Lifeline Pots port. 2 Derived voice FXS ports. 1 Ethernet port. 0-4 video decoders. Outdoor Unit.')
zrg5xx = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 4))
if mibBuilder.loadTexts: zrg5xx.setStatus('current')
if mibBuilder.loadTexts: zrg5xx.setDescription('Zhone Residential Gateway VDSL 500 series.')
zrg500_IDU = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 4, 1)).setLabel("zrg500-IDU")
if mibBuilder.loadTexts: zrg500_IDU.setStatus('current')
if mibBuilder.loadTexts: zrg500_IDU.setDescription('1 Lifeline Pots port. 2 Derived voice FXS ports. 1 Ethernet port. 0-4 video decoders. Indoor Unit. ')
zrg500_ODU = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 4, 2)).setLabel("zrg500-ODU")
if mibBuilder.loadTexts: zrg500_ODU.setStatus('current')
if mibBuilder.loadTexts: zrg500_ODU.setDescription('1 Lifeline Pots port. 2 Derived voice FXS ports. 1 Ethernet port. 0-4 video decoders. Outdoor Unit.')
zrg7xx = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 5))
if mibBuilder.loadTexts: zrg7xx.setStatus('current')
if mibBuilder.loadTexts: zrg7xx.setDescription('Zhone Residential Gateway PON 700 series.')
zrg700_IDU = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 5, 1)).setLabel("zrg700-IDU")
if mibBuilder.loadTexts: zrg700_IDU.setStatus('current')
if mibBuilder.loadTexts: zrg700_IDU.setDescription('4 voice ports 1 multicast video port 1 ethernet channel')
zrg700_ODU = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 5, 2)).setLabel("zrg700-ODU")
if mibBuilder.loadTexts: zrg700_ODU.setStatus('current')
if mibBuilder.loadTexts: zrg700_ODU.setDescription('4 voice ports 1 multicast video port 1 ethernet channel')
zrg6xx = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 6))
if mibBuilder.loadTexts: zrg6xx.setStatus('current')
if mibBuilder.loadTexts: zrg6xx.setDescription('Zhone Resedential Gateway 600 series.')
zrg600_IDU = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 6, 1)).setLabel("zrg600-IDU")
if mibBuilder.loadTexts: zrg600_IDU.setStatus('current')
if mibBuilder.loadTexts: zrg600_IDU.setDescription('Description.')
zrg600_ODU = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 6, 2)).setLabel("zrg600-ODU")
if mibBuilder.loadTexts: zrg600_ODU.setStatus('current')
if mibBuilder.loadTexts: zrg600_ODU.setDescription('Description.')
zrg8xx = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 7))
if mibBuilder.loadTexts: zrg8xx.setStatus('current')
if mibBuilder.loadTexts: zrg8xx.setDescription('Description.')
zrg800_IDU = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 7, 1)).setLabel("zrg800-IDU")
if mibBuilder.loadTexts: zrg800_IDU.setStatus('current')
if mibBuilder.loadTexts: zrg800_IDU.setDescription('Zrg800 is like a PON (zrg700) with the addition of video set-top boards like those on the zrg3xx. It has a PON uplink, a local 10/100 network, 2 built-in video decoders, and a 2-port Circuit Emulation board.')
zrg800_ODU = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 7, 2)).setLabel("zrg800-ODU")
if mibBuilder.loadTexts: zrg800_ODU.setStatus('current')
if mibBuilder.loadTexts: zrg800_ODU.setDescription('Zrg800 is like a PON (zrg700) with the addition of video set-top boards like those on the zrg3xx. It has a PON uplink, a local 10/100 network, 2 built-in video decoders, and a 2-port Circuit Emulation board.')
ethXtendxx = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 8))
if mibBuilder.loadTexts: ethXtendxx.setStatus('current')
if mibBuilder.loadTexts: ethXtendxx.setDescription('Zhone Ethernet First Mile CPE devices.')
ethXtendShdsl = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 8, 1))
if mibBuilder.loadTexts: ethXtendShdsl.setStatus('current')
if mibBuilder.loadTexts: ethXtendShdsl.setDescription('Zhone Ethernet First Mile runnig on SHDSL.')
ethXtendT1E1 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 8, 2))
if mibBuilder.loadTexts: ethXtendT1E1.setStatus('current')
if mibBuilder.loadTexts: ethXtendT1E1.setDescription('Zhone Ethernet First Mile running on T1 or E1.')
ethXtend30xx = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 8, 3))
if mibBuilder.loadTexts: ethXtend30xx.setStatus('current')
if mibBuilder.loadTexts: ethXtend30xx.setDescription('Zhone Ethernet First Mile over SHDSL 30xx product family.')
ethXtend31xx = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 8, 4))
if mibBuilder.loadTexts: ethXtend31xx.setStatus('current')
if mibBuilder.loadTexts: ethXtend31xx.setDescription('Zhone Ethernet First Mile over SHDSL with T1/E1 PWE 31xx product family.')
ethXtend32xx = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 8, 5))
if mibBuilder.loadTexts: ethXtend32xx.setStatus('current')
if mibBuilder.loadTexts: ethXtend32xx.setDescription('Zhone Ethernet First Mile over SHDSL with Voice Ports 32xx product family.')
znid = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 9))
if mibBuilder.loadTexts: znid.setStatus('current')
if mibBuilder.loadTexts: znid.setDescription('Zhone Network Interface Device (ZNID) heritage product family.')
znid42xx = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 9, 1))
if mibBuilder.loadTexts: znid42xx.setStatus('current')
if mibBuilder.loadTexts: znid42xx.setDescription('Zhone Network Interface Device (ZNID) heritage product family which includes the 421x and 422x models in the heritage housing.')
znidGPON42xx = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 9, 1, 2))
if mibBuilder.loadTexts: znidGPON42xx.setStatus('current')
if mibBuilder.loadTexts: znidGPON42xx.setDescription('Zhone Network Interface Device (ZNID) heritage GPON 421x and 422x RFOG products.')
znidEth422x = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 9, 1, 3))
if mibBuilder.loadTexts: znidEth422x.setStatus('current')
if mibBuilder.loadTexts: znidEth422x.setDescription('Zhone Network Interface Device (ZNID) heritage Active Ethernet 422x products.')
znid420x = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 9, 2))
if mibBuilder.loadTexts: znid420x.setStatus('current')
if mibBuilder.loadTexts: znid420x.setDescription('Zhone Network Interface Device (ZNID) heritage 420x product family in the next generation housing.')
znidGPON420x = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 9, 2, 1))
if mibBuilder.loadTexts: znidGPON420x.setStatus('current')
if mibBuilder.loadTexts: znidGPON420x.setDescription('Zhone Network Interface Device (ZNID) heritage GPON 420x products in the next generation housing.')
znidNextGen = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10))
if mibBuilder.loadTexts: znidNextGen.setStatus('current')
if mibBuilder.loadTexts: znidNextGen.setDescription('Zhone Network Interface Device (ZNID) next generation product family.')
znidNextGen22xx = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 1))
if mibBuilder.loadTexts: znidNextGen22xx.setStatus('current')
if mibBuilder.loadTexts: znidNextGen22xx.setDescription('Zhone Network Interface Device (ZNID) next generation indoor 22xx product family.')
znidNextGenGE22xx = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 1, 1))
if mibBuilder.loadTexts: znidNextGenGE22xx.setStatus('current')
if mibBuilder.loadTexts: znidNextGenGE22xx.setDescription('Zhone Network Interface Device (ZNID) next generation 22xx Indoor Active GigE products.')
znidNextGen42xx = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 2))
if mibBuilder.loadTexts: znidNextGen42xx.setStatus('current')
if mibBuilder.loadTexts: znidNextGen42xx.setDescription('Zhone Network Interface Device (ZNID) next generation 42xx product family.')
znidNextGenGPON42xx = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 2, 1))
if mibBuilder.loadTexts: znidNextGenGPON42xx.setStatus('current')
if mibBuilder.loadTexts: znidNextGenGPON42xx.setDescription('Zhone Network Interface Device (ZNID) next generation Outdoor 42xx GPON products.')
znidNextGenGE42xx = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 2, 2))
if mibBuilder.loadTexts: znidNextGenGE42xx.setStatus('current')
if mibBuilder.loadTexts: znidNextGenGE42xx.setDescription('Zhone Network Interface Device (ZNID) next generation Outdoor 42xx Active GigE products.')
znidNextGen9xxx = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 3))
if mibBuilder.loadTexts: znidNextGen9xxx.setStatus('current')
if mibBuilder.loadTexts: znidNextGen9xxx.setDescription('Zhone Network Interface Device (ZNID) next generation 9xxx product family.')
znidNextGenGPON9xxx = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 3, 1))
if mibBuilder.loadTexts: znidNextGenGPON9xxx.setStatus('current')
if mibBuilder.loadTexts: znidNextGenGPON9xxx.setDescription('Zhone Network Interface Device (ZNID) next generation 9xxx Outdoor GPON products.')
znidNextGenGE9xxx = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 3, 2))
if mibBuilder.loadTexts: znidNextGenGE9xxx.setStatus('current')
if mibBuilder.loadTexts: znidNextGenGE9xxx.setDescription('Zhone Network Interface Device (ZNID) next generation 9xxx Outdoor Active GigE products.')
znidNextGenGPON94xx = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 3, 3))
if mibBuilder.loadTexts: znidNextGenGPON94xx.setStatus('current')
if mibBuilder.loadTexts: znidNextGenGPON94xx.setDescription('Zhone Network Interface Device (ZNID) next generation 94xx Outdoor GPON Pseudo-Wire Emulation products.')
znidNextGenGE94xx = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 3, 4))
if mibBuilder.loadTexts: znidNextGenGE94xx.setStatus('current')
if mibBuilder.loadTexts: znidNextGenGE94xx.setDescription('Zhone Network Interface Device (ZNID) next generation 94xx Outdoor Active GigE Pseudo-Wire Emulation products.')
znidNextGenGPON97xx = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 3, 5))
if mibBuilder.loadTexts: znidNextGenGPON97xx.setStatus('current')
if mibBuilder.loadTexts: znidNextGenGPON97xx.setDescription('Zhone Network Interface Device (ZNID) next generation 97xx Outdoor GPON VDSL products.')
znidNextGenGE97xx = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 3, 6))
if mibBuilder.loadTexts: znidNextGenGE97xx.setStatus('current')
if mibBuilder.loadTexts: znidNextGenGE97xx.setDescription('Zhone Network Interface Device (ZNID) next generation 97xx Outdoor Active GigE VDSL products.')
fiberJack = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 4))
if mibBuilder.loadTexts: fiberJack.setStatus('current')
if mibBuilder.loadTexts: fiberJack.setDescription('Integrated GPON Uplink Module.')
znidNextGen21xx = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 5))
if mibBuilder.loadTexts: znidNextGen21xx.setStatus('current')
if mibBuilder.loadTexts: znidNextGen21xx.setDescription('Zhone Network Interface Device (ZNID) next generation indoor 21xx product family.')
znidNextGenGPON21xx = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 5, 1))
if mibBuilder.loadTexts: znidNextGenGPON21xx.setStatus('current')
if mibBuilder.loadTexts: znidNextGenGPON21xx.setDescription('Zhone Network Interface Device (ZNID) next generation 21xx Indoor GPON products without voice.')
znidNextGenGE21xx = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 5, 2))
if mibBuilder.loadTexts: znidNextGenGE21xx.setStatus('current')
if mibBuilder.loadTexts: znidNextGenGE21xx.setDescription('Zhone Network Interface Device (ZNID) next generation 21xx Indoor Active GigE products without voice.')
znidNextGen24xx = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 6))
if mibBuilder.loadTexts: znidNextGen24xx.setStatus('current')
if mibBuilder.loadTexts: znidNextGen24xx.setDescription('Zhone Network Interface Device (ZNID) next generation indoor 24xx product family.')
znidNextGenGPON24xx = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 6, 1))
if mibBuilder.loadTexts: znidNextGenGPON24xx.setStatus('current')
if mibBuilder.loadTexts: znidNextGenGPON24xx.setDescription('Zhone Network Interface Device (ZNID) next generation 24xx Indoor GPON products.')
znidNextGenGE24xx = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 6, 2))
if mibBuilder.loadTexts: znidNextGenGE24xx.setStatus('current')
if mibBuilder.loadTexts: znidNextGenGE24xx.setDescription('Zhone Network Interface Device (ZNID) next generation 24xx Indoor Active GigE products.')
znidNextGen26xx = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 7))
if mibBuilder.loadTexts: znidNextGen26xx.setStatus('current')
if mibBuilder.loadTexts: znidNextGen26xx.setDescription('Zhone Network Interface Device (ZNID) 26xx series Indoor 26xx product family.')
znidNextGenGPON26xx = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 7, 1))
if mibBuilder.loadTexts: znidNextGenGPON26xx.setStatus('current')
if mibBuilder.loadTexts: znidNextGenGPON26xx.setDescription('Zhone Network Interface Device (ZNID) 26xx series Indoor GPON products.')
znidNextGenGE26xx = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 7, 2))
if mibBuilder.loadTexts: znidNextGenGE26xx.setStatus('current')
if mibBuilder.loadTexts: znidNextGenGE26xx.setDescription('Zhone Network Interface Device (ZNID) 26xx series Indoor Active GigE products.')
z_plex10B = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 3, 1)).setLabel("z-plex10B")
if mibBuilder.loadTexts: z_plex10B.setStatus('current')
if mibBuilder.loadTexts: z_plex10B.setDescription('Z-Plex10B CPE equipment product registrations. The z-plex has two flavours with diffrenet features so two child node are created under this node.The oid of these child node will be the sysObjectId of the corresponding z-plex product.')
z_plex10B_FXS_FXO = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 3, 1, 1)).setLabel("z-plex10B-FXS-FXO")
if mibBuilder.loadTexts: z_plex10B_FXS_FXO.setStatus('current')
if mibBuilder.loadTexts: z_plex10B_FXS_FXO.setDescription('z-plex10B-FXS-FXO sysObjectId.')
z_plex10B_FXS = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 3, 1, 2)).setLabel("z-plex10B-FXS")
if mibBuilder.loadTexts: z_plex10B_FXS.setStatus('current')
if mibBuilder.loadTexts: z_plex10B_FXS.setDescription('z-plex10B-FXS sysObjectId.')
sechtor_100 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 4, 1)).setLabel("sechtor-100")
if mibBuilder.loadTexts: sechtor_100.setStatus('current')
if mibBuilder.loadTexts: sechtor_100.setDescription('Sechtor-100 sysObjectId.')
s100_ATM_SM_16T1 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 4, 1, 1)).setLabel("s100-ATM-SM-16T1")
if mibBuilder.loadTexts: s100_ATM_SM_16T1.setStatus('current')
if mibBuilder.loadTexts: s100_ATM_SM_16T1.setDescription('sysObjectID for S100-ATM-SM-16T1.')
s100_ATM_SM_16E1 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 4, 1, 2)).setLabel("s100-ATM-SM-16E1")
if mibBuilder.loadTexts: s100_ATM_SM_16E1.setStatus('current')
if mibBuilder.loadTexts: s100_ATM_SM_16E1.setDescription('sysObjectID for S100-ATM-SM-16E1.')
sechtor_300 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 4, 2)).setLabel("sechtor-300")
if mibBuilder.loadTexts: sechtor_300.setStatus('current')
if mibBuilder.loadTexts: sechtor_300.setDescription('Sechtor-300 sysObjectId.')
zhoneRegWtn = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5))
if mibBuilder.loadTexts: zhoneRegWtn.setStatus('current')
if mibBuilder.loadTexts: zhoneRegWtn.setDescription('Zhone Wireless Transport Registration.')
node5700Mhz = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 1))
if mibBuilder.loadTexts: node5700Mhz.setStatus('current')
if mibBuilder.loadTexts: node5700Mhz.setDescription('sysObjectId Family for Wireless Transport Node with 5.7Ghz radio.')
skyZhone45 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 1, 1))
if mibBuilder.loadTexts: skyZhone45.setStatus('current')
if mibBuilder.loadTexts: skyZhone45.setDescription('Unit contains a built in (not modular) ds3 interface on the wireline side.')
oduTypeA = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 1, 1, 1))
if mibBuilder.loadTexts: oduTypeA.setStatus('current')
if mibBuilder.loadTexts: oduTypeA.setDescription('Unit transmits at 5735Mhz, receives at 5260Mhz (channel 1). Also known as ODU type A.')
oduTypeB = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 1, 1, 2))
if mibBuilder.loadTexts: oduTypeB.setStatus('current')
if mibBuilder.loadTexts: oduTypeB.setDescription('Unit transmits at 5260Mhz, receives at 5735Mhz (channel 1). Also known as ODU type B.')
node23000Mhz = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2))
if mibBuilder.loadTexts: node23000Mhz.setStatus('current')
if mibBuilder.loadTexts: node23000Mhz.setDescription('sysObjectId Family for Wireless Transport Node with 23Ghz radio in accordance with ITU-R F.637-3 Specifications.')
skyZhone8e1 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 1))
if mibBuilder.loadTexts: skyZhone8e1.setStatus('current')
if mibBuilder.loadTexts: skyZhone8e1.setDescription('Variant of transport node with E1/T1 interface which operates a link at frequency bands 21.8-22.4Ghz and 23.0-23.6Ghz. 14Mhz Channel separation.')
oduTypeE1A = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 1, 1))
if mibBuilder.loadTexts: oduTypeE1A.setStatus('current')
if mibBuilder.loadTexts: oduTypeE1A.setDescription('Unit transmits at 21200-21500Mhz, receives at 22400-22700Mhz.')
oduTypeE1B = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 1, 2))
if mibBuilder.loadTexts: oduTypeE1B.setStatus('current')
if mibBuilder.loadTexts: oduTypeE1B.setDescription('Unit transmits at 22400-22700Mhz, receives at 21200-21500Mhz.')
skyZhone8e2 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 2))
if mibBuilder.loadTexts: skyZhone8e2.setStatus('current')
if mibBuilder.loadTexts: skyZhone8e2.setDescription('Variant of transport node with E1/T1 interface which operates a link at frequency bands 21.8-22.4Ghz and 23.0-23.6Ghz. 14Mhz Channel separation.')
oduTypeE2A = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 2, 1))
if mibBuilder.loadTexts: oduTypeE2A.setStatus('current')
if mibBuilder.loadTexts: oduTypeE2A.setDescription('Unit transmits at 21500-21800Mhz, receives at 22700-23000Mhz.')
oduTypeE2B = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 2, 2))
if mibBuilder.loadTexts: oduTypeE2B.setStatus('current')
if mibBuilder.loadTexts: oduTypeE2B.setDescription('Unit transmits at 22700-23000Mhz, receives at 21500-21800Mhz.')
skyZhone8e3 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 3))
if mibBuilder.loadTexts: skyZhone8e3.setStatus('current')
if mibBuilder.loadTexts: skyZhone8e3.setDescription('Variant of transport node with E1/T1 interface which operates a link at frequency bands 21.8-22.4Ghz and 23.0-23.6Ghz. 14Mhz Channel separation.')
oduTypeE3A = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 3, 1))
if mibBuilder.loadTexts: oduTypeE3A.setStatus('current')
if mibBuilder.loadTexts: oduTypeE3A.setDescription('Unit transmits at 21800-22100Mhz, receives at 23000-23300Mhz.')
oduTypeE3B = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 3, 2))
if mibBuilder.loadTexts: oduTypeE3B.setStatus('current')
if mibBuilder.loadTexts: oduTypeE3B.setDescription('Unit transmits at 23000-23300Mhz, receives at 21800-22100Mhz.')
skyZhone8e4 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 4))
if mibBuilder.loadTexts: skyZhone8e4.setStatus('current')
if mibBuilder.loadTexts: skyZhone8e4.setDescription('Variant of transport node with E1/T1 interface which operates a link at frequency bands 21.8-22.4Ghz and 23.0-23.6Ghz. 14Mhz Channel separation.')
oduTypeE4A = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 4, 1))
if mibBuilder.loadTexts: oduTypeE4A.setStatus('current')
if mibBuilder.loadTexts: oduTypeE4A.setDescription('Unit transmits at 22100-22400Mhz, receives at 23300-23600Mhz.')
oduTypeE4B = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 4, 2))
if mibBuilder.loadTexts: oduTypeE4B.setStatus('current')
if mibBuilder.loadTexts: oduTypeE4B.setDescription('Unit transmits at 23300-23600Mhz, receives at 22100-22400Mhz.')
skyZhone8t1 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 5))
if mibBuilder.loadTexts: skyZhone8t1.setStatus('current')
if mibBuilder.loadTexts: skyZhone8t1.setDescription('Variant of transport node with E1/T1 interface which operates a link at frequency bands 21.8-22.4Ghz and 23.0-23.6Ghz. 14Mhz Channel separation.')
oduTypeT1A = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 5, 1))
if mibBuilder.loadTexts: oduTypeT1A.setStatus('current')
if mibBuilder.loadTexts: oduTypeT1A.setDescription('Unit transmits at 21200-21500Mhz, receives at 22400-22700Mhz.')
oduTypeT1B = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 5, 2))
if mibBuilder.loadTexts: oduTypeT1B.setStatus('current')
if mibBuilder.loadTexts: oduTypeT1B.setDescription('Unit transmits at 22400-22700Mhz, receives at 21200-21500Mhz.')
skyZhone8t2 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 6))
if mibBuilder.loadTexts: skyZhone8t2.setStatus('current')
if mibBuilder.loadTexts: skyZhone8t2.setDescription('Variant of transport node with E1/T1 interface which operates a link at frequency bands 21.8-22.4Ghz and 23.0-23.6Ghz. 14Mhz Channel separation.')
oduTypeT2A = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 6, 1))
if mibBuilder.loadTexts: oduTypeT2A.setStatus('current')
if mibBuilder.loadTexts: oduTypeT2A.setDescription('Unit transmits at 21500-21800Mhz, receives at 22700-23000Mhz.')
oduTypeT2B = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 6, 2))
if mibBuilder.loadTexts: oduTypeT2B.setStatus('current')
if mibBuilder.loadTexts: oduTypeT2B.setDescription('Unit transmits at 22700-23000Mhz, receives at 21500-21800Mhz.')
skyZhone8t3 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 7))
if mibBuilder.loadTexts: skyZhone8t3.setStatus('current')
if mibBuilder.loadTexts: skyZhone8t3.setDescription('Variant of transport node with E1/T1 interface which operates a link at frequency bands 21.8-22.4Ghz and 23.0-23.6Ghz. 14Mhz Channel separation.')
oduTypeT3A = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 7, 1))
if mibBuilder.loadTexts: oduTypeT3A.setStatus('current')
if mibBuilder.loadTexts: oduTypeT3A.setDescription('Unit transmits at 21800-22100Mhz, receives at 23000-23300Mhz.')
oduTypeT3B = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 7, 2))
if mibBuilder.loadTexts: oduTypeT3B.setStatus('current')
if mibBuilder.loadTexts: oduTypeT3B.setDescription('Unit transmits at 23000-23300Mhz, receives at 21800-22100Mhz.')
skyZhone8t4 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 8))
if mibBuilder.loadTexts: skyZhone8t4.setStatus('current')
if mibBuilder.loadTexts: skyZhone8t4.setDescription('Variant of transport node with E1/T1 interface which operates a link at frequency bands 21.8-22.4Ghz and 23.0-23.6Ghz. 14Mhz Channel separation.')
oduTypeT4A = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 8, 1))
if mibBuilder.loadTexts: oduTypeT4A.setStatus('current')
if mibBuilder.loadTexts: oduTypeT4A.setDescription('Unit transmits at 22100-22400Mhz, receives at 23300-23600Mhz.')
oduTypeT4B = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 8, 2))
if mibBuilder.loadTexts: oduTypeT4B.setStatus('current')
if mibBuilder.loadTexts: oduTypeT4B.setDescription('Unit transmits at 23300-23600Mhz, receives at 22100-22400Mhz.')
skyZhone155s1 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 9))
if mibBuilder.loadTexts: skyZhone155s1.setStatus('current')
if mibBuilder.loadTexts: skyZhone155s1.setDescription('Variant of transport node with STM-1 interface which operates a link at frequency bands 21.2-21.8Ghz and 22.4-23Ghz. 28Mhz Channel separation.')
oduTypeS1A = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 9, 1))
if mibBuilder.loadTexts: oduTypeS1A.setStatus('current')
if mibBuilder.loadTexts: oduTypeS1A.setDescription('Unit transmits at 21200-21500Mhz, receives at 22400-22700Mhz.')
oduTypeS1B = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 9, 2))
if mibBuilder.loadTexts: oduTypeS1B.setStatus('current')
if mibBuilder.loadTexts: oduTypeS1B.setDescription('Unit transmits at 22400-22700Mhz, receives at 21200-21500Mhz.')
skyZhone155s2 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 10))
if mibBuilder.loadTexts: skyZhone155s2.setStatus('current')
if mibBuilder.loadTexts: skyZhone155s2.setDescription('Variant of transport node with STM-1 interface which operates a link at frequency bands 21.8-22.4Ghz and 23.0-23.6Ghz. 28Mhz Channel separation.')
oduTypeS2A = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 10, 1))
if mibBuilder.loadTexts: oduTypeS2A.setStatus('current')
if mibBuilder.loadTexts: oduTypeS2A.setDescription('Unit transmits at 21500-21800Mhz, receives at 22700-23000Mhz.')
oduTypeS2B = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 10, 2))
if mibBuilder.loadTexts: oduTypeS2B.setStatus('current')
if mibBuilder.loadTexts: oduTypeS2B.setDescription('Unit transmits at 22700-23000Mhz, receives at 21500-21800Mhz.')
skyZhone155s3 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 11))
if mibBuilder.loadTexts: skyZhone155s3.setStatus('current')
if mibBuilder.loadTexts: skyZhone155s3.setDescription('Variant of transport node with STM-1 interface which operates a link at frequency bands 21.2-21.8Ghz and 22.4-23Ghz. 28Mhz Channel separation.')
oduTypeS3A = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 11, 1))
if mibBuilder.loadTexts: oduTypeS3A.setStatus('current')
if mibBuilder.loadTexts: oduTypeS3A.setDescription('Unit transmits at 21800-22100Mhz, receives at 23000-23300Mhz.')
oduTypeS3B = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 11, 2))
if mibBuilder.loadTexts: oduTypeS3B.setStatus('current')
if mibBuilder.loadTexts: oduTypeS3B.setDescription('Unit transmits at 23000-23300Mhz, receives at 21800-22100Mhz.')
skyZhone155s4 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 12))
if mibBuilder.loadTexts: skyZhone155s4.setStatus('current')
if mibBuilder.loadTexts: skyZhone155s4.setDescription('Variant of transport node with STM-1 interface which operates a link at frequency bands 21.8-22.4Ghz and 23.0-23.6Ghz. 28Mhz Channel separation.')
oduTypeS4A = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 12, 1))
if mibBuilder.loadTexts: oduTypeS4A.setStatus('current')
if mibBuilder.loadTexts: oduTypeS4A.setDescription('Unit transmits at 22100-22400Mhz, receives at 23300-23600Mhz.')
oduTypeS4B = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 12, 2))
if mibBuilder.loadTexts: oduTypeS4B.setStatus('current')
if mibBuilder.loadTexts: oduTypeS4B.setDescription('Unit transmits at 23300-23600Mhz, receives at 22100-22400Mhz.')
skyZhone1xxx = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 3))
if mibBuilder.loadTexts: skyZhone1xxx.setStatus('current')
if mibBuilder.loadTexts: skyZhone1xxx.setDescription('SkyZhone 802.11 a/b/g/n Wifi Access Points product family.')
malc19 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 1))
if mibBuilder.loadTexts: malc19.setStatus('current')
if mibBuilder.loadTexts: malc19.setDescription('Multiple Access Loop Concentrator with 19 inch rack mount cabinet product identifier.')
malc23 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 2))
if mibBuilder.loadTexts: malc23.setStatus('current')
if mibBuilder.loadTexts: malc23.setDescription('Multiple Access Loop Concentrator with 23 inch rack mount cabinet product identifier.')
malc319 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 3))
if mibBuilder.loadTexts: malc319.setStatus('current')
if mibBuilder.loadTexts: malc319.setDescription('Multiple Access Loop Concentrator with 10 inch rack mount cabinet product identifier.')
raptor319A = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 4))
if mibBuilder.loadTexts: raptor319A.setStatus('current')
if mibBuilder.loadTexts: raptor319A.setDescription('Raptor MALC with 10 inch rack mount cabinet product identifier. The Raptor differs from the standard MALC in that it does not have any subscriber voice capability.')
raptor319I = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 5))
if mibBuilder.loadTexts: raptor319I.setStatus('current')
if mibBuilder.loadTexts: raptor319I.setDescription('Raptor MALC with IP termination, with 10 inch rack mount cabinet product identifier. The Raptor differs from the standard MALC in that it does not have any subscriber voice capability.')
raptor719A = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 6))
if mibBuilder.loadTexts: raptor719A.setStatus('current')
if mibBuilder.loadTexts: raptor719A.setDescription('Raptor MALC with 19 inch rack mount cabinet product identifier. The Raptor differs from the standard MALC in that it does not have any subscriber voice capability.')
raptor719I = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 7))
if mibBuilder.loadTexts: raptor719I.setStatus('current')
if mibBuilder.loadTexts: raptor719I.setDescription('Raptor MALC with IP termination, with 10 inch rack mount cabinet product identifier. The Raptor differs from the standard MALC in that it does not have any subscriber voice capability.')
raptor723A = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 8))
if mibBuilder.loadTexts: raptor723A.setStatus('current')
if mibBuilder.loadTexts: raptor723A.setDescription('Raptor MALC with 23 inch rack mount cabinet product identifier. The Raptor differs from the standard MALC in that it does not have any subscriber voice capability.')
raptor723I = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 9))
if mibBuilder.loadTexts: raptor723I.setStatus('current')
if mibBuilder.loadTexts: raptor723I.setDescription('Raptor MALC with IP termination, with 10 inch rack mount cabinet product identifier. The Raptor differs from the standard MALC in that it does not have any subscriber voice capability.')
raptor100A = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 10))
if mibBuilder.loadTexts: raptor100A.setStatus('current')
if mibBuilder.loadTexts: raptor100A.setDescription('RAPTOR-100A in a single board configuration. The RAPTOR 100A is a single-board MALC with up to 4 T1/E1 IMA/UNI uplinks and 24 ADSL lines. It is offered with or without a splitter daughter-board. The RAPTOR-100A does not offer any subscriber voice services.')
raptor100I = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 11))
if mibBuilder.loadTexts: raptor100I.setStatus('current')
if mibBuilder.loadTexts: raptor100I.setDescription('Raptor MALC in single-board configuration with IP termination product identifier. The Raptor differs from the standard MALC in that it does not have any subscriber voice capability.')
raptor100LP = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 12))
if mibBuilder.loadTexts: raptor100LP.setStatus('current')
if mibBuilder.loadTexts: raptor100LP.setDescription('RAPTOR-100 Line Powered in a single board configuration. The RAPTOR-100 Line-Powered is a single-board MALC with up to four GSHDSL uplinks and 16 ADSL lines. It is offered with or without a splitter daughter-board. The RAPTOR-100 LP does not offer any subscriber voice services.')
raptor50Gshdsl = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 13))
if mibBuilder.loadTexts: raptor50Gshdsl.setStatus('current')
if mibBuilder.loadTexts: raptor50Gshdsl.setDescription('RAPTOR-100 Line Powered in a single board configuration. The RAPTOR-100 Line-Powered is a single-board MALC with up to four GSHDSL uplinks and 16 ADSL lines. It is offered with or without a splitter daughter-board. The RAPTOR-100 LP does not offer any subscriber voice services.')
isc303 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 14))
if mibBuilder.loadTexts: isc303.setStatus('current')
if mibBuilder.loadTexts: isc303.setDescription('ISC-303 ADSL subsystem based on modified legacy ISC-303 TDM platform. The ISC-303 ADSL system provides up to 60 ADSL ports spread over 24 line cards. The system is fed by two T1 lines. The T1 IMA uplink operates on half of the eCTU card and the ADSL operates on half of each of the ADSL line cards. This system does not offer any subscriber voice services.')
r100adsl2Pxxx = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 15))
if mibBuilder.loadTexts: r100adsl2Pxxx.setStatus('current')
if mibBuilder.loadTexts: r100adsl2Pxxx.setDescription('R100 ADSL2P family of products.')
r100adsl2pip = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 15, 1))
if mibBuilder.loadTexts: r100adsl2pip.setStatus('current')
if mibBuilder.loadTexts: r100adsl2pip.setDescription('R100 ADSL2P IP.')
r100adsl2phdsl4 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 15, 2))
if mibBuilder.loadTexts: r100adsl2phdsl4.setStatus('current')
if mibBuilder.loadTexts: r100adsl2phdsl4.setDescription('R100 ADSL2P HDSL4.')
r100adsl2pt1ima = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 15, 3))
if mibBuilder.loadTexts: r100adsl2pt1ima.setStatus('current')
if mibBuilder.loadTexts: r100adsl2pt1ima.setDescription('R100 ADSL2P T1IMA.')
r100adsl2pgige = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 15, 4))
if mibBuilder.loadTexts: r100adsl2pgige.setStatus('current')
if mibBuilder.loadTexts: r100adsl2pgige.setDescription('R100 ADSL2P GigE.')
r100adsl2pgm = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 15, 5))
if mibBuilder.loadTexts: r100adsl2pgm.setStatus('obsolete')
if mibBuilder.loadTexts: r100adsl2pgm.setDescription('R100 Adsl2P Gm')
r100adsl2pgte = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 15, 6))
if mibBuilder.loadTexts: r100adsl2pgte.setStatus('obsolete')
if mibBuilder.loadTexts: r100adsl2pgte.setDescription('R100 ADSL2P GTE')
r100adsl2panxb = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 15, 7))
if mibBuilder.loadTexts: r100adsl2panxb.setStatus('current')
if mibBuilder.loadTexts: r100adsl2panxb.setDescription('R100 ADSL2P ANXB')
m100 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 16))
if mibBuilder.loadTexts: m100.setStatus('current')
if mibBuilder.loadTexts: m100.setDescription('M100.')
m100adsl2pxxx = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 16, 1))
if mibBuilder.loadTexts: m100adsl2pxxx.setStatus('current')
if mibBuilder.loadTexts: m100adsl2pxxx.setDescription('M100 ADSL2P.')
m100adsl2pgige = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 16, 1, 1))
if mibBuilder.loadTexts: m100adsl2pgige.setStatus('current')
if mibBuilder.loadTexts: m100adsl2pgige.setDescription('M100 ADSL2P GigE.')
m100adsl2pgm = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 16, 1, 2))
if mibBuilder.loadTexts: m100adsl2pgm.setStatus('obsolete')
if mibBuilder.loadTexts: m100adsl2pgm.setDescription('M100 Adsl2p Gm')
m100Adsl2pAnxB = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 16, 1, 3))
if mibBuilder.loadTexts: m100Adsl2pAnxB.setStatus('current')
if mibBuilder.loadTexts: m100Adsl2pAnxB.setDescription('MALC 100 ADSL2P ANXB')
m100Vdsl2xxx = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 16, 2))
if mibBuilder.loadTexts: m100Vdsl2xxx.setStatus('obsolete')
if mibBuilder.loadTexts: m100Vdsl2xxx.setDescription('M100 Vdsl2')
m100vdsl2gm = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 16, 2, 1))
if mibBuilder.loadTexts: m100vdsl2gm.setStatus('obsolete')
if mibBuilder.loadTexts: m100vdsl2gm.setDescription('M100 Vdsl2 Gm')
r100Vdsl2xx = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 17))
if mibBuilder.loadTexts: r100Vdsl2xx.setStatus('obsolete')
if mibBuilder.loadTexts: r100Vdsl2xx.setDescription('Raptor 100 Vdsl2 series')
r100vdsl2gm = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 17, 1))
if mibBuilder.loadTexts: r100vdsl2gm.setStatus('obsolete')
if mibBuilder.loadTexts: r100vdsl2gm.setDescription('R100 VDSL2 GM')
fiberSlam = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 18))
if mibBuilder.loadTexts: fiberSlam.setStatus('current')
if mibBuilder.loadTexts: fiberSlam.setDescription('FiberSLAM series.')
fs105 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 18, 1))
if mibBuilder.loadTexts: fs105.setStatus('current')
if mibBuilder.loadTexts: fs105.setDescription('fiberslam-105 provides datacom (2xGigE, 2x10/100) and telecom (16xT1/E1, 3xDS3/E3) traffic mapping over SONET/SDH at 2.5Gbps.')
fs101 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 18, 2))
if mibBuilder.loadTexts: fs101.setStatus('current')
if mibBuilder.loadTexts: fs101.setDescription('fiberslam-101 provides datacom (2xGigE, 2x10/100) and telecom (16xT1/E1) traffic mapping over SONET/SDH at 2.5Gbps.')
raptorXP = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19))
if mibBuilder.loadTexts: raptorXP.setStatus('current')
if mibBuilder.loadTexts: raptorXP.setDescription('Raptor XP family')
raptorXP150A = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 1))
if mibBuilder.loadTexts: raptorXP150A.setStatus('current')
if mibBuilder.loadTexts: raptorXP150A.setDescription('Raptor-XP-150-A, the Raptor Adsl2 board')
raptorXP150A_ISP = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 1, 1))
if mibBuilder.loadTexts: raptorXP150A_ISP.setStatus('current')
if mibBuilder.loadTexts: raptorXP150A_ISP.setDescription('Raptor-150A Indoor Unit')
raptorXP150A_OSP = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 1, 2))
if mibBuilder.loadTexts: raptorXP150A_OSP.setStatus('current')
if mibBuilder.loadTexts: raptorXP150A_OSP.setDescription('Raptor-150A Outdoor Unit')
raptorXP350A = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 2))
if mibBuilder.loadTexts: raptorXP350A.setStatus('current')
if mibBuilder.loadTexts: raptorXP350A.setDescription('Raptor-XP-350-A, the Raptor Adsl2 T1/E1 board')
raptorXP350A_ISP = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 2, 1))
if mibBuilder.loadTexts: raptorXP350A_ISP.setStatus('current')
if mibBuilder.loadTexts: raptorXP350A_ISP.setDescription('Raptor-XP-350A Indoor Unit')
raptorXP350A_OSP = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 2, 2))
if mibBuilder.loadTexts: raptorXP350A_OSP.setStatus('current')
if mibBuilder.loadTexts: raptorXP350A_OSP.setDescription('Raptor-XP-350A Outdoor Unit')
raptorXP160 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 3))
if mibBuilder.loadTexts: raptorXP160.setStatus('current')
if mibBuilder.loadTexts: raptorXP160.setDescription('Raptor-XP-160, the Raptor Vdsl2 board')
raptorXP160_ISP = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 3, 1))
if mibBuilder.loadTexts: raptorXP160_ISP.setStatus('current')
if mibBuilder.loadTexts: raptorXP160_ISP.setDescription('Raptor-XP-160 Indoor Unit')
raptorXP160_OSP = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 3, 2))
if mibBuilder.loadTexts: raptorXP160_OSP.setStatus('current')
if mibBuilder.loadTexts: raptorXP160_OSP.setDescription('Raptor-XP-160 Outdoor Unit')
raptorXP170 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 4))
if mibBuilder.loadTexts: raptorXP170.setStatus('current')
if mibBuilder.loadTexts: raptorXP170.setDescription('Raptor-XP-170, the Raptor SHDSL board')
raptorXP170_WC = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 4, 1))
if mibBuilder.loadTexts: raptorXP170_WC.setStatus('current')
if mibBuilder.loadTexts: raptorXP170_WC.setDescription('Raptor-XP-170 with Wetting Current')
raptorXP170_ISP_WC = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 4, 1, 1))
if mibBuilder.loadTexts: raptorXP170_ISP_WC.setStatus('current')
if mibBuilder.loadTexts: raptorXP170_ISP_WC.setDescription('Raptor-XP-170 Indoor Unit with Wetting Current')
raptorXP170_OSP_WC = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 4, 1, 2))
if mibBuilder.loadTexts: raptorXP170_OSP_WC.setStatus('current')
if mibBuilder.loadTexts: raptorXP170_OSP_WC.setDescription('Raptor-XP-170 Outdoor Unit with Wetting Current')
raptorXP170_WC_SD = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 4, 2))
if mibBuilder.loadTexts: raptorXP170_WC_SD.setStatus('current')
if mibBuilder.loadTexts: raptorXP170_WC_SD.setDescription('Raptor-XP-170 with Wetting Current and SELT/DELT')
raptorXP170_ISP_WC_SD = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 4, 2, 1))
if mibBuilder.loadTexts: raptorXP170_ISP_WC_SD.setStatus('current')
if mibBuilder.loadTexts: raptorXP170_ISP_WC_SD.setDescription('Raptor-XP-170 Indoor Unit with Wetting Current and SELT/DELT')
raptorXP170_OSP_WC_SD = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 4, 2, 2))
if mibBuilder.loadTexts: raptorXP170_OSP_WC_SD.setStatus('current')
if mibBuilder.loadTexts: raptorXP170_OSP_WC_SD.setDescription('Raptor-XP-170 Outdoor Unit with Wetting Current and SELT/DELT')
raptorXP170_LP = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 4, 3))
if mibBuilder.loadTexts: raptorXP170_LP.setStatus('current')
if mibBuilder.loadTexts: raptorXP170_LP.setDescription('Raptor-XP-170 with Line Power')
raptorXP170_ISP_LP = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 4, 3, 1))
if mibBuilder.loadTexts: raptorXP170_ISP_LP.setStatus('current')
if mibBuilder.loadTexts: raptorXP170_ISP_LP.setDescription('Raptor-XP-170 Indoor Unit with Line Power')
raptorXP170_OSP_LP = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 4, 3, 2))
if mibBuilder.loadTexts: raptorXP170_OSP_LP.setStatus('current')
if mibBuilder.loadTexts: raptorXP170_OSP_LP.setDescription('Raptor-XP-170 Outdoor Unit with Line Power')
raptorXP170_LP_SD = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 4, 4))
if mibBuilder.loadTexts: raptorXP170_LP_SD.setStatus('current')
if mibBuilder.loadTexts: raptorXP170_LP_SD.setDescription('Raptor-XP-170 with Line Power and SELT/DELT')
raptorXP170_ISP_LP_SD = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 4, 4, 1))
if mibBuilder.loadTexts: raptorXP170_ISP_LP_SD.setStatus('current')
if mibBuilder.loadTexts: raptorXP170_ISP_LP_SD.setDescription('Raptor-XP-170 Indoor Unit with Line Power and SELT/DELT')
raptorXP170_OSP_LP_SD = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 4, 4, 2))
if mibBuilder.loadTexts: raptorXP170_OSP_LP_SD.setStatus('current')
if mibBuilder.loadTexts: raptorXP170_OSP_LP_SD.setDescription('Raptor-XP-170 Outdoor Unit with Line Power and SELT/DELT')
malcXP = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 20))
if mibBuilder.loadTexts: malcXP.setStatus('current')
if mibBuilder.loadTexts: malcXP.setDescription('Malc-XP family')
malcXP150A = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 20, 1))
if mibBuilder.loadTexts: malcXP150A.setStatus('current')
if mibBuilder.loadTexts: malcXP150A.setDescription('Malc-XP-150-A, the Raptor Adsl2 POTS board')
malcXP150A_ISP = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 20, 1, 1))
if mibBuilder.loadTexts: malcXP150A_ISP.setStatus('current')
if mibBuilder.loadTexts: malcXP150A_ISP.setDescription('MalcXP150A Indoor Unit')
malcXP150A_OSP = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 20, 1, 2))
if mibBuilder.loadTexts: malcXP150A_OSP.setStatus('current')
if mibBuilder.loadTexts: malcXP150A_OSP.setDescription('MalcXP150A Outdoor Unit')
malcXP350A = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 20, 4))
if mibBuilder.loadTexts: malcXP350A.setStatus('current')
if mibBuilder.loadTexts: malcXP350A.setDescription('Malc-XP-350-A, the Raptor Adsl2 POTS T1/E1 board')
malcXP350A_ISP = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 20, 4, 1))
if mibBuilder.loadTexts: malcXP350A_ISP.setStatus('current')
if mibBuilder.loadTexts: malcXP350A_ISP.setDescription('Malc-XP-350A Indoor Unit')
malcXP350A_OSP = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 20, 4, 2))
if mibBuilder.loadTexts: malcXP350A_OSP.setStatus('current')
if mibBuilder.loadTexts: malcXP350A_OSP.setDescription('Malc-XP-350A Outdoor Unit')
malcXP160 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 20, 5))
if mibBuilder.loadTexts: malcXP160.setStatus('current')
if mibBuilder.loadTexts: malcXP160.setDescription('Malc-XP-160, the Raptor Vdsl2 POTS board')
malcXP160_ISP = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 20, 5, 1))
if mibBuilder.loadTexts: malcXP160_ISP.setStatus('current')
if mibBuilder.loadTexts: malcXP160_ISP.setDescription('Malc-XP-160 Indoor Unit')
malcXP160_OSP = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 20, 5, 2))
if mibBuilder.loadTexts: malcXP160_OSP.setStatus('current')
if mibBuilder.loadTexts: malcXP160_OSP.setDescription('Malc-XP-160 Outdoor Unit')
zhoneRegMxNextGen = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7))
if mibBuilder.loadTexts: zhoneRegMxNextGen.setStatus('current')
if mibBuilder.loadTexts: zhoneRegMxNextGen.setDescription('Next Generation MALC')
mx19 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 1))
if mibBuilder.loadTexts: mx19.setStatus('current')
if mibBuilder.loadTexts: mx19.setDescription('Mx Next Gen 19 inch.')
mx23 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 2))
if mibBuilder.loadTexts: mx23.setStatus('current')
if mibBuilder.loadTexts: mx23.setDescription('Mx Next Gen 23 inch.')
mx319 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 3))
if mibBuilder.loadTexts: mx319.setStatus('current')
if mibBuilder.loadTexts: mx319.setDescription('Mx Next Gen 3U 19 inch.')
mx1U = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4))
if mibBuilder.loadTexts: mx1U.setStatus('current')
if mibBuilder.loadTexts: mx1U.setDescription('MX1U Product Family')
mx1Ux6x = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 1))
if mibBuilder.loadTexts: mx1Ux6x.setStatus('current')
if mibBuilder.loadTexts: mx1Ux6x.setDescription('MX1U x6x Product Family')
mx1U16x = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 1, 1))
if mibBuilder.loadTexts: mx1U16x.setStatus('current')
if mibBuilder.loadTexts: mx1U16x.setDescription('MX1U 16x Product Family')
mx1U160 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 1, 1, 1))
if mibBuilder.loadTexts: mx1U160.setStatus('current')
if mibBuilder.loadTexts: mx1U160.setDescription('MX 160 - 24 VDSL2, 4 FE/GE')
mx1U161 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 1, 1, 2))
if mibBuilder.loadTexts: mx1U161.setStatus('current')
if mibBuilder.loadTexts: mx1U161.setDescription('MX 161 - 24 VDSL2, 24 POTS SPLT (600 Ohm), 4 FE/GE')
mx1U162 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 1, 1, 3))
if mibBuilder.loadTexts: mx1U162.setStatus('current')
if mibBuilder.loadTexts: mx1U162.setDescription('MX 162 - 24 VDSL2, 24 POTS SPLT (900 Ohm), 4 FE/GE')
mx1U26x = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 1, 2))
if mibBuilder.loadTexts: mx1U26x.setStatus('current')
if mibBuilder.loadTexts: mx1U26x.setDescription('MX1U 26x Product Family')
mx1U260 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 1, 2, 1))
if mibBuilder.loadTexts: mx1U260.setStatus('current')
if mibBuilder.loadTexts: mx1U260.setDescription('MX 260 - 24 VDSL2, 3 FE/GE, 1 GPON')
mx1U261 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 1, 2, 2))
if mibBuilder.loadTexts: mx1U261.setStatus('current')
if mibBuilder.loadTexts: mx1U261.setDescription('MX 261 - 24 VDSL2, 24 POTS SPLT (600 Ohm), 3 FE/GE, 1 GPON')
mx1U262 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 1, 2, 3))
if mibBuilder.loadTexts: mx1U262.setStatus('current')
if mibBuilder.loadTexts: mx1U262.setDescription('MX 262 - 24 VDSL2, 24 POTS SPLT (900 Ohm), 3 FE/GE, 1 GPON')
mx1Ux80 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 2))
if mibBuilder.loadTexts: mx1Ux80.setStatus('current')
if mibBuilder.loadTexts: mx1Ux80.setDescription('MX1U x80 Product Family')
mx1U180 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 2, 1))
if mibBuilder.loadTexts: mx1U180.setStatus('current')
if mibBuilder.loadTexts: mx1U180.setDescription('MX 180 - 24 FE, 2 FE/GE')
mx1U280 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 2, 2))
if mibBuilder.loadTexts: mx1U280.setStatus('current')
if mibBuilder.loadTexts: mx1U280.setDescription('MX 280 - 24 FE, 2 FE/GE, 1 GPON')
mx1U180_TP_RJ45 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 2, 3))
if mibBuilder.loadTexts: mx1U180_TP_RJ45.setStatus('current')
if mibBuilder.loadTexts: mx1U180_TP_RJ45.setDescription('MX 180 TP-RJ45 - 24 FE, 4 FE/GE')
mx1U280_TP_RJ45 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 2, 4))
if mibBuilder.loadTexts: mx1U280_TP_RJ45.setStatus('current')
if mibBuilder.loadTexts: mx1U280_TP_RJ45.setDescription('MX 280 TP-RJ45 - 24 FE, 3 FE/GE, 1 GPON')
mx1U180_LT_TP_RJ45 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 2, 5))
if mibBuilder.loadTexts: mx1U180_LT_TP_RJ45.setStatus('current')
if mibBuilder.loadTexts: mx1U180_LT_TP_RJ45.setDescription('MX 180 LT-TP-RJ45 - 24 FE, 4 FE/GE')
mx1U280_LT_TP_RJ45 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 2, 6))
if mibBuilder.loadTexts: mx1U280_LT_TP_RJ45.setStatus('current')
if mibBuilder.loadTexts: mx1U280_LT_TP_RJ45.setDescription('MX 280 LT-TP-RJ45 - 24 FE, 3 FE/GE, 1 GPON')
mx1U19x = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 3))
if mibBuilder.loadTexts: mx1U19x.setStatus('current')
if mibBuilder.loadTexts: mx1U19x.setDescription('MXK 19x Product Family')
mx1U194 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 3, 1))
if mibBuilder.loadTexts: mx1U194.setStatus('current')
if mibBuilder.loadTexts: mx1U194.setDescription('MXK 194 - 4 GPON OLT, 8 FE/GE')
mx1U198 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 3, 2))
if mibBuilder.loadTexts: mx1U198.setStatus('current')
if mibBuilder.loadTexts: mx1U198.setDescription('MXK 198 - 8 GPON OLT, 8 FE/GE')
mx1U194_10GE = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 3, 3))
if mibBuilder.loadTexts: mx1U194_10GE.setStatus('current')
if mibBuilder.loadTexts: mx1U194_10GE.setDescription('MXK 194-10GE - 4 GPON OLT, 8 FE/GE, 2 10GE')
mx1U198_10GE = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 3, 4))
if mibBuilder.loadTexts: mx1U198_10GE.setStatus('current')
if mibBuilder.loadTexts: mx1U198_10GE.setDescription('MXK 198-10GE - 8 GPON OLT, 8 FE/GE, 2 10GE')
mx1U194_TOP = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 3, 5))
if mibBuilder.loadTexts: mx1U194_TOP.setStatus('current')
if mibBuilder.loadTexts: mx1U194_TOP.setDescription('MXK 194-TOP - 4 GPON OLT, 8 FE/GE, TOP')
mx1U198_TOP = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 3, 6))
if mibBuilder.loadTexts: mx1U198_TOP.setStatus('current')
if mibBuilder.loadTexts: mx1U198_TOP.setDescription('MXK 198-TOP - 8 GPON OLT, 8 FE/GE, TOP')
mx1U194_10GE_TOP = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 3, 7))
if mibBuilder.loadTexts: mx1U194_10GE_TOP.setStatus('current')
if mibBuilder.loadTexts: mx1U194_10GE_TOP.setDescription('MXK 194-10GE-TOP - 4 GPON OLT, 8 FE/GE, 2 10GE, TOP')
mx1U198_10GE_TOP = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 3, 8))
if mibBuilder.loadTexts: mx1U198_10GE_TOP.setStatus('current')
if mibBuilder.loadTexts: mx1U198_10GE_TOP.setDescription('MXK 198-10GE-TOP - 8 GPON OLT, 8 FE/GE, 2 10GE, TOP')
mx1Ux5x = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 4))
if mibBuilder.loadTexts: mx1Ux5x.setStatus('current')
if mibBuilder.loadTexts: mx1Ux5x.setDescription('Description.')
mx1U15x = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 4, 1))
if mibBuilder.loadTexts: mx1U15x.setStatus('current')
if mibBuilder.loadTexts: mx1U15x.setDescription('Description.')
mx1U150 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 4, 1, 1))
if mibBuilder.loadTexts: mx1U150.setStatus('current')
if mibBuilder.loadTexts: mx1U150.setDescription('Description.')
mx1U151 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 4, 1, 2))
if mibBuilder.loadTexts: mx1U151.setStatus('current')
if mibBuilder.loadTexts: mx1U151.setDescription('Description.')
mx1U152 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 4, 1, 3))
if mibBuilder.loadTexts: mx1U152.setStatus('current')
if mibBuilder.loadTexts: mx1U152.setDescription('Description.')
mxp1U = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 5))
if mibBuilder.loadTexts: mxp1U.setStatus('current')
if mibBuilder.loadTexts: mxp1U.setDescription('MXP1U Product Family')
mxp1Ux60 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 5, 1))
if mibBuilder.loadTexts: mxp1Ux60.setStatus('current')
if mibBuilder.loadTexts: mxp1Ux60.setDescription('MXP1U x60 Product Family')
mxp1U160Family = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 5, 1, 1))
if mibBuilder.loadTexts: mxp1U160Family.setStatus('current')
if mibBuilder.loadTexts: mxp1U160Family.setDescription('MXP1U 160 Product Family')
mxp1U160 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 5, 1, 1, 1))
if mibBuilder.loadTexts: mxp1U160.setStatus('current')
if mibBuilder.loadTexts: mxp1U160.setDescription('MXP 160 - 24 VDSL2, 24 POTS VOIP, 4 FE/GE')
mxp1U260Family = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 5, 1, 2))
if mibBuilder.loadTexts: mxp1U260Family.setStatus('current')
if mibBuilder.loadTexts: mxp1U260Family.setDescription('MXP1U 260 Product Family')
mxp1U260 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 5, 1, 2, 1))
if mibBuilder.loadTexts: mxp1U260.setStatus('current')
if mibBuilder.loadTexts: mxp1U260.setDescription('MXP 260 - 24 VDSL2, 24 POTS VOIP, 3 FE/GE, 1 GPON')
mxp1Ux80 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 5, 2))
if mibBuilder.loadTexts: mxp1Ux80.setStatus('current')
if mibBuilder.loadTexts: mxp1Ux80.setDescription('MXP1U x80 Product Family')
mxp1U180 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 5, 2, 1))
if mibBuilder.loadTexts: mxp1U180.setStatus('current')
if mibBuilder.loadTexts: mxp1U180.setDescription('MXP 180 - 24 FE, 24 POTS VOIP, 2 FE/GE')
mxp1U280 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 5, 2, 2))
if mibBuilder.loadTexts: mxp1U280.setStatus('current')
if mibBuilder.loadTexts: mxp1U280.setDescription('MXP 280 - 24 FE, 24 POTS VOIP, 2 FE/GE, 1 GPON')
mxp1U180_TP_RJ45 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 5, 2, 3))
if mibBuilder.loadTexts: mxp1U180_TP_RJ45.setStatus('current')
if mibBuilder.loadTexts: mxp1U180_TP_RJ45.setDescription('MXP 180 TP-RJ45 - 24 FE, 24 POTS VOIP, 4 FE/GE')
mxp1U280_TP_RJ45 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 5, 2, 4))
if mibBuilder.loadTexts: mxp1U280_TP_RJ45.setStatus('current')
if mibBuilder.loadTexts: mxp1U280_TP_RJ45.setDescription('MXP 280 TP-RJ45 - 24 FE, 24 POTS VOIP, 3 FE/GE, 1 GPON')
mxp1Ux5x = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 5, 3))
if mibBuilder.loadTexts: mxp1Ux5x.setStatus('current')
if mibBuilder.loadTexts: mxp1Ux5x.setDescription('Description.')
mxp1U15xFamily = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 5, 3, 1))
if mibBuilder.loadTexts: mxp1U15xFamily.setStatus('current')
if mibBuilder.loadTexts: mxp1U15xFamily.setDescription('Description.')
mxp1U150 = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 5, 3, 1, 1))
if mibBuilder.loadTexts: mxp1U150.setStatus('current')
if mibBuilder.loadTexts: mxp1U150.setDescription('Description.')
mibBuilder.exportSymbols("ZhoneProductRegistrations", znidNextGenGPON21xx=znidNextGenGPON21xx, oduTypeE3A=oduTypeE3A, malcXP350A=malcXP350A, mx1U26x=mx1U26x, mx1U151=mx1U151, mx1U161=mx1U161, znid42xx=znid42xx, skyZhone45=skyZhone45, znidGPON42xx=znidGPON42xx, zedge6200_IP_T1=zedge6200_IP_T1, zhoneRegistrationsModule=zhoneRegistrationsModule, znidNextGenGE24xx=znidNextGenGE24xx, mx23=mx23, skyZhone155s1=skyZhone155s1, oduTypeE1A=oduTypeE1A, zrg7xx=zrg7xx, znidNextGen42xx=znidNextGen42xx, mx1U280_TP_RJ45=mx1U280_TP_RJ45, raptor50Gshdsl=raptor50Gshdsl, skyZhone8e2=skyZhone8e2, raptor719A=raptor719A, raptorXP170_OSP_LP_SD=raptorXP170_OSP_LP_SD, mx1U262=mx1U262, fs105=fs105, znidNextGenGE97xx=znidNextGenGE97xx, zrg8xx=zrg8xx, znidNextGenGE21xx=znidNextGenGE21xx, raptor100LP=raptor100LP, malcXP160_ISP=malcXP160_ISP, oduTypeE2B=oduTypeE2B, mx1U198=mx1U198, mx1U194_10GE=mx1U194_10GE, znidNextGenGE42xx=znidNextGenGE42xx, znidNextGen22xx=znidNextGen22xx, ethXtendxx=ethXtendxx, oduTypeE1B=oduTypeE1B, skyZhone155s4=skyZhone155s4, raptorXP150A=raptorXP150A, raptorXP170_OSP_WC_SD=raptorXP170_OSP_WC_SD, mxp1U280_TP_RJ45=mxp1U280_TP_RJ45, ethXtend31xx=ethXtend31xx, mx1U261=mx1U261, zrg3xx=zrg3xx, oduTypeS2B=oduTypeS2B, mx1U180_TP_RJ45=mx1U180_TP_RJ45, raptorXP170_ISP_LP_SD=raptorXP170_ISP_LP_SD, s100_ATM_SM_16E1=s100_ATM_SM_16E1, mx1Ux80=mx1Ux80, z_plex10B_FXS_FXO=z_plex10B_FXS_FXO, skyZhone8t4=skyZhone8t4, mx19=mx19, PYSNMP_MODULE_ID=zhoneRegistrationsModule, znidEth422x=znidEth422x, fiberJack=fiberJack, mx1Ux6x=mx1Ux6x, mx1U162=mx1U162, znid=znid, raptor100A=raptor100A, mx1U194_TOP=mx1U194_TOP, raptorXP350A_OSP=raptorXP350A_OSP, mxp1U180=mxp1U180, oduTypeT1B=oduTypeT1B, raptor723I=raptor723I, r100adsl2panxb=r100adsl2panxb, skyZhone155s3=skyZhone155s3, zrg600_IDU=zrg600_IDU, raptorXP170_ISP_WC=raptorXP170_ISP_WC, malcXP160_OSP=malcXP160_OSP, sechtor_300=sechtor_300, mx1U198_10GE_TOP=mx1U198_10GE_TOP, oduTypeE4A=oduTypeE4A, zrg500_ODU=zrg500_ODU, oduTypeS3A=oduTypeS3A, zedge6200_IP_FXS=zedge6200_IP_FXS, oduTypeE3B=oduTypeE3B, ethXtend30xx=ethXtend30xx, znidNextGenGE26xx=znidNextGenGE26xx, znidNextGenGPON26xx=znidNextGenGPON26xx, mxp1U180_TP_RJ45=mxp1U180_TP_RJ45, oduTypeE2A=oduTypeE2A, oduTypeS2A=oduTypeS2A, znid420x=znid420x, mx1U=mx1U, zrg500_IDU=zrg500_IDU, z_plex10B_FXS=z_plex10B_FXS, r100adsl2pip=r100adsl2pip, mxp1U260Family=mxp1U260Family, znidGPON420x=znidGPON420x, fs101=fs101, zrg800_ODU=zrg800_ODU, raptorXP160_ISP=raptorXP160_ISP, mxp1U160=mxp1U160, mxp1U=mxp1U, raptorXP170_LP_SD=raptorXP170_LP_SD, zrg600_ODU=zrg600_ODU, skyZhone8t1=skyZhone8t1, zedge64=zedge64, znidNextGenGPON97xx=znidNextGenGPON97xx, skyZhone1xxx=skyZhone1xxx, r100adsl2pgm=r100adsl2pgm, r100Vdsl2xx=r100Vdsl2xx, mxp1Ux60=mxp1Ux60, raptorXP170=raptorXP170, malcXP350A_ISP=malcXP350A_ISP, raptor319A=raptor319A, oduTypeT2B=oduTypeT2B, raptorXP160=raptorXP160, raptorXP350A_ISP=raptorXP350A_ISP, zedge64_SHDSL_FXS=zedge64_SHDSL_FXS, mx1U198_10GE=mx1U198_10GE, mx1U180_LT_TP_RJ45=mx1U180_LT_TP_RJ45, node23000Mhz=node23000Mhz, fiberSlam=fiberSlam, mx1U152=mx1U152, malcXP=malcXP, mx1U280_LT_TP_RJ45=mx1U280_LT_TP_RJ45, mx1U16x=mx1U16x, ethXtendShdsl=ethXtendShdsl, znidNextGen26xx=znidNextGen26xx, ethXtendT1E1=ethXtendT1E1, znidNextGen9xxx=znidNextGen9xxx, zedge64_E1_FXS=zedge64_E1_FXS, malc23=malc23, isc303=isc303, skyZhone8t3=skyZhone8t3, zrg700_ODU=zrg700_ODU, oduTypeT1A=oduTypeT1A, raptorXP170_WC=raptorXP170_WC, malcXP150A_ISP=malcXP150A_ISP, zedge6200_IP_EM=zedge6200_IP_EM, raptorXP170_LP=raptorXP170_LP, raptorXP=raptorXP, mxp1U160Family=mxp1U160Family, oduTypeS1A=oduTypeS1A, znidNextGenGPON24xx=znidNextGenGPON24xx, znidNextGenGE9xxx=znidNextGenGE9xxx, raptorXP150A_ISP=raptorXP150A_ISP, skyZhone155s2=skyZhone155s2, r100adsl2pgte=r100adsl2pgte, raptorXP350A=raptorXP350A, zhoneRegMxNextGen=zhoneRegMxNextGen, mx1U280=mx1U280, mxp1U280=mxp1U280, raptor719I=raptor719I, m100adsl2pgm=m100adsl2pgm, mx319=mx319, zedge6200=zedge6200, m100Adsl2pAnxB=m100Adsl2pAnxB, zrg300_ODU=zrg300_ODU, m100adsl2pgige=m100adsl2pgige, malcXP160=malcXP160, znidNextGenGPON42xx=znidNextGenGPON42xx, mxp1U260=mxp1U260, m100Vdsl2xxx=m100Vdsl2xxx, skyZhone8t2=skyZhone8t2, oduTypeS3B=oduTypeS3B, zedge64_SHDSL_BRI=zedge64_SHDSL_BRI, mx1U160=mx1U160, sechtor_100=sechtor_100, oduTypeT3A=oduTypeT3A, oduTypeB=oduTypeB, raptor319I=raptor319I, zrg300_IDU=zrg300_IDU, m100=m100, mx1U194=mx1U194, zedge64_T1_FXS=zedge64_T1_FXS, oduTypeS4A=oduTypeS4A, skyZhone8e3=skyZhone8e3, malc19=malc19, malcXP350A_OSP=malcXP350A_OSP, r100adsl2phdsl4=r100adsl2phdsl4, r100adsl2Pxxx=r100adsl2Pxxx, oduTypeE4B=oduTypeE4B, raptor100I=raptor100I, r100adsl2pgige=r100adsl2pgige, raptorXP150A_OSP=raptorXP150A_OSP, s100_ATM_SM_16T1=s100_ATM_SM_16T1, znidNextGenGE22xx=znidNextGenGE22xx, m100adsl2pxxx=m100adsl2pxxx, zrg6xx=zrg6xx, oduTypeT4A=oduTypeT4A, zrg800_IDU=zrg800_IDU, r100adsl2pt1ima=r100adsl2pt1ima, raptorXP170_ISP_LP=raptorXP170_ISP_LP, mxp1U150=mxp1U150, oduTypeT3B=oduTypeT3B, oduTypeT2A=oduTypeT2A, mxp1Ux80=mxp1Ux80, znidNextGen24xx=znidNextGen24xx, m100vdsl2gm=m100vdsl2gm, ban_2000=ban_2000, zhoneRegWtn=zhoneRegWtn, mx1Ux5x=mx1Ux5x, raptorXP170_OSP_WC=raptorXP170_OSP_WC, raptorXP170_OSP_LP=raptorXP170_OSP_LP, oduTypeT4B=oduTypeT4B, oduTypeS1B=oduTypeS1B, znidNextGenGPON94xx=znidNextGenGPON94xx, raptorXP160_OSP=raptorXP160_OSP, mx1U260=mx1U260, mx1U194_10GE_TOP=mx1U194_10GE_TOP, mxp1Ux5x=mxp1Ux5x, znidNextGenGPON9xxx=znidNextGenGPON9xxx, skyZhone8e1=skyZhone8e1, mx1U198_TOP=mx1U198_TOP, zrg5xx=zrg5xx, malc319=malc319, mx1U150=mx1U150, mx1U19x=mx1U19x, r100vdsl2gm=r100vdsl2gm, znidNextGen=znidNextGen, raptor723A=raptor723A, skyZhone8e4=skyZhone8e4, znidNextGen21xx=znidNextGen21xx, ethXtend32xx=ethXtend32xx, oduTypeA=oduTypeA, oduTypeS4B=oduTypeS4B, mx1U180=mx1U180, malcXP150A_OSP=malcXP150A_OSP, z_plex10B=z_plex10B, raptorXP170_ISP_WC_SD=raptorXP170_ISP_WC_SD, znidNextGenGE94xx=znidNextGenGE94xx, node5700Mhz=node5700Mhz, zrg700_IDU=zrg700_IDU, malcXP150A=malcXP150A, mx1U15x=mx1U15x, raptorXP170_WC_SD=raptorXP170_WC_SD, mxp1U15xFamily=mxp1U15xFamily)
|
(octet_string, integer, object_identifier) = mibBuilder.importSymbols('ASN1', 'OctetString', 'Integer', 'ObjectIdentifier')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(constraints_intersection, single_value_constraint, value_size_constraint, value_range_constraint, constraints_union) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsIntersection', 'SingleValueConstraint', 'ValueSizeConstraint', 'ValueRangeConstraint', 'ConstraintsUnion')
(module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup')
(notification_type, iso, time_ticks, mib_scalar, mib_table, mib_table_row, mib_table_column, mib_identifier, object_identity, ip_address, integer32, gauge32, counter64, counter32, unsigned32, bits, module_identity) = mibBuilder.importSymbols('SNMPv2-SMI', 'NotificationType', 'iso', 'TimeTicks', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'MibIdentifier', 'ObjectIdentity', 'IpAddress', 'Integer32', 'Gauge32', 'Counter64', 'Counter32', 'Unsigned32', 'Bits', 'ModuleIdentity')
(textual_convention, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DisplayString')
(zhone_modules, zhone_reg_mux, zhone_registrations, zhone_reg_malc, zhone_reg_cpe, zhone_reg_pls, zhone_reg_sechtor) = mibBuilder.importSymbols('Zhone', 'zhoneModules', 'zhoneRegMux', 'zhoneRegistrations', 'zhoneRegMalc', 'zhoneRegCpe', 'zhoneRegPls', 'zhoneRegSechtor')
zhone_registrations_module = module_identity((1, 3, 6, 1, 4, 1, 5504, 6, 1))
zhoneRegistrationsModule.setRevisions(('2012-08-01 16:11', '2011-11-30 11:56', '2011-08-15 07:13', '2011-05-13 05:14', '2010-09-23 14:40', '2010-08-03 10:12', '2010-02-11 15:38', '2009-08-13 14:04', '2008-10-28 13:44', '2007-11-15 12:08', '2007-10-31 13:13', '2007-06-27 11:54', '2007-06-11 16:12', '2007-05-11 16:00', '2007-05-09 10:56', '2007-04-03 10:48', '2007-03-09 14:13', '2006-10-26 15:17', '2006-08-31 20:02', '2006-07-13 16:07', '2006-05-22 16:01', '2006-05-05 15:42', '2006-04-28 13:36', '2006-04-27 13:23', '2006-04-24 12:06', '2006-04-18 17:43', '2006-03-27 11:14', '2005-12-09 14:14', '2004-09-08 17:28', '2004-08-30 11:07', '2004-05-25 12:30', '2004-05-21 14:25', '2004-05-21 13:26', '2004-04-06 01:45', '2004-03-17 10:54', '2004-03-02 14:00', '2003-10-31 14:26', '2003-07-10 12:19', '2003-05-16 17:04', '2003-02-11 14:58', '2002-10-23 10:18', '2002-10-10 09:43', '2002-10-10 09:42', '2001-06-26 17:04', '2001-06-07 11:59', '2001-05-15 11:53', '2001-02-01 13:10', '2000-09-28 16:48', '2000-09-12 10:55'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
if mibBuilder.loadTexts:
zhoneRegistrationsModule.setRevisionsDescriptions(('Add znidNextGen node for ZNID-26xx products.', 'add mx1Ux80 TP-RJ45 new modules', 'Change description of mx1U19x family.', 'Add mx1U19x family', 'Add znidNextGen OIDs for 21xx, 24xx, 94xx, 97xx and FiberJack models.', 'Add the MX1Ux6x and MX1Ux80 products', 'Added mx319.', 'Add znid and znidNextGen nodes.', 'Add SysObjectID values for Raptor-XP-170 flavors', 'Added RaptorXP and MalcXP indoor and outdoor units', 'V01.00.37 - Add SkyZhone 1xxx, EtherXtend 30xxx, and EtherXtend 31xxx nodes.', 'V01.00.36 - Add node FiberSLAM 101.', 'V01.00.35 - Change gigaMux100 node identity name to FiberSLAM 105.', '- Add new card type raptorXP160 in zhoneRegistrations->zhoneRegMalc->raptorXP, - Obsolete the following card types: r100adsl2Pxxx/r100adsl2pgm r100adsl2Pxxx/r100adsl2pgte m100/m100adsl2pgm m100/m100Vdsl2xxx - the whole tree r100Vdsl2xx - the whole tree ', 'Added card types malcXP350A and raptorXP350A', 'V01.00.32 - Add nodes for Raptor XP and MALC XP family definitions. Add raptorXP105A and malcXP150A leaves.', 'V01.00.31 - Add Raptor-XP-150-A definition.', 'Added zhoneRegMalcNextGen node.', 'V01.00.29 - Add m100Adsl2pAnxB', 'V01.00.28 - Add r100Adsl2pAnxB', 'V01.00.27 - Correct case of new onbject names', 'V01.00.26 - Add r100Adsl2pGte', 'V01.00.25 - Add m100Vdsl2Gm', 'V01.00.24 - Add r100Vdsl2Gm', 'V01.00.23 - Add m100Adsl2pGm', ' ', 'V01.00.20 - Add new ethX products.', 'V01.00.19 - added M100 product tree.', 'V01.00.18 -- Add r100Adsl2PGigE definition.', 'V01.00.17 -- Add zrg8xx series.', 'V01.00.17 -- Add zrg6xx series.', 'V01.00.16 - Add r100adsl2p family of products.', 'add zrg700 ODU', 'V01.00.14 - Add isc303 product.', 'V01.00.13 - Add IDU/ODU for ZRG300 and ZRG500 products', 'V01.00.12 - Add raptor50LP product', 'V01.00.11 - Add Zhone Residential Gateway (ZRG) products.', 'V01.00.11 - Added ZEDGE 6200 products', 'V01.00.10 - add raptor100LP product. Modified raptor100A description.', 'V01.00.09 - Added REBEL MALC oids.', 'V01.00.08 -- change malc100 to malc319', 'V01.00.07 - add malc100 product', 'V01.00.06 -- added for skyzhone', 'V01.00.05 - Added malc19 and malc23 Product to the malc product family ', 'V01.00.04 - Expanded 23GHz family to 4 sub-bands per product. Corrected name of 5.7GHz family.', "V01.00.03 - changed zhoneRegZwt to zhoneRegWtn. Added sysObjId's for skyzhone155 and skyzhone8x.", 'V01.00.02 - added sysObjectID assignments for Sechtor 100 models.', 'V01.00.01 - added Wireless Transport Node product type and the DS3 Wireless Transport Node product model.', 'V01.00.00 - Initial Release'))
if mibBuilder.loadTexts:
zhoneRegistrationsModule.setLastUpdated('201208011611Z')
if mibBuilder.loadTexts:
zhoneRegistrationsModule.setOrganization('Zhone Technologies')
if mibBuilder.loadTexts:
zhoneRegistrationsModule.setContactInfo(' Postal: Zhone Technologies, Inc. @ Zhone Way 7001 Oakport Street Oakland, CA 94621 USA Toll-Free: +1 877-ZHONE20 (+1 877-946-6320) Tel: +1-510-777-7000 Fax: +1-510-777-7001 E-mail: [email protected]')
if mibBuilder.loadTexts:
zhoneRegistrationsModule.setDescription('This mib describes the per product registrations that are then used for the sysObjectId field. The format is 1.3.6.1.4.1.5504.1.x.y.z where 5504 is our enterprise ID. X is the product type so: X = 1 - PLS X = 2 - CPE X = 3 - MUX Y is the product model type: Y = 1 - BAN (for the PLS product) Etc. Y = 1 - IAD-50 (for CPE equipment) Etc. Z is just an incremental field which needs to be documented what value maps to which product model. For example, an IAD-50 could be .1.3.6.1.4.1.5504.1.2.1.1. A new model of the iad-50 that for some reason we would want to differentiate functionality would be .1.3.6.1.4.1.5504.2.1.2. ')
ban_2000 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 1, 1)).setLabel('ban-2000')
if mibBuilder.loadTexts:
ban_2000.setStatus('current')
if mibBuilder.loadTexts:
ban_2000.setDescription('BAN-2000 sysObjectId.')
zedge64 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 1))
if mibBuilder.loadTexts:
zedge64.setStatus('current')
if mibBuilder.loadTexts:
zedge64.setDescription('zedge64 CPE equipment product registrations. The zedge64 has four flavours with diffrenet features so four child node are created under this node. The oid of these child node will be the sysObjectId of the corresponding product.')
zedge64_shdsl_fxs = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 1, 1)).setLabel('zedge64-SHDSL-FXS')
if mibBuilder.loadTexts:
zedge64_SHDSL_FXS.setStatus('current')
if mibBuilder.loadTexts:
zedge64_SHDSL_FXS.setDescription('zedge64-SHDSL-FXS sysObjectId.')
zedge64_shdsl_bri = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 1, 2)).setLabel('zedge64-SHDSL-BRI')
if mibBuilder.loadTexts:
zedge64_SHDSL_BRI.setStatus('current')
if mibBuilder.loadTexts:
zedge64_SHDSL_BRI.setDescription('zedge64-SHDSL-BRI sysObjectId.')
zedge64_t1_fxs = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 1, 3)).setLabel('zedge64-T1-FXS')
if mibBuilder.loadTexts:
zedge64_T1_FXS.setStatus('current')
if mibBuilder.loadTexts:
zedge64_T1_FXS.setDescription('zedge64-T1-FXS sysObjectId.')
zedge64_e1_fxs = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 1, 4)).setLabel('zedge64-E1-FXS')
if mibBuilder.loadTexts:
zedge64_E1_FXS.setStatus('current')
if mibBuilder.loadTexts:
zedge64_E1_FXS.setDescription('zedge64-E1-FXS sysObjectId.')
zedge6200 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 2))
if mibBuilder.loadTexts:
zedge6200.setStatus('current')
if mibBuilder.loadTexts:
zedge6200.setDescription('zedge6200 CPE equipment product registrations. The zedge6200 has 3 flavours with diffrenet features so 3 child nodes are created under this node. The oid of these child node will be the sysObjectId of the corresponding product.')
zedge6200_ip_t1 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 2, 1)).setLabel('zedge6200-IP-T1')
if mibBuilder.loadTexts:
zedge6200_IP_T1.setStatus('current')
if mibBuilder.loadTexts:
zedge6200_IP_T1.setDescription('zedge6200(ipIad) sysObjectId.')
zedge6200_ip_em = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 2, 2)).setLabel('zedge6200-IP-EM')
if mibBuilder.loadTexts:
zedge6200_IP_EM.setStatus('current')
if mibBuilder.loadTexts:
zedge6200_IP_EM.setDescription('zedge6200EM sysObjectId.')
zedge6200_ip_fxs = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 2, 3)).setLabel('zedge6200-IP-FXS')
if mibBuilder.loadTexts:
zedge6200_IP_FXS.setStatus('current')
if mibBuilder.loadTexts:
zedge6200_IP_FXS.setDescription('zedge6200FXS sysObjectId.')
zrg3xx = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 3))
if mibBuilder.loadTexts:
zrg3xx.setStatus('current')
if mibBuilder.loadTexts:
zrg3xx.setDescription('Zhone Residential Gateway ADSL 300 series.')
zrg300_idu = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 3, 1)).setLabel('zrg300-IDU')
if mibBuilder.loadTexts:
zrg300_IDU.setStatus('current')
if mibBuilder.loadTexts:
zrg300_IDU.setDescription('1 Lifeline Pots port. 2 Derived voice FXS ports. 1 Ethernet port. 0-4 video decoders. Indoor Unit.')
zrg300_odu = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 3, 2)).setLabel('zrg300-ODU')
if mibBuilder.loadTexts:
zrg300_ODU.setStatus('current')
if mibBuilder.loadTexts:
zrg300_ODU.setDescription('1 Lifeline Pots port. 2 Derived voice FXS ports. 1 Ethernet port. 0-4 video decoders. Outdoor Unit.')
zrg5xx = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 4))
if mibBuilder.loadTexts:
zrg5xx.setStatus('current')
if mibBuilder.loadTexts:
zrg5xx.setDescription('Zhone Residential Gateway VDSL 500 series.')
zrg500_idu = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 4, 1)).setLabel('zrg500-IDU')
if mibBuilder.loadTexts:
zrg500_IDU.setStatus('current')
if mibBuilder.loadTexts:
zrg500_IDU.setDescription('1 Lifeline Pots port. 2 Derived voice FXS ports. 1 Ethernet port. 0-4 video decoders. Indoor Unit. ')
zrg500_odu = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 4, 2)).setLabel('zrg500-ODU')
if mibBuilder.loadTexts:
zrg500_ODU.setStatus('current')
if mibBuilder.loadTexts:
zrg500_ODU.setDescription('1 Lifeline Pots port. 2 Derived voice FXS ports. 1 Ethernet port. 0-4 video decoders. Outdoor Unit.')
zrg7xx = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 5))
if mibBuilder.loadTexts:
zrg7xx.setStatus('current')
if mibBuilder.loadTexts:
zrg7xx.setDescription('Zhone Residential Gateway PON 700 series.')
zrg700_idu = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 5, 1)).setLabel('zrg700-IDU')
if mibBuilder.loadTexts:
zrg700_IDU.setStatus('current')
if mibBuilder.loadTexts:
zrg700_IDU.setDescription('4 voice ports 1 multicast video port 1 ethernet channel')
zrg700_odu = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 5, 2)).setLabel('zrg700-ODU')
if mibBuilder.loadTexts:
zrg700_ODU.setStatus('current')
if mibBuilder.loadTexts:
zrg700_ODU.setDescription('4 voice ports 1 multicast video port 1 ethernet channel')
zrg6xx = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 6))
if mibBuilder.loadTexts:
zrg6xx.setStatus('current')
if mibBuilder.loadTexts:
zrg6xx.setDescription('Zhone Resedential Gateway 600 series.')
zrg600_idu = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 6, 1)).setLabel('zrg600-IDU')
if mibBuilder.loadTexts:
zrg600_IDU.setStatus('current')
if mibBuilder.loadTexts:
zrg600_IDU.setDescription('Description.')
zrg600_odu = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 6, 2)).setLabel('zrg600-ODU')
if mibBuilder.loadTexts:
zrg600_ODU.setStatus('current')
if mibBuilder.loadTexts:
zrg600_ODU.setDescription('Description.')
zrg8xx = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 7))
if mibBuilder.loadTexts:
zrg8xx.setStatus('current')
if mibBuilder.loadTexts:
zrg8xx.setDescription('Description.')
zrg800_idu = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 7, 1)).setLabel('zrg800-IDU')
if mibBuilder.loadTexts:
zrg800_IDU.setStatus('current')
if mibBuilder.loadTexts:
zrg800_IDU.setDescription('Zrg800 is like a PON (zrg700) with the addition of video set-top boards like those on the zrg3xx. It has a PON uplink, a local 10/100 network, 2 built-in video decoders, and a 2-port Circuit Emulation board.')
zrg800_odu = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 7, 2)).setLabel('zrg800-ODU')
if mibBuilder.loadTexts:
zrg800_ODU.setStatus('current')
if mibBuilder.loadTexts:
zrg800_ODU.setDescription('Zrg800 is like a PON (zrg700) with the addition of video set-top boards like those on the zrg3xx. It has a PON uplink, a local 10/100 network, 2 built-in video decoders, and a 2-port Circuit Emulation board.')
eth_xtendxx = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 8))
if mibBuilder.loadTexts:
ethXtendxx.setStatus('current')
if mibBuilder.loadTexts:
ethXtendxx.setDescription('Zhone Ethernet First Mile CPE devices.')
eth_xtend_shdsl = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 8, 1))
if mibBuilder.loadTexts:
ethXtendShdsl.setStatus('current')
if mibBuilder.loadTexts:
ethXtendShdsl.setDescription('Zhone Ethernet First Mile runnig on SHDSL.')
eth_xtend_t1_e1 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 8, 2))
if mibBuilder.loadTexts:
ethXtendT1E1.setStatus('current')
if mibBuilder.loadTexts:
ethXtendT1E1.setDescription('Zhone Ethernet First Mile running on T1 or E1.')
eth_xtend30xx = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 8, 3))
if mibBuilder.loadTexts:
ethXtend30xx.setStatus('current')
if mibBuilder.loadTexts:
ethXtend30xx.setDescription('Zhone Ethernet First Mile over SHDSL 30xx product family.')
eth_xtend31xx = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 8, 4))
if mibBuilder.loadTexts:
ethXtend31xx.setStatus('current')
if mibBuilder.loadTexts:
ethXtend31xx.setDescription('Zhone Ethernet First Mile over SHDSL with T1/E1 PWE 31xx product family.')
eth_xtend32xx = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 8, 5))
if mibBuilder.loadTexts:
ethXtend32xx.setStatus('current')
if mibBuilder.loadTexts:
ethXtend32xx.setDescription('Zhone Ethernet First Mile over SHDSL with Voice Ports 32xx product family.')
znid = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 9))
if mibBuilder.loadTexts:
znid.setStatus('current')
if mibBuilder.loadTexts:
znid.setDescription('Zhone Network Interface Device (ZNID) heritage product family.')
znid42xx = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 9, 1))
if mibBuilder.loadTexts:
znid42xx.setStatus('current')
if mibBuilder.loadTexts:
znid42xx.setDescription('Zhone Network Interface Device (ZNID) heritage product family which includes the 421x and 422x models in the heritage housing.')
znid_gpon42xx = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 9, 1, 2))
if mibBuilder.loadTexts:
znidGPON42xx.setStatus('current')
if mibBuilder.loadTexts:
znidGPON42xx.setDescription('Zhone Network Interface Device (ZNID) heritage GPON 421x and 422x RFOG products.')
znid_eth422x = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 9, 1, 3))
if mibBuilder.loadTexts:
znidEth422x.setStatus('current')
if mibBuilder.loadTexts:
znidEth422x.setDescription('Zhone Network Interface Device (ZNID) heritage Active Ethernet 422x products.')
znid420x = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 9, 2))
if mibBuilder.loadTexts:
znid420x.setStatus('current')
if mibBuilder.loadTexts:
znid420x.setDescription('Zhone Network Interface Device (ZNID) heritage 420x product family in the next generation housing.')
znid_gpon420x = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 9, 2, 1))
if mibBuilder.loadTexts:
znidGPON420x.setStatus('current')
if mibBuilder.loadTexts:
znidGPON420x.setDescription('Zhone Network Interface Device (ZNID) heritage GPON 420x products in the next generation housing.')
znid_next_gen = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10))
if mibBuilder.loadTexts:
znidNextGen.setStatus('current')
if mibBuilder.loadTexts:
znidNextGen.setDescription('Zhone Network Interface Device (ZNID) next generation product family.')
znid_next_gen22xx = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 1))
if mibBuilder.loadTexts:
znidNextGen22xx.setStatus('current')
if mibBuilder.loadTexts:
znidNextGen22xx.setDescription('Zhone Network Interface Device (ZNID) next generation indoor 22xx product family.')
znid_next_gen_ge22xx = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 1, 1))
if mibBuilder.loadTexts:
znidNextGenGE22xx.setStatus('current')
if mibBuilder.loadTexts:
znidNextGenGE22xx.setDescription('Zhone Network Interface Device (ZNID) next generation 22xx Indoor Active GigE products.')
znid_next_gen42xx = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 2))
if mibBuilder.loadTexts:
znidNextGen42xx.setStatus('current')
if mibBuilder.loadTexts:
znidNextGen42xx.setDescription('Zhone Network Interface Device (ZNID) next generation 42xx product family.')
znid_next_gen_gpon42xx = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 2, 1))
if mibBuilder.loadTexts:
znidNextGenGPON42xx.setStatus('current')
if mibBuilder.loadTexts:
znidNextGenGPON42xx.setDescription('Zhone Network Interface Device (ZNID) next generation Outdoor 42xx GPON products.')
znid_next_gen_ge42xx = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 2, 2))
if mibBuilder.loadTexts:
znidNextGenGE42xx.setStatus('current')
if mibBuilder.loadTexts:
znidNextGenGE42xx.setDescription('Zhone Network Interface Device (ZNID) next generation Outdoor 42xx Active GigE products.')
znid_next_gen9xxx = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 3))
if mibBuilder.loadTexts:
znidNextGen9xxx.setStatus('current')
if mibBuilder.loadTexts:
znidNextGen9xxx.setDescription('Zhone Network Interface Device (ZNID) next generation 9xxx product family.')
znid_next_gen_gpon9xxx = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 3, 1))
if mibBuilder.loadTexts:
znidNextGenGPON9xxx.setStatus('current')
if mibBuilder.loadTexts:
znidNextGenGPON9xxx.setDescription('Zhone Network Interface Device (ZNID) next generation 9xxx Outdoor GPON products.')
znid_next_gen_ge9xxx = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 3, 2))
if mibBuilder.loadTexts:
znidNextGenGE9xxx.setStatus('current')
if mibBuilder.loadTexts:
znidNextGenGE9xxx.setDescription('Zhone Network Interface Device (ZNID) next generation 9xxx Outdoor Active GigE products.')
znid_next_gen_gpon94xx = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 3, 3))
if mibBuilder.loadTexts:
znidNextGenGPON94xx.setStatus('current')
if mibBuilder.loadTexts:
znidNextGenGPON94xx.setDescription('Zhone Network Interface Device (ZNID) next generation 94xx Outdoor GPON Pseudo-Wire Emulation products.')
znid_next_gen_ge94xx = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 3, 4))
if mibBuilder.loadTexts:
znidNextGenGE94xx.setStatus('current')
if mibBuilder.loadTexts:
znidNextGenGE94xx.setDescription('Zhone Network Interface Device (ZNID) next generation 94xx Outdoor Active GigE Pseudo-Wire Emulation products.')
znid_next_gen_gpon97xx = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 3, 5))
if mibBuilder.loadTexts:
znidNextGenGPON97xx.setStatus('current')
if mibBuilder.loadTexts:
znidNextGenGPON97xx.setDescription('Zhone Network Interface Device (ZNID) next generation 97xx Outdoor GPON VDSL products.')
znid_next_gen_ge97xx = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 3, 6))
if mibBuilder.loadTexts:
znidNextGenGE97xx.setStatus('current')
if mibBuilder.loadTexts:
znidNextGenGE97xx.setDescription('Zhone Network Interface Device (ZNID) next generation 97xx Outdoor Active GigE VDSL products.')
fiber_jack = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 4))
if mibBuilder.loadTexts:
fiberJack.setStatus('current')
if mibBuilder.loadTexts:
fiberJack.setDescription('Integrated GPON Uplink Module.')
znid_next_gen21xx = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 5))
if mibBuilder.loadTexts:
znidNextGen21xx.setStatus('current')
if mibBuilder.loadTexts:
znidNextGen21xx.setDescription('Zhone Network Interface Device (ZNID) next generation indoor 21xx product family.')
znid_next_gen_gpon21xx = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 5, 1))
if mibBuilder.loadTexts:
znidNextGenGPON21xx.setStatus('current')
if mibBuilder.loadTexts:
znidNextGenGPON21xx.setDescription('Zhone Network Interface Device (ZNID) next generation 21xx Indoor GPON products without voice.')
znid_next_gen_ge21xx = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 5, 2))
if mibBuilder.loadTexts:
znidNextGenGE21xx.setStatus('current')
if mibBuilder.loadTexts:
znidNextGenGE21xx.setDescription('Zhone Network Interface Device (ZNID) next generation 21xx Indoor Active GigE products without voice.')
znid_next_gen24xx = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 6))
if mibBuilder.loadTexts:
znidNextGen24xx.setStatus('current')
if mibBuilder.loadTexts:
znidNextGen24xx.setDescription('Zhone Network Interface Device (ZNID) next generation indoor 24xx product family.')
znid_next_gen_gpon24xx = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 6, 1))
if mibBuilder.loadTexts:
znidNextGenGPON24xx.setStatus('current')
if mibBuilder.loadTexts:
znidNextGenGPON24xx.setDescription('Zhone Network Interface Device (ZNID) next generation 24xx Indoor GPON products.')
znid_next_gen_ge24xx = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 6, 2))
if mibBuilder.loadTexts:
znidNextGenGE24xx.setStatus('current')
if mibBuilder.loadTexts:
znidNextGenGE24xx.setDescription('Zhone Network Interface Device (ZNID) next generation 24xx Indoor Active GigE products.')
znid_next_gen26xx = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 7))
if mibBuilder.loadTexts:
znidNextGen26xx.setStatus('current')
if mibBuilder.loadTexts:
znidNextGen26xx.setDescription('Zhone Network Interface Device (ZNID) 26xx series Indoor 26xx product family.')
znid_next_gen_gpon26xx = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 7, 1))
if mibBuilder.loadTexts:
znidNextGenGPON26xx.setStatus('current')
if mibBuilder.loadTexts:
znidNextGenGPON26xx.setDescription('Zhone Network Interface Device (ZNID) 26xx series Indoor GPON products.')
znid_next_gen_ge26xx = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 2, 10, 7, 2))
if mibBuilder.loadTexts:
znidNextGenGE26xx.setStatus('current')
if mibBuilder.loadTexts:
znidNextGenGE26xx.setDescription('Zhone Network Interface Device (ZNID) 26xx series Indoor Active GigE products.')
z_plex10_b = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 3, 1)).setLabel('z-plex10B')
if mibBuilder.loadTexts:
z_plex10B.setStatus('current')
if mibBuilder.loadTexts:
z_plex10B.setDescription('Z-Plex10B CPE equipment product registrations. The z-plex has two flavours with diffrenet features so two child node are created under this node.The oid of these child node will be the sysObjectId of the corresponding z-plex product.')
z_plex10_b_fxs_fxo = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 3, 1, 1)).setLabel('z-plex10B-FXS-FXO')
if mibBuilder.loadTexts:
z_plex10B_FXS_FXO.setStatus('current')
if mibBuilder.loadTexts:
z_plex10B_FXS_FXO.setDescription('z-plex10B-FXS-FXO sysObjectId.')
z_plex10_b_fxs = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 3, 1, 2)).setLabel('z-plex10B-FXS')
if mibBuilder.loadTexts:
z_plex10B_FXS.setStatus('current')
if mibBuilder.loadTexts:
z_plex10B_FXS.setDescription('z-plex10B-FXS sysObjectId.')
sechtor_100 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 4, 1)).setLabel('sechtor-100')
if mibBuilder.loadTexts:
sechtor_100.setStatus('current')
if mibBuilder.loadTexts:
sechtor_100.setDescription('Sechtor-100 sysObjectId.')
s100_atm_sm_16_t1 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 4, 1, 1)).setLabel('s100-ATM-SM-16T1')
if mibBuilder.loadTexts:
s100_ATM_SM_16T1.setStatus('current')
if mibBuilder.loadTexts:
s100_ATM_SM_16T1.setDescription('sysObjectID for S100-ATM-SM-16T1.')
s100_atm_sm_16_e1 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 4, 1, 2)).setLabel('s100-ATM-SM-16E1')
if mibBuilder.loadTexts:
s100_ATM_SM_16E1.setStatus('current')
if mibBuilder.loadTexts:
s100_ATM_SM_16E1.setDescription('sysObjectID for S100-ATM-SM-16E1.')
sechtor_300 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 4, 2)).setLabel('sechtor-300')
if mibBuilder.loadTexts:
sechtor_300.setStatus('current')
if mibBuilder.loadTexts:
sechtor_300.setDescription('Sechtor-300 sysObjectId.')
zhone_reg_wtn = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5))
if mibBuilder.loadTexts:
zhoneRegWtn.setStatus('current')
if mibBuilder.loadTexts:
zhoneRegWtn.setDescription('Zhone Wireless Transport Registration.')
node5700_mhz = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 1))
if mibBuilder.loadTexts:
node5700Mhz.setStatus('current')
if mibBuilder.loadTexts:
node5700Mhz.setDescription('sysObjectId Family for Wireless Transport Node with 5.7Ghz radio.')
sky_zhone45 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 1, 1))
if mibBuilder.loadTexts:
skyZhone45.setStatus('current')
if mibBuilder.loadTexts:
skyZhone45.setDescription('Unit contains a built in (not modular) ds3 interface on the wireline side.')
odu_type_a = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 1, 1, 1))
if mibBuilder.loadTexts:
oduTypeA.setStatus('current')
if mibBuilder.loadTexts:
oduTypeA.setDescription('Unit transmits at 5735Mhz, receives at 5260Mhz (channel 1). Also known as ODU type A.')
odu_type_b = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 1, 1, 2))
if mibBuilder.loadTexts:
oduTypeB.setStatus('current')
if mibBuilder.loadTexts:
oduTypeB.setDescription('Unit transmits at 5260Mhz, receives at 5735Mhz (channel 1). Also known as ODU type B.')
node23000_mhz = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2))
if mibBuilder.loadTexts:
node23000Mhz.setStatus('current')
if mibBuilder.loadTexts:
node23000Mhz.setDescription('sysObjectId Family for Wireless Transport Node with 23Ghz radio in accordance with ITU-R F.637-3 Specifications.')
sky_zhone8e1 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 1))
if mibBuilder.loadTexts:
skyZhone8e1.setStatus('current')
if mibBuilder.loadTexts:
skyZhone8e1.setDescription('Variant of transport node with E1/T1 interface which operates a link at frequency bands 21.8-22.4Ghz and 23.0-23.6Ghz. 14Mhz Channel separation.')
odu_type_e1_a = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 1, 1))
if mibBuilder.loadTexts:
oduTypeE1A.setStatus('current')
if mibBuilder.loadTexts:
oduTypeE1A.setDescription('Unit transmits at 21200-21500Mhz, receives at 22400-22700Mhz.')
odu_type_e1_b = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 1, 2))
if mibBuilder.loadTexts:
oduTypeE1B.setStatus('current')
if mibBuilder.loadTexts:
oduTypeE1B.setDescription('Unit transmits at 22400-22700Mhz, receives at 21200-21500Mhz.')
sky_zhone8e2 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 2))
if mibBuilder.loadTexts:
skyZhone8e2.setStatus('current')
if mibBuilder.loadTexts:
skyZhone8e2.setDescription('Variant of transport node with E1/T1 interface which operates a link at frequency bands 21.8-22.4Ghz and 23.0-23.6Ghz. 14Mhz Channel separation.')
odu_type_e2_a = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 2, 1))
if mibBuilder.loadTexts:
oduTypeE2A.setStatus('current')
if mibBuilder.loadTexts:
oduTypeE2A.setDescription('Unit transmits at 21500-21800Mhz, receives at 22700-23000Mhz.')
odu_type_e2_b = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 2, 2))
if mibBuilder.loadTexts:
oduTypeE2B.setStatus('current')
if mibBuilder.loadTexts:
oduTypeE2B.setDescription('Unit transmits at 22700-23000Mhz, receives at 21500-21800Mhz.')
sky_zhone8e3 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 3))
if mibBuilder.loadTexts:
skyZhone8e3.setStatus('current')
if mibBuilder.loadTexts:
skyZhone8e3.setDescription('Variant of transport node with E1/T1 interface which operates a link at frequency bands 21.8-22.4Ghz and 23.0-23.6Ghz. 14Mhz Channel separation.')
odu_type_e3_a = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 3, 1))
if mibBuilder.loadTexts:
oduTypeE3A.setStatus('current')
if mibBuilder.loadTexts:
oduTypeE3A.setDescription('Unit transmits at 21800-22100Mhz, receives at 23000-23300Mhz.')
odu_type_e3_b = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 3, 2))
if mibBuilder.loadTexts:
oduTypeE3B.setStatus('current')
if mibBuilder.loadTexts:
oduTypeE3B.setDescription('Unit transmits at 23000-23300Mhz, receives at 21800-22100Mhz.')
sky_zhone8e4 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 4))
if mibBuilder.loadTexts:
skyZhone8e4.setStatus('current')
if mibBuilder.loadTexts:
skyZhone8e4.setDescription('Variant of transport node with E1/T1 interface which operates a link at frequency bands 21.8-22.4Ghz and 23.0-23.6Ghz. 14Mhz Channel separation.')
odu_type_e4_a = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 4, 1))
if mibBuilder.loadTexts:
oduTypeE4A.setStatus('current')
if mibBuilder.loadTexts:
oduTypeE4A.setDescription('Unit transmits at 22100-22400Mhz, receives at 23300-23600Mhz.')
odu_type_e4_b = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 4, 2))
if mibBuilder.loadTexts:
oduTypeE4B.setStatus('current')
if mibBuilder.loadTexts:
oduTypeE4B.setDescription('Unit transmits at 23300-23600Mhz, receives at 22100-22400Mhz.')
sky_zhone8t1 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 5))
if mibBuilder.loadTexts:
skyZhone8t1.setStatus('current')
if mibBuilder.loadTexts:
skyZhone8t1.setDescription('Variant of transport node with E1/T1 interface which operates a link at frequency bands 21.8-22.4Ghz and 23.0-23.6Ghz. 14Mhz Channel separation.')
odu_type_t1_a = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 5, 1))
if mibBuilder.loadTexts:
oduTypeT1A.setStatus('current')
if mibBuilder.loadTexts:
oduTypeT1A.setDescription('Unit transmits at 21200-21500Mhz, receives at 22400-22700Mhz.')
odu_type_t1_b = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 5, 2))
if mibBuilder.loadTexts:
oduTypeT1B.setStatus('current')
if mibBuilder.loadTexts:
oduTypeT1B.setDescription('Unit transmits at 22400-22700Mhz, receives at 21200-21500Mhz.')
sky_zhone8t2 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 6))
if mibBuilder.loadTexts:
skyZhone8t2.setStatus('current')
if mibBuilder.loadTexts:
skyZhone8t2.setDescription('Variant of transport node with E1/T1 interface which operates a link at frequency bands 21.8-22.4Ghz and 23.0-23.6Ghz. 14Mhz Channel separation.')
odu_type_t2_a = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 6, 1))
if mibBuilder.loadTexts:
oduTypeT2A.setStatus('current')
if mibBuilder.loadTexts:
oduTypeT2A.setDescription('Unit transmits at 21500-21800Mhz, receives at 22700-23000Mhz.')
odu_type_t2_b = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 6, 2))
if mibBuilder.loadTexts:
oduTypeT2B.setStatus('current')
if mibBuilder.loadTexts:
oduTypeT2B.setDescription('Unit transmits at 22700-23000Mhz, receives at 21500-21800Mhz.')
sky_zhone8t3 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 7))
if mibBuilder.loadTexts:
skyZhone8t3.setStatus('current')
if mibBuilder.loadTexts:
skyZhone8t3.setDescription('Variant of transport node with E1/T1 interface which operates a link at frequency bands 21.8-22.4Ghz and 23.0-23.6Ghz. 14Mhz Channel separation.')
odu_type_t3_a = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 7, 1))
if mibBuilder.loadTexts:
oduTypeT3A.setStatus('current')
if mibBuilder.loadTexts:
oduTypeT3A.setDescription('Unit transmits at 21800-22100Mhz, receives at 23000-23300Mhz.')
odu_type_t3_b = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 7, 2))
if mibBuilder.loadTexts:
oduTypeT3B.setStatus('current')
if mibBuilder.loadTexts:
oduTypeT3B.setDescription('Unit transmits at 23000-23300Mhz, receives at 21800-22100Mhz.')
sky_zhone8t4 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 8))
if mibBuilder.loadTexts:
skyZhone8t4.setStatus('current')
if mibBuilder.loadTexts:
skyZhone8t4.setDescription('Variant of transport node with E1/T1 interface which operates a link at frequency bands 21.8-22.4Ghz and 23.0-23.6Ghz. 14Mhz Channel separation.')
odu_type_t4_a = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 8, 1))
if mibBuilder.loadTexts:
oduTypeT4A.setStatus('current')
if mibBuilder.loadTexts:
oduTypeT4A.setDescription('Unit transmits at 22100-22400Mhz, receives at 23300-23600Mhz.')
odu_type_t4_b = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 8, 2))
if mibBuilder.loadTexts:
oduTypeT4B.setStatus('current')
if mibBuilder.loadTexts:
oduTypeT4B.setDescription('Unit transmits at 23300-23600Mhz, receives at 22100-22400Mhz.')
sky_zhone155s1 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 9))
if mibBuilder.loadTexts:
skyZhone155s1.setStatus('current')
if mibBuilder.loadTexts:
skyZhone155s1.setDescription('Variant of transport node with STM-1 interface which operates a link at frequency bands 21.2-21.8Ghz and 22.4-23Ghz. 28Mhz Channel separation.')
odu_type_s1_a = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 9, 1))
if mibBuilder.loadTexts:
oduTypeS1A.setStatus('current')
if mibBuilder.loadTexts:
oduTypeS1A.setDescription('Unit transmits at 21200-21500Mhz, receives at 22400-22700Mhz.')
odu_type_s1_b = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 9, 2))
if mibBuilder.loadTexts:
oduTypeS1B.setStatus('current')
if mibBuilder.loadTexts:
oduTypeS1B.setDescription('Unit transmits at 22400-22700Mhz, receives at 21200-21500Mhz.')
sky_zhone155s2 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 10))
if mibBuilder.loadTexts:
skyZhone155s2.setStatus('current')
if mibBuilder.loadTexts:
skyZhone155s2.setDescription('Variant of transport node with STM-1 interface which operates a link at frequency bands 21.8-22.4Ghz and 23.0-23.6Ghz. 28Mhz Channel separation.')
odu_type_s2_a = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 10, 1))
if mibBuilder.loadTexts:
oduTypeS2A.setStatus('current')
if mibBuilder.loadTexts:
oduTypeS2A.setDescription('Unit transmits at 21500-21800Mhz, receives at 22700-23000Mhz.')
odu_type_s2_b = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 10, 2))
if mibBuilder.loadTexts:
oduTypeS2B.setStatus('current')
if mibBuilder.loadTexts:
oduTypeS2B.setDescription('Unit transmits at 22700-23000Mhz, receives at 21500-21800Mhz.')
sky_zhone155s3 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 11))
if mibBuilder.loadTexts:
skyZhone155s3.setStatus('current')
if mibBuilder.loadTexts:
skyZhone155s3.setDescription('Variant of transport node with STM-1 interface which operates a link at frequency bands 21.2-21.8Ghz and 22.4-23Ghz. 28Mhz Channel separation.')
odu_type_s3_a = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 11, 1))
if mibBuilder.loadTexts:
oduTypeS3A.setStatus('current')
if mibBuilder.loadTexts:
oduTypeS3A.setDescription('Unit transmits at 21800-22100Mhz, receives at 23000-23300Mhz.')
odu_type_s3_b = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 11, 2))
if mibBuilder.loadTexts:
oduTypeS3B.setStatus('current')
if mibBuilder.loadTexts:
oduTypeS3B.setDescription('Unit transmits at 23000-23300Mhz, receives at 21800-22100Mhz.')
sky_zhone155s4 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 12))
if mibBuilder.loadTexts:
skyZhone155s4.setStatus('current')
if mibBuilder.loadTexts:
skyZhone155s4.setDescription('Variant of transport node with STM-1 interface which operates a link at frequency bands 21.8-22.4Ghz and 23.0-23.6Ghz. 28Mhz Channel separation.')
odu_type_s4_a = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 12, 1))
if mibBuilder.loadTexts:
oduTypeS4A.setStatus('current')
if mibBuilder.loadTexts:
oduTypeS4A.setDescription('Unit transmits at 22100-22400Mhz, receives at 23300-23600Mhz.')
odu_type_s4_b = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 2, 12, 2))
if mibBuilder.loadTexts:
oduTypeS4B.setStatus('current')
if mibBuilder.loadTexts:
oduTypeS4B.setDescription('Unit transmits at 23300-23600Mhz, receives at 22100-22400Mhz.')
sky_zhone1xxx = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 5, 3))
if mibBuilder.loadTexts:
skyZhone1xxx.setStatus('current')
if mibBuilder.loadTexts:
skyZhone1xxx.setDescription('SkyZhone 802.11 a/b/g/n Wifi Access Points product family.')
malc19 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 1))
if mibBuilder.loadTexts:
malc19.setStatus('current')
if mibBuilder.loadTexts:
malc19.setDescription('Multiple Access Loop Concentrator with 19 inch rack mount cabinet product identifier.')
malc23 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 2))
if mibBuilder.loadTexts:
malc23.setStatus('current')
if mibBuilder.loadTexts:
malc23.setDescription('Multiple Access Loop Concentrator with 23 inch rack mount cabinet product identifier.')
malc319 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 3))
if mibBuilder.loadTexts:
malc319.setStatus('current')
if mibBuilder.loadTexts:
malc319.setDescription('Multiple Access Loop Concentrator with 10 inch rack mount cabinet product identifier.')
raptor319_a = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 4))
if mibBuilder.loadTexts:
raptor319A.setStatus('current')
if mibBuilder.loadTexts:
raptor319A.setDescription('Raptor MALC with 10 inch rack mount cabinet product identifier. The Raptor differs from the standard MALC in that it does not have any subscriber voice capability.')
raptor319_i = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 5))
if mibBuilder.loadTexts:
raptor319I.setStatus('current')
if mibBuilder.loadTexts:
raptor319I.setDescription('Raptor MALC with IP termination, with 10 inch rack mount cabinet product identifier. The Raptor differs from the standard MALC in that it does not have any subscriber voice capability.')
raptor719_a = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 6))
if mibBuilder.loadTexts:
raptor719A.setStatus('current')
if mibBuilder.loadTexts:
raptor719A.setDescription('Raptor MALC with 19 inch rack mount cabinet product identifier. The Raptor differs from the standard MALC in that it does not have any subscriber voice capability.')
raptor719_i = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 7))
if mibBuilder.loadTexts:
raptor719I.setStatus('current')
if mibBuilder.loadTexts:
raptor719I.setDescription('Raptor MALC with IP termination, with 10 inch rack mount cabinet product identifier. The Raptor differs from the standard MALC in that it does not have any subscriber voice capability.')
raptor723_a = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 8))
if mibBuilder.loadTexts:
raptor723A.setStatus('current')
if mibBuilder.loadTexts:
raptor723A.setDescription('Raptor MALC with 23 inch rack mount cabinet product identifier. The Raptor differs from the standard MALC in that it does not have any subscriber voice capability.')
raptor723_i = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 9))
if mibBuilder.loadTexts:
raptor723I.setStatus('current')
if mibBuilder.loadTexts:
raptor723I.setDescription('Raptor MALC with IP termination, with 10 inch rack mount cabinet product identifier. The Raptor differs from the standard MALC in that it does not have any subscriber voice capability.')
raptor100_a = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 10))
if mibBuilder.loadTexts:
raptor100A.setStatus('current')
if mibBuilder.loadTexts:
raptor100A.setDescription('RAPTOR-100A in a single board configuration. The RAPTOR 100A is a single-board MALC with up to 4 T1/E1 IMA/UNI uplinks and 24 ADSL lines. It is offered with or without a splitter daughter-board. The RAPTOR-100A does not offer any subscriber voice services.')
raptor100_i = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 11))
if mibBuilder.loadTexts:
raptor100I.setStatus('current')
if mibBuilder.loadTexts:
raptor100I.setDescription('Raptor MALC in single-board configuration with IP termination product identifier. The Raptor differs from the standard MALC in that it does not have any subscriber voice capability.')
raptor100_lp = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 12))
if mibBuilder.loadTexts:
raptor100LP.setStatus('current')
if mibBuilder.loadTexts:
raptor100LP.setDescription('RAPTOR-100 Line Powered in a single board configuration. The RAPTOR-100 Line-Powered is a single-board MALC with up to four GSHDSL uplinks and 16 ADSL lines. It is offered with or without a splitter daughter-board. The RAPTOR-100 LP does not offer any subscriber voice services.')
raptor50_gshdsl = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 13))
if mibBuilder.loadTexts:
raptor50Gshdsl.setStatus('current')
if mibBuilder.loadTexts:
raptor50Gshdsl.setDescription('RAPTOR-100 Line Powered in a single board configuration. The RAPTOR-100 Line-Powered is a single-board MALC with up to four GSHDSL uplinks and 16 ADSL lines. It is offered with or without a splitter daughter-board. The RAPTOR-100 LP does not offer any subscriber voice services.')
isc303 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 14))
if mibBuilder.loadTexts:
isc303.setStatus('current')
if mibBuilder.loadTexts:
isc303.setDescription('ISC-303 ADSL subsystem based on modified legacy ISC-303 TDM platform. The ISC-303 ADSL system provides up to 60 ADSL ports spread over 24 line cards. The system is fed by two T1 lines. The T1 IMA uplink operates on half of the eCTU card and the ADSL operates on half of each of the ADSL line cards. This system does not offer any subscriber voice services.')
r100adsl2_pxxx = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 15))
if mibBuilder.loadTexts:
r100adsl2Pxxx.setStatus('current')
if mibBuilder.loadTexts:
r100adsl2Pxxx.setDescription('R100 ADSL2P family of products.')
r100adsl2pip = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 15, 1))
if mibBuilder.loadTexts:
r100adsl2pip.setStatus('current')
if mibBuilder.loadTexts:
r100adsl2pip.setDescription('R100 ADSL2P IP.')
r100adsl2phdsl4 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 15, 2))
if mibBuilder.loadTexts:
r100adsl2phdsl4.setStatus('current')
if mibBuilder.loadTexts:
r100adsl2phdsl4.setDescription('R100 ADSL2P HDSL4.')
r100adsl2pt1ima = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 15, 3))
if mibBuilder.loadTexts:
r100adsl2pt1ima.setStatus('current')
if mibBuilder.loadTexts:
r100adsl2pt1ima.setDescription('R100 ADSL2P T1IMA.')
r100adsl2pgige = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 15, 4))
if mibBuilder.loadTexts:
r100adsl2pgige.setStatus('current')
if mibBuilder.loadTexts:
r100adsl2pgige.setDescription('R100 ADSL2P GigE.')
r100adsl2pgm = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 15, 5))
if mibBuilder.loadTexts:
r100adsl2pgm.setStatus('obsolete')
if mibBuilder.loadTexts:
r100adsl2pgm.setDescription('R100 Adsl2P Gm')
r100adsl2pgte = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 15, 6))
if mibBuilder.loadTexts:
r100adsl2pgte.setStatus('obsolete')
if mibBuilder.loadTexts:
r100adsl2pgte.setDescription('R100 ADSL2P GTE')
r100adsl2panxb = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 15, 7))
if mibBuilder.loadTexts:
r100adsl2panxb.setStatus('current')
if mibBuilder.loadTexts:
r100adsl2panxb.setDescription('R100 ADSL2P ANXB')
m100 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 16))
if mibBuilder.loadTexts:
m100.setStatus('current')
if mibBuilder.loadTexts:
m100.setDescription('M100.')
m100adsl2pxxx = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 16, 1))
if mibBuilder.loadTexts:
m100adsl2pxxx.setStatus('current')
if mibBuilder.loadTexts:
m100adsl2pxxx.setDescription('M100 ADSL2P.')
m100adsl2pgige = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 16, 1, 1))
if mibBuilder.loadTexts:
m100adsl2pgige.setStatus('current')
if mibBuilder.loadTexts:
m100adsl2pgige.setDescription('M100 ADSL2P GigE.')
m100adsl2pgm = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 16, 1, 2))
if mibBuilder.loadTexts:
m100adsl2pgm.setStatus('obsolete')
if mibBuilder.loadTexts:
m100adsl2pgm.setDescription('M100 Adsl2p Gm')
m100_adsl2p_anx_b = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 16, 1, 3))
if mibBuilder.loadTexts:
m100Adsl2pAnxB.setStatus('current')
if mibBuilder.loadTexts:
m100Adsl2pAnxB.setDescription('MALC 100 ADSL2P ANXB')
m100_vdsl2xxx = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 16, 2))
if mibBuilder.loadTexts:
m100Vdsl2xxx.setStatus('obsolete')
if mibBuilder.loadTexts:
m100Vdsl2xxx.setDescription('M100 Vdsl2')
m100vdsl2gm = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 16, 2, 1))
if mibBuilder.loadTexts:
m100vdsl2gm.setStatus('obsolete')
if mibBuilder.loadTexts:
m100vdsl2gm.setDescription('M100 Vdsl2 Gm')
r100_vdsl2xx = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 17))
if mibBuilder.loadTexts:
r100Vdsl2xx.setStatus('obsolete')
if mibBuilder.loadTexts:
r100Vdsl2xx.setDescription('Raptor 100 Vdsl2 series')
r100vdsl2gm = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 17, 1))
if mibBuilder.loadTexts:
r100vdsl2gm.setStatus('obsolete')
if mibBuilder.loadTexts:
r100vdsl2gm.setDescription('R100 VDSL2 GM')
fiber_slam = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 18))
if mibBuilder.loadTexts:
fiberSlam.setStatus('current')
if mibBuilder.loadTexts:
fiberSlam.setDescription('FiberSLAM series.')
fs105 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 18, 1))
if mibBuilder.loadTexts:
fs105.setStatus('current')
if mibBuilder.loadTexts:
fs105.setDescription('fiberslam-105 provides datacom (2xGigE, 2x10/100) and telecom (16xT1/E1, 3xDS3/E3) traffic mapping over SONET/SDH at 2.5Gbps.')
fs101 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 18, 2))
if mibBuilder.loadTexts:
fs101.setStatus('current')
if mibBuilder.loadTexts:
fs101.setDescription('fiberslam-101 provides datacom (2xGigE, 2x10/100) and telecom (16xT1/E1) traffic mapping over SONET/SDH at 2.5Gbps.')
raptor_xp = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19))
if mibBuilder.loadTexts:
raptorXP.setStatus('current')
if mibBuilder.loadTexts:
raptorXP.setDescription('Raptor XP family')
raptor_xp150_a = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 1))
if mibBuilder.loadTexts:
raptorXP150A.setStatus('current')
if mibBuilder.loadTexts:
raptorXP150A.setDescription('Raptor-XP-150-A, the Raptor Adsl2 board')
raptor_xp150_a_isp = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 1, 1))
if mibBuilder.loadTexts:
raptorXP150A_ISP.setStatus('current')
if mibBuilder.loadTexts:
raptorXP150A_ISP.setDescription('Raptor-150A Indoor Unit')
raptor_xp150_a_osp = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 1, 2))
if mibBuilder.loadTexts:
raptorXP150A_OSP.setStatus('current')
if mibBuilder.loadTexts:
raptorXP150A_OSP.setDescription('Raptor-150A Outdoor Unit')
raptor_xp350_a = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 2))
if mibBuilder.loadTexts:
raptorXP350A.setStatus('current')
if mibBuilder.loadTexts:
raptorXP350A.setDescription('Raptor-XP-350-A, the Raptor Adsl2 T1/E1 board')
raptor_xp350_a_isp = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 2, 1))
if mibBuilder.loadTexts:
raptorXP350A_ISP.setStatus('current')
if mibBuilder.loadTexts:
raptorXP350A_ISP.setDescription('Raptor-XP-350A Indoor Unit')
raptor_xp350_a_osp = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 2, 2))
if mibBuilder.loadTexts:
raptorXP350A_OSP.setStatus('current')
if mibBuilder.loadTexts:
raptorXP350A_OSP.setDescription('Raptor-XP-350A Outdoor Unit')
raptor_xp160 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 3))
if mibBuilder.loadTexts:
raptorXP160.setStatus('current')
if mibBuilder.loadTexts:
raptorXP160.setDescription('Raptor-XP-160, the Raptor Vdsl2 board')
raptor_xp160_isp = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 3, 1))
if mibBuilder.loadTexts:
raptorXP160_ISP.setStatus('current')
if mibBuilder.loadTexts:
raptorXP160_ISP.setDescription('Raptor-XP-160 Indoor Unit')
raptor_xp160_osp = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 3, 2))
if mibBuilder.loadTexts:
raptorXP160_OSP.setStatus('current')
if mibBuilder.loadTexts:
raptorXP160_OSP.setDescription('Raptor-XP-160 Outdoor Unit')
raptor_xp170 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 4))
if mibBuilder.loadTexts:
raptorXP170.setStatus('current')
if mibBuilder.loadTexts:
raptorXP170.setDescription('Raptor-XP-170, the Raptor SHDSL board')
raptor_xp170_wc = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 4, 1))
if mibBuilder.loadTexts:
raptorXP170_WC.setStatus('current')
if mibBuilder.loadTexts:
raptorXP170_WC.setDescription('Raptor-XP-170 with Wetting Current')
raptor_xp170_isp_wc = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 4, 1, 1))
if mibBuilder.loadTexts:
raptorXP170_ISP_WC.setStatus('current')
if mibBuilder.loadTexts:
raptorXP170_ISP_WC.setDescription('Raptor-XP-170 Indoor Unit with Wetting Current')
raptor_xp170_osp_wc = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 4, 1, 2))
if mibBuilder.loadTexts:
raptorXP170_OSP_WC.setStatus('current')
if mibBuilder.loadTexts:
raptorXP170_OSP_WC.setDescription('Raptor-XP-170 Outdoor Unit with Wetting Current')
raptor_xp170_wc_sd = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 4, 2))
if mibBuilder.loadTexts:
raptorXP170_WC_SD.setStatus('current')
if mibBuilder.loadTexts:
raptorXP170_WC_SD.setDescription('Raptor-XP-170 with Wetting Current and SELT/DELT')
raptor_xp170_isp_wc_sd = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 4, 2, 1))
if mibBuilder.loadTexts:
raptorXP170_ISP_WC_SD.setStatus('current')
if mibBuilder.loadTexts:
raptorXP170_ISP_WC_SD.setDescription('Raptor-XP-170 Indoor Unit with Wetting Current and SELT/DELT')
raptor_xp170_osp_wc_sd = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 4, 2, 2))
if mibBuilder.loadTexts:
raptorXP170_OSP_WC_SD.setStatus('current')
if mibBuilder.loadTexts:
raptorXP170_OSP_WC_SD.setDescription('Raptor-XP-170 Outdoor Unit with Wetting Current and SELT/DELT')
raptor_xp170_lp = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 4, 3))
if mibBuilder.loadTexts:
raptorXP170_LP.setStatus('current')
if mibBuilder.loadTexts:
raptorXP170_LP.setDescription('Raptor-XP-170 with Line Power')
raptor_xp170_isp_lp = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 4, 3, 1))
if mibBuilder.loadTexts:
raptorXP170_ISP_LP.setStatus('current')
if mibBuilder.loadTexts:
raptorXP170_ISP_LP.setDescription('Raptor-XP-170 Indoor Unit with Line Power')
raptor_xp170_osp_lp = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 4, 3, 2))
if mibBuilder.loadTexts:
raptorXP170_OSP_LP.setStatus('current')
if mibBuilder.loadTexts:
raptorXP170_OSP_LP.setDescription('Raptor-XP-170 Outdoor Unit with Line Power')
raptor_xp170_lp_sd = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 4, 4))
if mibBuilder.loadTexts:
raptorXP170_LP_SD.setStatus('current')
if mibBuilder.loadTexts:
raptorXP170_LP_SD.setDescription('Raptor-XP-170 with Line Power and SELT/DELT')
raptor_xp170_isp_lp_sd = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 4, 4, 1))
if mibBuilder.loadTexts:
raptorXP170_ISP_LP_SD.setStatus('current')
if mibBuilder.loadTexts:
raptorXP170_ISP_LP_SD.setDescription('Raptor-XP-170 Indoor Unit with Line Power and SELT/DELT')
raptor_xp170_osp_lp_sd = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 19, 4, 4, 2))
if mibBuilder.loadTexts:
raptorXP170_OSP_LP_SD.setStatus('current')
if mibBuilder.loadTexts:
raptorXP170_OSP_LP_SD.setDescription('Raptor-XP-170 Outdoor Unit with Line Power and SELT/DELT')
malc_xp = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 20))
if mibBuilder.loadTexts:
malcXP.setStatus('current')
if mibBuilder.loadTexts:
malcXP.setDescription('Malc-XP family')
malc_xp150_a = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 20, 1))
if mibBuilder.loadTexts:
malcXP150A.setStatus('current')
if mibBuilder.loadTexts:
malcXP150A.setDescription('Malc-XP-150-A, the Raptor Adsl2 POTS board')
malc_xp150_a_isp = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 20, 1, 1))
if mibBuilder.loadTexts:
malcXP150A_ISP.setStatus('current')
if mibBuilder.loadTexts:
malcXP150A_ISP.setDescription('MalcXP150A Indoor Unit')
malc_xp150_a_osp = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 20, 1, 2))
if mibBuilder.loadTexts:
malcXP150A_OSP.setStatus('current')
if mibBuilder.loadTexts:
malcXP150A_OSP.setDescription('MalcXP150A Outdoor Unit')
malc_xp350_a = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 20, 4))
if mibBuilder.loadTexts:
malcXP350A.setStatus('current')
if mibBuilder.loadTexts:
malcXP350A.setDescription('Malc-XP-350-A, the Raptor Adsl2 POTS T1/E1 board')
malc_xp350_a_isp = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 20, 4, 1))
if mibBuilder.loadTexts:
malcXP350A_ISP.setStatus('current')
if mibBuilder.loadTexts:
malcXP350A_ISP.setDescription('Malc-XP-350A Indoor Unit')
malc_xp350_a_osp = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 20, 4, 2))
if mibBuilder.loadTexts:
malcXP350A_OSP.setStatus('current')
if mibBuilder.loadTexts:
malcXP350A_OSP.setDescription('Malc-XP-350A Outdoor Unit')
malc_xp160 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 20, 5))
if mibBuilder.loadTexts:
malcXP160.setStatus('current')
if mibBuilder.loadTexts:
malcXP160.setDescription('Malc-XP-160, the Raptor Vdsl2 POTS board')
malc_xp160_isp = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 20, 5, 1))
if mibBuilder.loadTexts:
malcXP160_ISP.setStatus('current')
if mibBuilder.loadTexts:
malcXP160_ISP.setDescription('Malc-XP-160 Indoor Unit')
malc_xp160_osp = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 6, 20, 5, 2))
if mibBuilder.loadTexts:
malcXP160_OSP.setStatus('current')
if mibBuilder.loadTexts:
malcXP160_OSP.setDescription('Malc-XP-160 Outdoor Unit')
zhone_reg_mx_next_gen = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7))
if mibBuilder.loadTexts:
zhoneRegMxNextGen.setStatus('current')
if mibBuilder.loadTexts:
zhoneRegMxNextGen.setDescription('Next Generation MALC')
mx19 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 1))
if mibBuilder.loadTexts:
mx19.setStatus('current')
if mibBuilder.loadTexts:
mx19.setDescription('Mx Next Gen 19 inch.')
mx23 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 2))
if mibBuilder.loadTexts:
mx23.setStatus('current')
if mibBuilder.loadTexts:
mx23.setDescription('Mx Next Gen 23 inch.')
mx319 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 3))
if mibBuilder.loadTexts:
mx319.setStatus('current')
if mibBuilder.loadTexts:
mx319.setDescription('Mx Next Gen 3U 19 inch.')
mx1_u = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4))
if mibBuilder.loadTexts:
mx1U.setStatus('current')
if mibBuilder.loadTexts:
mx1U.setDescription('MX1U Product Family')
mx1_ux6x = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 1))
if mibBuilder.loadTexts:
mx1Ux6x.setStatus('current')
if mibBuilder.loadTexts:
mx1Ux6x.setDescription('MX1U x6x Product Family')
mx1_u16x = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 1, 1))
if mibBuilder.loadTexts:
mx1U16x.setStatus('current')
if mibBuilder.loadTexts:
mx1U16x.setDescription('MX1U 16x Product Family')
mx1_u160 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 1, 1, 1))
if mibBuilder.loadTexts:
mx1U160.setStatus('current')
if mibBuilder.loadTexts:
mx1U160.setDescription('MX 160 - 24 VDSL2, 4 FE/GE')
mx1_u161 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 1, 1, 2))
if mibBuilder.loadTexts:
mx1U161.setStatus('current')
if mibBuilder.loadTexts:
mx1U161.setDescription('MX 161 - 24 VDSL2, 24 POTS SPLT (600 Ohm), 4 FE/GE')
mx1_u162 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 1, 1, 3))
if mibBuilder.loadTexts:
mx1U162.setStatus('current')
if mibBuilder.loadTexts:
mx1U162.setDescription('MX 162 - 24 VDSL2, 24 POTS SPLT (900 Ohm), 4 FE/GE')
mx1_u26x = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 1, 2))
if mibBuilder.loadTexts:
mx1U26x.setStatus('current')
if mibBuilder.loadTexts:
mx1U26x.setDescription('MX1U 26x Product Family')
mx1_u260 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 1, 2, 1))
if mibBuilder.loadTexts:
mx1U260.setStatus('current')
if mibBuilder.loadTexts:
mx1U260.setDescription('MX 260 - 24 VDSL2, 3 FE/GE, 1 GPON')
mx1_u261 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 1, 2, 2))
if mibBuilder.loadTexts:
mx1U261.setStatus('current')
if mibBuilder.loadTexts:
mx1U261.setDescription('MX 261 - 24 VDSL2, 24 POTS SPLT (600 Ohm), 3 FE/GE, 1 GPON')
mx1_u262 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 1, 2, 3))
if mibBuilder.loadTexts:
mx1U262.setStatus('current')
if mibBuilder.loadTexts:
mx1U262.setDescription('MX 262 - 24 VDSL2, 24 POTS SPLT (900 Ohm), 3 FE/GE, 1 GPON')
mx1_ux80 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 2))
if mibBuilder.loadTexts:
mx1Ux80.setStatus('current')
if mibBuilder.loadTexts:
mx1Ux80.setDescription('MX1U x80 Product Family')
mx1_u180 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 2, 1))
if mibBuilder.loadTexts:
mx1U180.setStatus('current')
if mibBuilder.loadTexts:
mx1U180.setDescription('MX 180 - 24 FE, 2 FE/GE')
mx1_u280 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 2, 2))
if mibBuilder.loadTexts:
mx1U280.setStatus('current')
if mibBuilder.loadTexts:
mx1U280.setDescription('MX 280 - 24 FE, 2 FE/GE, 1 GPON')
mx1_u180_tp_rj45 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 2, 3))
if mibBuilder.loadTexts:
mx1U180_TP_RJ45.setStatus('current')
if mibBuilder.loadTexts:
mx1U180_TP_RJ45.setDescription('MX 180 TP-RJ45 - 24 FE, 4 FE/GE')
mx1_u280_tp_rj45 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 2, 4))
if mibBuilder.loadTexts:
mx1U280_TP_RJ45.setStatus('current')
if mibBuilder.loadTexts:
mx1U280_TP_RJ45.setDescription('MX 280 TP-RJ45 - 24 FE, 3 FE/GE, 1 GPON')
mx1_u180_lt_tp_rj45 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 2, 5))
if mibBuilder.loadTexts:
mx1U180_LT_TP_RJ45.setStatus('current')
if mibBuilder.loadTexts:
mx1U180_LT_TP_RJ45.setDescription('MX 180 LT-TP-RJ45 - 24 FE, 4 FE/GE')
mx1_u280_lt_tp_rj45 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 2, 6))
if mibBuilder.loadTexts:
mx1U280_LT_TP_RJ45.setStatus('current')
if mibBuilder.loadTexts:
mx1U280_LT_TP_RJ45.setDescription('MX 280 LT-TP-RJ45 - 24 FE, 3 FE/GE, 1 GPON')
mx1_u19x = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 3))
if mibBuilder.loadTexts:
mx1U19x.setStatus('current')
if mibBuilder.loadTexts:
mx1U19x.setDescription('MXK 19x Product Family')
mx1_u194 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 3, 1))
if mibBuilder.loadTexts:
mx1U194.setStatus('current')
if mibBuilder.loadTexts:
mx1U194.setDescription('MXK 194 - 4 GPON OLT, 8 FE/GE')
mx1_u198 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 3, 2))
if mibBuilder.loadTexts:
mx1U198.setStatus('current')
if mibBuilder.loadTexts:
mx1U198.setDescription('MXK 198 - 8 GPON OLT, 8 FE/GE')
mx1_u194_10_ge = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 3, 3))
if mibBuilder.loadTexts:
mx1U194_10GE.setStatus('current')
if mibBuilder.loadTexts:
mx1U194_10GE.setDescription('MXK 194-10GE - 4 GPON OLT, 8 FE/GE, 2 10GE')
mx1_u198_10_ge = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 3, 4))
if mibBuilder.loadTexts:
mx1U198_10GE.setStatus('current')
if mibBuilder.loadTexts:
mx1U198_10GE.setDescription('MXK 198-10GE - 8 GPON OLT, 8 FE/GE, 2 10GE')
mx1_u194_top = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 3, 5))
if mibBuilder.loadTexts:
mx1U194_TOP.setStatus('current')
if mibBuilder.loadTexts:
mx1U194_TOP.setDescription('MXK 194-TOP - 4 GPON OLT, 8 FE/GE, TOP')
mx1_u198_top = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 3, 6))
if mibBuilder.loadTexts:
mx1U198_TOP.setStatus('current')
if mibBuilder.loadTexts:
mx1U198_TOP.setDescription('MXK 198-TOP - 8 GPON OLT, 8 FE/GE, TOP')
mx1_u194_10_ge_top = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 3, 7))
if mibBuilder.loadTexts:
mx1U194_10GE_TOP.setStatus('current')
if mibBuilder.loadTexts:
mx1U194_10GE_TOP.setDescription('MXK 194-10GE-TOP - 4 GPON OLT, 8 FE/GE, 2 10GE, TOP')
mx1_u198_10_ge_top = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 3, 8))
if mibBuilder.loadTexts:
mx1U198_10GE_TOP.setStatus('current')
if mibBuilder.loadTexts:
mx1U198_10GE_TOP.setDescription('MXK 198-10GE-TOP - 8 GPON OLT, 8 FE/GE, 2 10GE, TOP')
mx1_ux5x = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 4))
if mibBuilder.loadTexts:
mx1Ux5x.setStatus('current')
if mibBuilder.loadTexts:
mx1Ux5x.setDescription('Description.')
mx1_u15x = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 4, 1))
if mibBuilder.loadTexts:
mx1U15x.setStatus('current')
if mibBuilder.loadTexts:
mx1U15x.setDescription('Description.')
mx1_u150 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 4, 1, 1))
if mibBuilder.loadTexts:
mx1U150.setStatus('current')
if mibBuilder.loadTexts:
mx1U150.setDescription('Description.')
mx1_u151 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 4, 1, 2))
if mibBuilder.loadTexts:
mx1U151.setStatus('current')
if mibBuilder.loadTexts:
mx1U151.setDescription('Description.')
mx1_u152 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 4, 4, 1, 3))
if mibBuilder.loadTexts:
mx1U152.setStatus('current')
if mibBuilder.loadTexts:
mx1U152.setDescription('Description.')
mxp1_u = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 5))
if mibBuilder.loadTexts:
mxp1U.setStatus('current')
if mibBuilder.loadTexts:
mxp1U.setDescription('MXP1U Product Family')
mxp1_ux60 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 5, 1))
if mibBuilder.loadTexts:
mxp1Ux60.setStatus('current')
if mibBuilder.loadTexts:
mxp1Ux60.setDescription('MXP1U x60 Product Family')
mxp1_u160_family = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 5, 1, 1))
if mibBuilder.loadTexts:
mxp1U160Family.setStatus('current')
if mibBuilder.loadTexts:
mxp1U160Family.setDescription('MXP1U 160 Product Family')
mxp1_u160 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 5, 1, 1, 1))
if mibBuilder.loadTexts:
mxp1U160.setStatus('current')
if mibBuilder.loadTexts:
mxp1U160.setDescription('MXP 160 - 24 VDSL2, 24 POTS VOIP, 4 FE/GE')
mxp1_u260_family = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 5, 1, 2))
if mibBuilder.loadTexts:
mxp1U260Family.setStatus('current')
if mibBuilder.loadTexts:
mxp1U260Family.setDescription('MXP1U 260 Product Family')
mxp1_u260 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 5, 1, 2, 1))
if mibBuilder.loadTexts:
mxp1U260.setStatus('current')
if mibBuilder.loadTexts:
mxp1U260.setDescription('MXP 260 - 24 VDSL2, 24 POTS VOIP, 3 FE/GE, 1 GPON')
mxp1_ux80 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 5, 2))
if mibBuilder.loadTexts:
mxp1Ux80.setStatus('current')
if mibBuilder.loadTexts:
mxp1Ux80.setDescription('MXP1U x80 Product Family')
mxp1_u180 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 5, 2, 1))
if mibBuilder.loadTexts:
mxp1U180.setStatus('current')
if mibBuilder.loadTexts:
mxp1U180.setDescription('MXP 180 - 24 FE, 24 POTS VOIP, 2 FE/GE')
mxp1_u280 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 5, 2, 2))
if mibBuilder.loadTexts:
mxp1U280.setStatus('current')
if mibBuilder.loadTexts:
mxp1U280.setDescription('MXP 280 - 24 FE, 24 POTS VOIP, 2 FE/GE, 1 GPON')
mxp1_u180_tp_rj45 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 5, 2, 3))
if mibBuilder.loadTexts:
mxp1U180_TP_RJ45.setStatus('current')
if mibBuilder.loadTexts:
mxp1U180_TP_RJ45.setDescription('MXP 180 TP-RJ45 - 24 FE, 24 POTS VOIP, 4 FE/GE')
mxp1_u280_tp_rj45 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 5, 2, 4))
if mibBuilder.loadTexts:
mxp1U280_TP_RJ45.setStatus('current')
if mibBuilder.loadTexts:
mxp1U280_TP_RJ45.setDescription('MXP 280 TP-RJ45 - 24 FE, 24 POTS VOIP, 3 FE/GE, 1 GPON')
mxp1_ux5x = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 5, 3))
if mibBuilder.loadTexts:
mxp1Ux5x.setStatus('current')
if mibBuilder.loadTexts:
mxp1Ux5x.setDescription('Description.')
mxp1_u15x_family = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 5, 3, 1))
if mibBuilder.loadTexts:
mxp1U15xFamily.setStatus('current')
if mibBuilder.loadTexts:
mxp1U15xFamily.setDescription('Description.')
mxp1_u150 = object_identity((1, 3, 6, 1, 4, 1, 5504, 1, 7, 5, 3, 1, 1))
if mibBuilder.loadTexts:
mxp1U150.setStatus('current')
if mibBuilder.loadTexts:
mxp1U150.setDescription('Description.')
mibBuilder.exportSymbols('ZhoneProductRegistrations', znidNextGenGPON21xx=znidNextGenGPON21xx, oduTypeE3A=oduTypeE3A, malcXP350A=malcXP350A, mx1U26x=mx1U26x, mx1U151=mx1U151, mx1U161=mx1U161, znid42xx=znid42xx, skyZhone45=skyZhone45, znidGPON42xx=znidGPON42xx, zedge6200_IP_T1=zedge6200_IP_T1, zhoneRegistrationsModule=zhoneRegistrationsModule, znidNextGenGE24xx=znidNextGenGE24xx, mx23=mx23, skyZhone155s1=skyZhone155s1, oduTypeE1A=oduTypeE1A, zrg7xx=zrg7xx, znidNextGen42xx=znidNextGen42xx, mx1U280_TP_RJ45=mx1U280_TP_RJ45, raptor50Gshdsl=raptor50Gshdsl, skyZhone8e2=skyZhone8e2, raptor719A=raptor719A, raptorXP170_OSP_LP_SD=raptorXP170_OSP_LP_SD, mx1U262=mx1U262, fs105=fs105, znidNextGenGE97xx=znidNextGenGE97xx, zrg8xx=zrg8xx, znidNextGenGE21xx=znidNextGenGE21xx, raptor100LP=raptor100LP, malcXP160_ISP=malcXP160_ISP, oduTypeE2B=oduTypeE2B, mx1U198=mx1U198, mx1U194_10GE=mx1U194_10GE, znidNextGenGE42xx=znidNextGenGE42xx, znidNextGen22xx=znidNextGen22xx, ethXtendxx=ethXtendxx, oduTypeE1B=oduTypeE1B, skyZhone155s4=skyZhone155s4, raptorXP150A=raptorXP150A, raptorXP170_OSP_WC_SD=raptorXP170_OSP_WC_SD, mxp1U280_TP_RJ45=mxp1U280_TP_RJ45, ethXtend31xx=ethXtend31xx, mx1U261=mx1U261, zrg3xx=zrg3xx, oduTypeS2B=oduTypeS2B, mx1U180_TP_RJ45=mx1U180_TP_RJ45, raptorXP170_ISP_LP_SD=raptorXP170_ISP_LP_SD, s100_ATM_SM_16E1=s100_ATM_SM_16E1, mx1Ux80=mx1Ux80, z_plex10B_FXS_FXO=z_plex10B_FXS_FXO, skyZhone8t4=skyZhone8t4, mx19=mx19, PYSNMP_MODULE_ID=zhoneRegistrationsModule, znidEth422x=znidEth422x, fiberJack=fiberJack, mx1Ux6x=mx1Ux6x, mx1U162=mx1U162, znid=znid, raptor100A=raptor100A, mx1U194_TOP=mx1U194_TOP, raptorXP350A_OSP=raptorXP350A_OSP, mxp1U180=mxp1U180, oduTypeT1B=oduTypeT1B, raptor723I=raptor723I, r100adsl2panxb=r100adsl2panxb, skyZhone155s3=skyZhone155s3, zrg600_IDU=zrg600_IDU, raptorXP170_ISP_WC=raptorXP170_ISP_WC, malcXP160_OSP=malcXP160_OSP, sechtor_300=sechtor_300, mx1U198_10GE_TOP=mx1U198_10GE_TOP, oduTypeE4A=oduTypeE4A, zrg500_ODU=zrg500_ODU, oduTypeS3A=oduTypeS3A, zedge6200_IP_FXS=zedge6200_IP_FXS, oduTypeE3B=oduTypeE3B, ethXtend30xx=ethXtend30xx, znidNextGenGE26xx=znidNextGenGE26xx, znidNextGenGPON26xx=znidNextGenGPON26xx, mxp1U180_TP_RJ45=mxp1U180_TP_RJ45, oduTypeE2A=oduTypeE2A, oduTypeS2A=oduTypeS2A, znid420x=znid420x, mx1U=mx1U, zrg500_IDU=zrg500_IDU, z_plex10B_FXS=z_plex10B_FXS, r100adsl2pip=r100adsl2pip, mxp1U260Family=mxp1U260Family, znidGPON420x=znidGPON420x, fs101=fs101, zrg800_ODU=zrg800_ODU, raptorXP160_ISP=raptorXP160_ISP, mxp1U160=mxp1U160, mxp1U=mxp1U, raptorXP170_LP_SD=raptorXP170_LP_SD, zrg600_ODU=zrg600_ODU, skyZhone8t1=skyZhone8t1, zedge64=zedge64, znidNextGenGPON97xx=znidNextGenGPON97xx, skyZhone1xxx=skyZhone1xxx, r100adsl2pgm=r100adsl2pgm, r100Vdsl2xx=r100Vdsl2xx, mxp1Ux60=mxp1Ux60, raptorXP170=raptorXP170, malcXP350A_ISP=malcXP350A_ISP, raptor319A=raptor319A, oduTypeT2B=oduTypeT2B, raptorXP160=raptorXP160, raptorXP350A_ISP=raptorXP350A_ISP, zedge64_SHDSL_FXS=zedge64_SHDSL_FXS, mx1U198_10GE=mx1U198_10GE, mx1U180_LT_TP_RJ45=mx1U180_LT_TP_RJ45, node23000Mhz=node23000Mhz, fiberSlam=fiberSlam, mx1U152=mx1U152, malcXP=malcXP, mx1U280_LT_TP_RJ45=mx1U280_LT_TP_RJ45, mx1U16x=mx1U16x, ethXtendShdsl=ethXtendShdsl, znidNextGen26xx=znidNextGen26xx, ethXtendT1E1=ethXtendT1E1, znidNextGen9xxx=znidNextGen9xxx, zedge64_E1_FXS=zedge64_E1_FXS, malc23=malc23, isc303=isc303, skyZhone8t3=skyZhone8t3, zrg700_ODU=zrg700_ODU, oduTypeT1A=oduTypeT1A, raptorXP170_WC=raptorXP170_WC, malcXP150A_ISP=malcXP150A_ISP, zedge6200_IP_EM=zedge6200_IP_EM, raptorXP170_LP=raptorXP170_LP, raptorXP=raptorXP, mxp1U160Family=mxp1U160Family, oduTypeS1A=oduTypeS1A, znidNextGenGPON24xx=znidNextGenGPON24xx, znidNextGenGE9xxx=znidNextGenGE9xxx, raptorXP150A_ISP=raptorXP150A_ISP, skyZhone155s2=skyZhone155s2, r100adsl2pgte=r100adsl2pgte, raptorXP350A=raptorXP350A, zhoneRegMxNextGen=zhoneRegMxNextGen, mx1U280=mx1U280, mxp1U280=mxp1U280, raptor719I=raptor719I, m100adsl2pgm=m100adsl2pgm, mx319=mx319, zedge6200=zedge6200, m100Adsl2pAnxB=m100Adsl2pAnxB, zrg300_ODU=zrg300_ODU, m100adsl2pgige=m100adsl2pgige, malcXP160=malcXP160, znidNextGenGPON42xx=znidNextGenGPON42xx, mxp1U260=mxp1U260, m100Vdsl2xxx=m100Vdsl2xxx, skyZhone8t2=skyZhone8t2, oduTypeS3B=oduTypeS3B, zedge64_SHDSL_BRI=zedge64_SHDSL_BRI, mx1U160=mx1U160, sechtor_100=sechtor_100, oduTypeT3A=oduTypeT3A, oduTypeB=oduTypeB, raptor319I=raptor319I, zrg300_IDU=zrg300_IDU, m100=m100, mx1U194=mx1U194, zedge64_T1_FXS=zedge64_T1_FXS, oduTypeS4A=oduTypeS4A, skyZhone8e3=skyZhone8e3, malc19=malc19, malcXP350A_OSP=malcXP350A_OSP, r100adsl2phdsl4=r100adsl2phdsl4, r100adsl2Pxxx=r100adsl2Pxxx, oduTypeE4B=oduTypeE4B, raptor100I=raptor100I, r100adsl2pgige=r100adsl2pgige, raptorXP150A_OSP=raptorXP150A_OSP, s100_ATM_SM_16T1=s100_ATM_SM_16T1, znidNextGenGE22xx=znidNextGenGE22xx, m100adsl2pxxx=m100adsl2pxxx, zrg6xx=zrg6xx, oduTypeT4A=oduTypeT4A, zrg800_IDU=zrg800_IDU, r100adsl2pt1ima=r100adsl2pt1ima, raptorXP170_ISP_LP=raptorXP170_ISP_LP, mxp1U150=mxp1U150, oduTypeT3B=oduTypeT3B, oduTypeT2A=oduTypeT2A, mxp1Ux80=mxp1Ux80, znidNextGen24xx=znidNextGen24xx, m100vdsl2gm=m100vdsl2gm, ban_2000=ban_2000, zhoneRegWtn=zhoneRegWtn, mx1Ux5x=mx1Ux5x, raptorXP170_OSP_WC=raptorXP170_OSP_WC, raptorXP170_OSP_LP=raptorXP170_OSP_LP, oduTypeT4B=oduTypeT4B, oduTypeS1B=oduTypeS1B, znidNextGenGPON94xx=znidNextGenGPON94xx, raptorXP160_OSP=raptorXP160_OSP, mx1U260=mx1U260, mx1U194_10GE_TOP=mx1U194_10GE_TOP, mxp1Ux5x=mxp1Ux5x, znidNextGenGPON9xxx=znidNextGenGPON9xxx, skyZhone8e1=skyZhone8e1, mx1U198_TOP=mx1U198_TOP, zrg5xx=zrg5xx, malc319=malc319, mx1U150=mx1U150, mx1U19x=mx1U19x, r100vdsl2gm=r100vdsl2gm, znidNextGen=znidNextGen, raptor723A=raptor723A, skyZhone8e4=skyZhone8e4, znidNextGen21xx=znidNextGen21xx, ethXtend32xx=ethXtend32xx, oduTypeA=oduTypeA, oduTypeS4B=oduTypeS4B, mx1U180=mx1U180, malcXP150A_OSP=malcXP150A_OSP, z_plex10B=z_plex10B, raptorXP170_ISP_WC_SD=raptorXP170_ISP_WC_SD, znidNextGenGE94xx=znidNextGenGE94xx, node5700Mhz=node5700Mhz, zrg700_IDU=zrg700_IDU, malcXP150A=malcXP150A, mx1U15x=mx1U15x, raptorXP170_WC_SD=raptorXP170_WC_SD, mxp1U15xFamily=mxp1U15xFamily)
|
class Solution:
def solve(self, nums):
# Write your code here
if len(nums) == 0:
return nums
s = nums[0]
flag = True
for i in range(1,len(nums)):
if flag:
k = nums[i]
nums[i] = s
if k < s:
s = k
flag = False
else:
k = nums[i]
nums[i] = s
if k < s:
s = k
nums[0] = 0
return nums
|
class Solution:
def solve(self, nums):
if len(nums) == 0:
return nums
s = nums[0]
flag = True
for i in range(1, len(nums)):
if flag:
k = nums[i]
nums[i] = s
if k < s:
s = k
flag = False
else:
k = nums[i]
nums[i] = s
if k < s:
s = k
nums[0] = 0
return nums
|
A, B, K = map(int, input().rstrip().split())
for n in range(A, B + 1):
if n < A + K or n > B - K:
print(n)
|
(a, b, k) = map(int, input().rstrip().split())
for n in range(A, B + 1):
if n < A + K or n > B - K:
print(n)
|
# Attributes in different classes are isolated, changing one class does not
# affected the other, the same way that changing an object does not modify
# another.
email = '[email protected]'
class Student:
email = '[email protected]'
def __init__(self, name, birthday, courses):
# class public attributes
self.full_name = name
self.first_name = name.split(' ')[0]
self.birthday = birthday
self.courses = courses
self.attendance = []
class Teacher:
email = '[email protected]'
def __init__(self, name):
# class public attributes
self.full_name = name
print('email:', email)
# email: [email protected]
print('Student.email:', Student.email)
# Student.email: [email protected]
print('Teacher.email:', Teacher.email)
# Teacher.email: [email protected]
# Objects
john = Student('John Schneider', '2010-04-05', ['German', 'Arts', 'History'])
tiago = Teacher('Tiago Vieira')
# If the instance does not have the attribute it will access the class
# attribute.
print('john.email:', john.email)
# john.email: [email protected]
print('tiago.email:', tiago.email)
# tiago.email: [email protected]
# Changing the instance attribute does not change the class.
john.email = '[email protected]'
print('john.email:', john.email)
# john.email: [email protected]
print('Student.email:', Student.email)
# Student.email: [email protected]
# Changing the class changes how it is visible in the object.
Teacher.email = '[email protected]'
print('Teacher.email:', Teacher.email)
# Teacher.email: [email protected]
print('tiago.email:', tiago.email)
# tiago.email: [email protected]
# But changing the class does not affect the instance if they have their own
# attribute.
Student.email = '[email protected]'
print('Student.email:', Student.email)
# Student.email: [email protected]
print('john.email:', john.email)
# john.email: [email protected]
|
email = '[email protected]'
class Student:
email = '[email protected]'
def __init__(self, name, birthday, courses):
self.full_name = name
self.first_name = name.split(' ')[0]
self.birthday = birthday
self.courses = courses
self.attendance = []
class Teacher:
email = '[email protected]'
def __init__(self, name):
self.full_name = name
print('email:', email)
print('Student.email:', Student.email)
print('Teacher.email:', Teacher.email)
john = student('John Schneider', '2010-04-05', ['German', 'Arts', 'History'])
tiago = teacher('Tiago Vieira')
print('john.email:', john.email)
print('tiago.email:', tiago.email)
john.email = '[email protected]'
print('john.email:', john.email)
print('Student.email:', Student.email)
Teacher.email = '[email protected]'
print('Teacher.email:', Teacher.email)
print('tiago.email:', tiago.email)
Student.email = '[email protected]'
print('Student.email:', Student.email)
print('john.email:', john.email)
|
class InvalidGroupError(Exception):
pass
class MaxInvalidIterationsError(Exception):
pass
|
class Invalidgrouperror(Exception):
pass
class Maxinvaliditerationserror(Exception):
pass
|
friend_ages = {"Rolf": 25, "Anne": 37, "Charlie": 31, "Bob": 22}
for name in friend_ages:
print(name)
for age in friend_ages.values():
print(age)
for name, age in friend_ages.items():
print(f"{name} is {age} years old.")
|
friend_ages = {'Rolf': 25, 'Anne': 37, 'Charlie': 31, 'Bob': 22}
for name in friend_ages:
print(name)
for age in friend_ages.values():
print(age)
for (name, age) in friend_ages.items():
print(f'{name} is {age} years old.')
|
__author__ = "Matthew Wardrop"
__author_email__ = "[email protected]"
__version__ = "1.2.3"
__dependencies__ = []
|
__author__ = 'Matthew Wardrop'
__author_email__ = '[email protected]'
__version__ = '1.2.3'
__dependencies__ = []
|
# Average the numbers from 1 to n
n = int(input("Enter number:"))
avg = 0
for i in range(n + 1):
avg += i
avg = avg/n
print(avg)
|
n = int(input('Enter number:'))
avg = 0
for i in range(n + 1):
avg += i
avg = avg / n
print(avg)
|
# import math
# from fractions import *
# from exceptions import *
# from point import *
# from line import *
# from ellipse import *
# from polygon import *
# from hyperbola import *
# from triangle import *
# from rectangle import *
# from graph import *
# from delaunay import *
class Segment:
def __init__(self, p, q):
self.p = p
self.q = q
@classmethod
def findIntersection(cls, segment):
return None
|
class Segment:
def __init__(self, p, q):
self.p = p
self.q = q
@classmethod
def find_intersection(cls, segment):
return None
|
# -*- coding:utf-8 -*-
PROXY_RAW_KEY = "proxy_raw"
PROXY_VALID_KEY = "proxy_valid"
|
proxy_raw_key = 'proxy_raw'
proxy_valid_key = 'proxy_valid'
|
#
# PySNMP MIB module ALVARION-BANDWIDTH-CONTROL-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/ALVARION-BANDWIDTH-CONTROL-MIB
# Produced by pysmi-0.3.4 at Mon Apr 29 17:06:10 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)
#
alvarionMgmtV2, = mibBuilder.importSymbols("ALVARION-SMI", "alvarionMgmtV2")
AlvarionPriorityQueue, = mibBuilder.importSymbols("ALVARION-TC", "AlvarionPriorityQueue")
OctetString, Integer, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "OctetString", "Integer", "ObjectIdentifier")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ValueSizeConstraint, ValueRangeConstraint, ConstraintsIntersection, ConstraintsUnion, SingleValueConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueSizeConstraint", "ValueRangeConstraint", "ConstraintsIntersection", "ConstraintsUnion", "SingleValueConstraint")
ObjectGroup, ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ObjectGroup", "ModuleCompliance", "NotificationGroup")
Integer32, Unsigned32, MibIdentifier, Counter32, ModuleIdentity, TimeTicks, Counter64, IpAddress, NotificationType, Gauge32, MibScalar, MibTable, MibTableRow, MibTableColumn, iso, Bits, ObjectIdentity = mibBuilder.importSymbols("SNMPv2-SMI", "Integer32", "Unsigned32", "MibIdentifier", "Counter32", "ModuleIdentity", "TimeTicks", "Counter64", "IpAddress", "NotificationType", "Gauge32", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "iso", "Bits", "ObjectIdentity")
TextualConvention, DisplayString, TruthValue = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString", "TruthValue")
alvarionBandwidthControlMIB = ModuleIdentity((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 14))
if mibBuilder.loadTexts: alvarionBandwidthControlMIB.setLastUpdated('200710310000Z')
if mibBuilder.loadTexts: alvarionBandwidthControlMIB.setOrganization('Alvarion Ltd.')
alvarionBandwidthControlMIBObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 14, 1))
coBandwidthControlConfig = MibIdentifier((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 14, 1, 1))
coBandwidthControlEnable = MibScalar((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 14, 1, 1, 1), TruthValue()).setMaxAccess("readonly")
if mibBuilder.loadTexts: coBandwidthControlEnable.setStatus('current')
coBandwidthControlMaxTransmitRate = MibScalar((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 14, 1, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: coBandwidthControlMaxTransmitRate.setStatus('current')
coBandwidthControlMaxReceiveRate = MibScalar((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 14, 1, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: coBandwidthControlMaxReceiveRate.setStatus('current')
coBandwidthControlLevelTable = MibTable((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 14, 1, 1, 4), )
if mibBuilder.loadTexts: coBandwidthControlLevelTable.setStatus('current')
coBandwidthControlLevelEntry = MibTableRow((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 14, 1, 1, 4, 1), ).setIndexNames((0, "ALVARION-BANDWIDTH-CONTROL-MIB", "coBandwidthControlLevelIndex"))
if mibBuilder.loadTexts: coBandwidthControlLevelEntry.setStatus('current')
coBandwidthControlLevelIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 14, 1, 1, 4, 1, 1), AlvarionPriorityQueue())
if mibBuilder.loadTexts: coBandwidthControlLevelIndex.setStatus('current')
coBandwidthControlLevelMinTransmitRate = MibTableColumn((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 14, 1, 1, 4, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly")
if mibBuilder.loadTexts: coBandwidthControlLevelMinTransmitRate.setStatus('current')
coBandwidthControlLevelMaxTransmitRate = MibTableColumn((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 14, 1, 1, 4, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly")
if mibBuilder.loadTexts: coBandwidthControlLevelMaxTransmitRate.setStatus('current')
coBandwidthControlLevelMinReceiveRate = MibTableColumn((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 14, 1, 1, 4, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly")
if mibBuilder.loadTexts: coBandwidthControlLevelMinReceiveRate.setStatus('current')
coBandwidthControlLevelMaxReceiveRate = MibTableColumn((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 14, 1, 1, 4, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly")
if mibBuilder.loadTexts: coBandwidthControlLevelMaxReceiveRate.setStatus('current')
alvarionBandwidthControlMIBConformance = MibIdentifier((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 14, 2))
alvarionBandwidthControlMIBCompliances = MibIdentifier((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 14, 2, 1))
alvarionBandwidthControlMIBGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 14, 2, 2))
alvarionBandwidthControlMIBCompliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 14, 2, 1, 1)).setObjects(("ALVARION-BANDWIDTH-CONTROL-MIB", "alvarionBandwidthControlMIBGroup"), ("ALVARION-BANDWIDTH-CONTROL-MIB", "alvarionBandwidthControlLevelMIBGroup"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
alvarionBandwidthControlMIBCompliance = alvarionBandwidthControlMIBCompliance.setStatus('current')
alvarionBandwidthControlMIBGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 14, 2, 2, 1)).setObjects(("ALVARION-BANDWIDTH-CONTROL-MIB", "coBandwidthControlEnable"), ("ALVARION-BANDWIDTH-CONTROL-MIB", "coBandwidthControlMaxTransmitRate"), ("ALVARION-BANDWIDTH-CONTROL-MIB", "coBandwidthControlMaxReceiveRate"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
alvarionBandwidthControlMIBGroup = alvarionBandwidthControlMIBGroup.setStatus('current')
alvarionBandwidthControlLevelMIBGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 14, 2, 2, 2)).setObjects(("ALVARION-BANDWIDTH-CONTROL-MIB", "coBandwidthControlLevelMinTransmitRate"), ("ALVARION-BANDWIDTH-CONTROL-MIB", "coBandwidthControlLevelMaxTransmitRate"), ("ALVARION-BANDWIDTH-CONTROL-MIB", "coBandwidthControlLevelMinReceiveRate"), ("ALVARION-BANDWIDTH-CONTROL-MIB", "coBandwidthControlLevelMaxReceiveRate"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
alvarionBandwidthControlLevelMIBGroup = alvarionBandwidthControlLevelMIBGroup.setStatus('current')
mibBuilder.exportSymbols("ALVARION-BANDWIDTH-CONTROL-MIB", coBandwidthControlLevelMaxReceiveRate=coBandwidthControlLevelMaxReceiveRate, coBandwidthControlLevelMinTransmitRate=coBandwidthControlLevelMinTransmitRate, coBandwidthControlLevelIndex=coBandwidthControlLevelIndex, alvarionBandwidthControlMIBCompliance=alvarionBandwidthControlMIBCompliance, alvarionBandwidthControlMIBObjects=alvarionBandwidthControlMIBObjects, coBandwidthControlLevelTable=coBandwidthControlLevelTable, alvarionBandwidthControlLevelMIBGroup=alvarionBandwidthControlLevelMIBGroup, alvarionBandwidthControlMIBConformance=alvarionBandwidthControlMIBConformance, alvarionBandwidthControlMIB=alvarionBandwidthControlMIB, coBandwidthControlLevelMinReceiveRate=coBandwidthControlLevelMinReceiveRate, alvarionBandwidthControlMIBCompliances=alvarionBandwidthControlMIBCompliances, coBandwidthControlMaxReceiveRate=coBandwidthControlMaxReceiveRate, PYSNMP_MODULE_ID=alvarionBandwidthControlMIB, coBandwidthControlMaxTransmitRate=coBandwidthControlMaxTransmitRate, alvarionBandwidthControlMIBGroups=alvarionBandwidthControlMIBGroups, coBandwidthControlLevelMaxTransmitRate=coBandwidthControlLevelMaxTransmitRate, coBandwidthControlEnable=coBandwidthControlEnable, coBandwidthControlConfig=coBandwidthControlConfig, coBandwidthControlLevelEntry=coBandwidthControlLevelEntry, alvarionBandwidthControlMIBGroup=alvarionBandwidthControlMIBGroup)
|
(alvarion_mgmt_v2,) = mibBuilder.importSymbols('ALVARION-SMI', 'alvarionMgmtV2')
(alvarion_priority_queue,) = mibBuilder.importSymbols('ALVARION-TC', 'AlvarionPriorityQueue')
(octet_string, integer, object_identifier) = mibBuilder.importSymbols('ASN1', 'OctetString', 'Integer', 'ObjectIdentifier')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(value_size_constraint, value_range_constraint, constraints_intersection, constraints_union, single_value_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueSizeConstraint', 'ValueRangeConstraint', 'ConstraintsIntersection', 'ConstraintsUnion', 'SingleValueConstraint')
(object_group, module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ObjectGroup', 'ModuleCompliance', 'NotificationGroup')
(integer32, unsigned32, mib_identifier, counter32, module_identity, time_ticks, counter64, ip_address, notification_type, gauge32, mib_scalar, mib_table, mib_table_row, mib_table_column, iso, bits, object_identity) = mibBuilder.importSymbols('SNMPv2-SMI', 'Integer32', 'Unsigned32', 'MibIdentifier', 'Counter32', 'ModuleIdentity', 'TimeTicks', 'Counter64', 'IpAddress', 'NotificationType', 'Gauge32', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'iso', 'Bits', 'ObjectIdentity')
(textual_convention, display_string, truth_value) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DisplayString', 'TruthValue')
alvarion_bandwidth_control_mib = module_identity((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 14))
if mibBuilder.loadTexts:
alvarionBandwidthControlMIB.setLastUpdated('200710310000Z')
if mibBuilder.loadTexts:
alvarionBandwidthControlMIB.setOrganization('Alvarion Ltd.')
alvarion_bandwidth_control_mib_objects = mib_identifier((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 14, 1))
co_bandwidth_control_config = mib_identifier((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 14, 1, 1))
co_bandwidth_control_enable = mib_scalar((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 14, 1, 1, 1), truth_value()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
coBandwidthControlEnable.setStatus('current')
co_bandwidth_control_max_transmit_rate = mib_scalar((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 14, 1, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
coBandwidthControlMaxTransmitRate.setStatus('current')
co_bandwidth_control_max_receive_rate = mib_scalar((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 14, 1, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
coBandwidthControlMaxReceiveRate.setStatus('current')
co_bandwidth_control_level_table = mib_table((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 14, 1, 1, 4))
if mibBuilder.loadTexts:
coBandwidthControlLevelTable.setStatus('current')
co_bandwidth_control_level_entry = mib_table_row((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 14, 1, 1, 4, 1)).setIndexNames((0, 'ALVARION-BANDWIDTH-CONTROL-MIB', 'coBandwidthControlLevelIndex'))
if mibBuilder.loadTexts:
coBandwidthControlLevelEntry.setStatus('current')
co_bandwidth_control_level_index = mib_table_column((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 14, 1, 1, 4, 1, 1), alvarion_priority_queue())
if mibBuilder.loadTexts:
coBandwidthControlLevelIndex.setStatus('current')
co_bandwidth_control_level_min_transmit_rate = mib_table_column((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 14, 1, 1, 4, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
coBandwidthControlLevelMinTransmitRate.setStatus('current')
co_bandwidth_control_level_max_transmit_rate = mib_table_column((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 14, 1, 1, 4, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
coBandwidthControlLevelMaxTransmitRate.setStatus('current')
co_bandwidth_control_level_min_receive_rate = mib_table_column((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 14, 1, 1, 4, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
coBandwidthControlLevelMinReceiveRate.setStatus('current')
co_bandwidth_control_level_max_receive_rate = mib_table_column((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 14, 1, 1, 4, 1, 5), integer32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
coBandwidthControlLevelMaxReceiveRate.setStatus('current')
alvarion_bandwidth_control_mib_conformance = mib_identifier((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 14, 2))
alvarion_bandwidth_control_mib_compliances = mib_identifier((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 14, 2, 1))
alvarion_bandwidth_control_mib_groups = mib_identifier((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 14, 2, 2))
alvarion_bandwidth_control_mib_compliance = module_compliance((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 14, 2, 1, 1)).setObjects(('ALVARION-BANDWIDTH-CONTROL-MIB', 'alvarionBandwidthControlMIBGroup'), ('ALVARION-BANDWIDTH-CONTROL-MIB', 'alvarionBandwidthControlLevelMIBGroup'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
alvarion_bandwidth_control_mib_compliance = alvarionBandwidthControlMIBCompliance.setStatus('current')
alvarion_bandwidth_control_mib_group = object_group((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 14, 2, 2, 1)).setObjects(('ALVARION-BANDWIDTH-CONTROL-MIB', 'coBandwidthControlEnable'), ('ALVARION-BANDWIDTH-CONTROL-MIB', 'coBandwidthControlMaxTransmitRate'), ('ALVARION-BANDWIDTH-CONTROL-MIB', 'coBandwidthControlMaxReceiveRate'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
alvarion_bandwidth_control_mib_group = alvarionBandwidthControlMIBGroup.setStatus('current')
alvarion_bandwidth_control_level_mib_group = object_group((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 14, 2, 2, 2)).setObjects(('ALVARION-BANDWIDTH-CONTROL-MIB', 'coBandwidthControlLevelMinTransmitRate'), ('ALVARION-BANDWIDTH-CONTROL-MIB', 'coBandwidthControlLevelMaxTransmitRate'), ('ALVARION-BANDWIDTH-CONTROL-MIB', 'coBandwidthControlLevelMinReceiveRate'), ('ALVARION-BANDWIDTH-CONTROL-MIB', 'coBandwidthControlLevelMaxReceiveRate'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
alvarion_bandwidth_control_level_mib_group = alvarionBandwidthControlLevelMIBGroup.setStatus('current')
mibBuilder.exportSymbols('ALVARION-BANDWIDTH-CONTROL-MIB', coBandwidthControlLevelMaxReceiveRate=coBandwidthControlLevelMaxReceiveRate, coBandwidthControlLevelMinTransmitRate=coBandwidthControlLevelMinTransmitRate, coBandwidthControlLevelIndex=coBandwidthControlLevelIndex, alvarionBandwidthControlMIBCompliance=alvarionBandwidthControlMIBCompliance, alvarionBandwidthControlMIBObjects=alvarionBandwidthControlMIBObjects, coBandwidthControlLevelTable=coBandwidthControlLevelTable, alvarionBandwidthControlLevelMIBGroup=alvarionBandwidthControlLevelMIBGroup, alvarionBandwidthControlMIBConformance=alvarionBandwidthControlMIBConformance, alvarionBandwidthControlMIB=alvarionBandwidthControlMIB, coBandwidthControlLevelMinReceiveRate=coBandwidthControlLevelMinReceiveRate, alvarionBandwidthControlMIBCompliances=alvarionBandwidthControlMIBCompliances, coBandwidthControlMaxReceiveRate=coBandwidthControlMaxReceiveRate, PYSNMP_MODULE_ID=alvarionBandwidthControlMIB, coBandwidthControlMaxTransmitRate=coBandwidthControlMaxTransmitRate, alvarionBandwidthControlMIBGroups=alvarionBandwidthControlMIBGroups, coBandwidthControlLevelMaxTransmitRate=coBandwidthControlLevelMaxTransmitRate, coBandwidthControlEnable=coBandwidthControlEnable, coBandwidthControlConfig=coBandwidthControlConfig, coBandwidthControlLevelEntry=coBandwidthControlLevelEntry, alvarionBandwidthControlMIBGroup=alvarionBandwidthControlMIBGroup)
|
class Bat:
species = 'Baty'
def __init__(self, can_fly=True):
self.fly = can_fly
def say(self, msg):
msg = ".."
return msg
def sonar(self):
return "))..(("
if __name__ == '__main__':
b = Bat()
b.say('w')
b.sonar
|
class Bat:
species = 'Baty'
def __init__(self, can_fly=True):
self.fly = can_fly
def say(self, msg):
msg = '..'
return msg
def sonar(self):
return '))..(('
if __name__ == '__main__':
b = bat()
b.say('w')
b.sonar
|
l, r = map(int, input().split())
while(l != 0 and r != 0):
print(l + r)
l, r = map(int, input().split())
|
(l, r) = map(int, input().split())
while l != 0 and r != 0:
print(l + r)
(l, r) = map(int, input().split())
|
expected_output = {
"slot": {
"lc": {
"1": {
"16x400G Ethernet Module": {
"hardware": "3.1",
"mac_address": "bc-4a-56-ff-fa-5b to bc-4a-56-ff-fb-dd",
"model": "N9K-X9716D-GX",
"online_diag_status": "Pass",
"ports": "16",
"serial_number": "FOC24322RBW",
"slot": "1",
"slot/world_wide_name": "LC1",
"software": "10.1(0.233)",
"status": "ok"
}
},
"2": {
"36x40/100G Ethernet Module": {
"hardware": "1.1",
"mac_address": "90-77-ee-ff-2d-b0 to 90-77-ee-ff-2e-43",
"model": "N9K-X9736C-FX",
"online_diag_status": "Pass",
"ports": "36",
"serial_number": "FOC24294DJ8",
"slot": "2",
"slot/world_wide_name": "LC2",
"software": "10.1(0.233)",
"status": "ok"
}
},
"22": {
"8-slot (100G) Fabric Module": {
"hardware": "1.1",
"mac_address": "NA",
"model": "N9K-C9508-FM-E2",
"online_diag_status": "Pass",
"ports": "0",
"serial_number": "FOC24381TPG",
"slot": "22",
"slot/world_wide_name": "FM2",
"software": "10.1(0.233)",
"status": "ok"
}
},
"24": {
"8-slot (100G) Fabric Module": {
"hardware": "1.1",
"mac_address": "NA",
"model": "N9K-C9508-FM-E2",
"online_diag_status": "Pass",
"ports": "0",
"serial_number": "FOC24381TX1",
"slot": "24",
"slot/world_wide_name": "FM4",
"software": "10.1(0.233)",
"status": "ok"
}
},
"26": {
"8-slot (100G) Fabric Module": {
"hardware": "1.1",
"mac_address": "NA",
"model": "N9K-C9508-FM-E2",
"online_diag_status": "Pass",
"ports": "0",
"serial_number": "FOC24381TUV",
"slot": "26",
"slot/world_wide_name": "FM6",
"software": "10.1(0.233)",
"status": "ok"
}
},
"29": {
"System Controller": {
"hardware": "2.0",
"mac_address": "NA",
"model": "N9K-SC-A",
"online_diag_status": "Pass",
"ports": "0",
"serial_number": "FOC24362EU0",
"slot": "29",
"slot/world_wide_name": "SC1",
"software": "10.1(0.233)",
"status": "active"
}
},
"30": {
"System Controller": {
"hardware": "2.0",
"mac_address": "NA",
"model": "N9K-SC-A",
"online_diag_status": "Pass",
"ports": "0",
"serial_number": "FOC2435407P",
"slot": "30",
"slot/world_wide_name": "SC2",
"software": "10.1(0.233)",
"status": "standby"
}
},
"5": {
"36x40G Ethernet": {
"model": "Module",
"ports": "36",
"slot": "5",
"status": "pwr-denied"
}
},
"6": {
"48x10/25G + 4x40/100G Ethernet Module": {
"hardware": "2.3",
"mac_address": "24-16-9d-ff-9a-09 to 24-16-9d-ff-9a-4c",
"model": "N9K-X97160YC-EX",
"online_diag_status": "Pass",
"ports": "52",
"serial_number": "FOC24021CNU",
"slot": "6",
"slot/world_wide_name": "LC6",
"software": "10.1(0.233)",
"status": "ok"
}
},
"7": {
"48x10G + 4x40/100G Ethernet": {
"model": "Module",
"ports": "52",
"slot": "7",
"status": "pwr-denied"
}
}
},
"rp": {
"27": {
"Supervisor Module": {
"hardware": "1.1",
"mac_address": "54-88-de-ff-09-2f to 54-88-de-ff-09-40",
"model": "N9K-SUP-A+",
"online_diag_status": "Pass",
"ports": "0",
"serial_number": "FOC24362EGB",
"slot": "27",
"slot/world_wide_name": "SUP1",
"software": "10.1(0.233)",
"status": "active"
}
}
}
}
}
|
expected_output = {'slot': {'lc': {'1': {'16x400G Ethernet Module': {'hardware': '3.1', 'mac_address': 'bc-4a-56-ff-fa-5b to bc-4a-56-ff-fb-dd', 'model': 'N9K-X9716D-GX', 'online_diag_status': 'Pass', 'ports': '16', 'serial_number': 'FOC24322RBW', 'slot': '1', 'slot/world_wide_name': 'LC1', 'software': '10.1(0.233)', 'status': 'ok'}}, '2': {'36x40/100G Ethernet Module': {'hardware': '1.1', 'mac_address': '90-77-ee-ff-2d-b0 to 90-77-ee-ff-2e-43', 'model': 'N9K-X9736C-FX', 'online_diag_status': 'Pass', 'ports': '36', 'serial_number': 'FOC24294DJ8', 'slot': '2', 'slot/world_wide_name': 'LC2', 'software': '10.1(0.233)', 'status': 'ok'}}, '22': {'8-slot (100G) Fabric Module': {'hardware': '1.1', 'mac_address': 'NA', 'model': 'N9K-C9508-FM-E2', 'online_diag_status': 'Pass', 'ports': '0', 'serial_number': 'FOC24381TPG', 'slot': '22', 'slot/world_wide_name': 'FM2', 'software': '10.1(0.233)', 'status': 'ok'}}, '24': {'8-slot (100G) Fabric Module': {'hardware': '1.1', 'mac_address': 'NA', 'model': 'N9K-C9508-FM-E2', 'online_diag_status': 'Pass', 'ports': '0', 'serial_number': 'FOC24381TX1', 'slot': '24', 'slot/world_wide_name': 'FM4', 'software': '10.1(0.233)', 'status': 'ok'}}, '26': {'8-slot (100G) Fabric Module': {'hardware': '1.1', 'mac_address': 'NA', 'model': 'N9K-C9508-FM-E2', 'online_diag_status': 'Pass', 'ports': '0', 'serial_number': 'FOC24381TUV', 'slot': '26', 'slot/world_wide_name': 'FM6', 'software': '10.1(0.233)', 'status': 'ok'}}, '29': {'System Controller': {'hardware': '2.0', 'mac_address': 'NA', 'model': 'N9K-SC-A', 'online_diag_status': 'Pass', 'ports': '0', 'serial_number': 'FOC24362EU0', 'slot': '29', 'slot/world_wide_name': 'SC1', 'software': '10.1(0.233)', 'status': 'active'}}, '30': {'System Controller': {'hardware': '2.0', 'mac_address': 'NA', 'model': 'N9K-SC-A', 'online_diag_status': 'Pass', 'ports': '0', 'serial_number': 'FOC2435407P', 'slot': '30', 'slot/world_wide_name': 'SC2', 'software': '10.1(0.233)', 'status': 'standby'}}, '5': {'36x40G Ethernet': {'model': 'Module', 'ports': '36', 'slot': '5', 'status': 'pwr-denied'}}, '6': {'48x10/25G + 4x40/100G Ethernet Module': {'hardware': '2.3', 'mac_address': '24-16-9d-ff-9a-09 to 24-16-9d-ff-9a-4c', 'model': 'N9K-X97160YC-EX', 'online_diag_status': 'Pass', 'ports': '52', 'serial_number': 'FOC24021CNU', 'slot': '6', 'slot/world_wide_name': 'LC6', 'software': '10.1(0.233)', 'status': 'ok'}}, '7': {'48x10G + 4x40/100G Ethernet': {'model': 'Module', 'ports': '52', 'slot': '7', 'status': 'pwr-denied'}}}, 'rp': {'27': {'Supervisor Module': {'hardware': '1.1', 'mac_address': '54-88-de-ff-09-2f to 54-88-de-ff-09-40', 'model': 'N9K-SUP-A+', 'online_diag_status': 'Pass', 'ports': '0', 'serial_number': 'FOC24362EGB', 'slot': '27', 'slot/world_wide_name': 'SUP1', 'software': '10.1(0.233)', 'status': 'active'}}}}}
|
#
# PySNMP MIB module SNIA-SML-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/SNIA-SML-MIB
# Produced by pysmi-0.3.4 at Wed May 1 15:08:07 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)
#
ObjectIdentifier, Integer, OctetString = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "Integer", "OctetString")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ConstraintsIntersection, ValueSizeConstraint, ConstraintsUnion, SingleValueConstraint, ValueRangeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsIntersection", "ValueSizeConstraint", "ConstraintsUnion", "SingleValueConstraint", "ValueRangeConstraint")
ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup")
iso, MibScalar, MibTable, MibTableRow, MibTableColumn, Unsigned32, TimeTicks, ModuleIdentity, Integer32, IpAddress, Counter32, Bits, Counter64, enterprises, NotificationType, ObjectIdentity, MibIdentifier, Gauge32 = mibBuilder.importSymbols("SNMPv2-SMI", "iso", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Unsigned32", "TimeTicks", "ModuleIdentity", "Integer32", "IpAddress", "Counter32", "Bits", "Counter64", "enterprises", "NotificationType", "ObjectIdentity", "MibIdentifier", "Gauge32")
TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString")
class UShortReal(Integer32):
subtypeSpec = Integer32.subtypeSpec + ValueRangeConstraint(0, 65535)
class CimDateTime(OctetString):
subtypeSpec = OctetString.subtypeSpec + ValueSizeConstraint(24, 24)
fixedLength = 24
class UINT64(OctetString):
subtypeSpec = OctetString.subtypeSpec + ValueSizeConstraint(8, 8)
fixedLength = 8
class UINT32(Integer32):
subtypeSpec = Integer32.subtypeSpec + ValueRangeConstraint(0, 2147483647)
class UINT16(Integer32):
subtypeSpec = Integer32.subtypeSpec + ValueRangeConstraint(0, 65535)
snia = MibIdentifier((1, 3, 6, 1, 4, 1, 14851))
experimental = MibIdentifier((1, 3, 6, 1, 4, 1, 14851, 1))
common = MibIdentifier((1, 3, 6, 1, 4, 1, 14851, 2))
libraries = MibIdentifier((1, 3, 6, 1, 4, 1, 14851, 3))
smlRoot = MibIdentifier((1, 3, 6, 1, 4, 1, 14851, 3, 1))
smlMibVersion = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 4))).setMaxAccess("readonly")
if mibBuilder.loadTexts: smlMibVersion.setStatus('mandatory')
if mibBuilder.loadTexts: smlMibVersion.setDescription('This string contains version information for the MIB file')
smlCimVersion = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 4))).setMaxAccess("readonly")
if mibBuilder.loadTexts: smlCimVersion.setStatus('mandatory')
if mibBuilder.loadTexts: smlCimVersion.setDescription('This string contains information about the CIM version that corresponds to the MIB. The decriptions in this MIB file are based on CIM version 2.8')
productGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 14851, 3, 1, 3))
product_Name = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 3, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("product-Name").setMaxAccess("readonly")
if mibBuilder.loadTexts: product_Name.setStatus('mandatory')
if mibBuilder.loadTexts: product_Name.setDescription('Commonly used Product name.')
product_IdentifyingNumber = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 3, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("product-IdentifyingNumber").setMaxAccess("readonly")
if mibBuilder.loadTexts: product_IdentifyingNumber.setStatus('mandatory')
if mibBuilder.loadTexts: product_IdentifyingNumber.setDescription('Product identification such as a serial number on software, a die number on a hardware chip, or (for non-commercial Products) a project number.')
product_Vendor = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 3, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("product-Vendor").setMaxAccess("readonly")
if mibBuilder.loadTexts: product_Vendor.setStatus('mandatory')
if mibBuilder.loadTexts: product_Vendor.setDescription("The name of the Product's supplier, or entity selling the Product (the manufacturer, reseller, OEM, etc.). Corresponds to the Vendor property in the Product object in the DMTF Solution Exchange Standard.")
product_Version = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 3, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("product-Version").setMaxAccess("readonly")
if mibBuilder.loadTexts: product_Version.setStatus('mandatory')
if mibBuilder.loadTexts: product_Version.setDescription('Product version information. Corresponds to the Version property in the Product object in the DMTF Solution Exchange Standard.')
product_ElementName = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 3, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("product-ElementName").setMaxAccess("readonly")
if mibBuilder.loadTexts: product_ElementName.setStatus('mandatory')
if mibBuilder.loadTexts: product_ElementName.setDescription("A user-friendly name for the object. This property allows each instance to define a user-friendly name IN ADDITION TO its key properties/identity data, and description information. Note that ManagedSystemElement's Name property is also defined as a user-friendly name. But, it is often subclassed to be a Key. It is not reasonable that the same property can convey both identity and a user friendly name, without inconsistencies. Where Name exists and is not a Key (such as for instances of LogicalDevice), the same information MAY be present in both the Name and ElementName properties.")
chassisGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4))
chassis_Manufacturer = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("chassis-Manufacturer").setMaxAccess("readonly")
if mibBuilder.loadTexts: chassis_Manufacturer.setStatus('mandatory')
if mibBuilder.loadTexts: chassis_Manufacturer.setDescription('The name of the organization responsible for producing the PhysicalElement. This may be the entity from whom the Element is purchased, but this is not necessarily true. The latter information is contained in the Vendor property of CIM_Product.')
chassis_Model = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setLabel("chassis-Model").setMaxAccess("readonly")
if mibBuilder.loadTexts: chassis_Model.setStatus('mandatory')
if mibBuilder.loadTexts: chassis_Model.setDescription('The name by which the PhysicalElement is generally known.')
chassis_SerialNumber = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setLabel("chassis-SerialNumber").setMaxAccess("readonly")
if mibBuilder.loadTexts: chassis_SerialNumber.setStatus('mandatory')
if mibBuilder.loadTexts: chassis_SerialNumber.setDescription('A manufacturer-allocated number used to identify the Physical Element.')
chassis_LockPresent = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("unknown", 0), ("true", 1), ("false", 2)))).setLabel("chassis-LockPresent").setMaxAccess("readonly")
if mibBuilder.loadTexts: chassis_LockPresent.setStatus('mandatory')
if mibBuilder.loadTexts: chassis_LockPresent.setDescription('Boolean indicating whether the Frame is protected with a lock.')
chassis_SecurityBreach = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("unknown", 1), ("other", 2), ("noBreach", 3), ("breachAttempted", 4), ("breachSuccessful", 5)))).setLabel("chassis-SecurityBreach").setMaxAccess("readonly")
if mibBuilder.loadTexts: chassis_SecurityBreach.setStatus('mandatory')
if mibBuilder.loadTexts: chassis_SecurityBreach.setDescription("SecurityBreach is an enumerated, integer-valued property indicating whether a physical breach of the Frame was attempted but unsuccessful (value=4) or attempted and successful (5). Also, the values, 'Unknown', 'Other' or 'No Breach', can be specified.")
chassis_IsLocked = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("unknown", 0), ("true", 1), ("false", 2)))).setLabel("chassis-IsLocked").setMaxAccess("readonly")
if mibBuilder.loadTexts: chassis_IsLocked.setStatus('mandatory')
if mibBuilder.loadTexts: chassis_IsLocked.setDescription('Boolean indicating that the Frame is currently locked.')
chassis_Tag = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 7), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("chassis-Tag").setMaxAccess("readonly")
if mibBuilder.loadTexts: chassis_Tag.setStatus('mandatory')
if mibBuilder.loadTexts: chassis_Tag.setDescription("An arbitrary string that uniquely identifies the Physical Element and serves as the Element's key. The Tag property can contain information such as asset tag or serial number data. The key for PhysicalElement is placed very high in the object hierarchy in order to independently identify the hardware/entity, regardless of physical placement in or on Cabinets, Adapters, etc. For example, a hotswappable or removeable component may be taken from its containing (scoping) Package and be temporarily unused. The object still continues to exist - and may even be inserted into a different scoping container. Therefore, the key for Physical Element is an arbitrary string and is defined independently of any placement or location-oriented hierarchy.")
chassis_ElementName = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 8), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("chassis-ElementName").setMaxAccess("readonly")
if mibBuilder.loadTexts: chassis_ElementName.setStatus('mandatory')
if mibBuilder.loadTexts: chassis_ElementName.setDescription("A user-friendly name for the object. This property allows each instance to define a user-friendly name IN ADDITION TO its key properties/identity data, and description information. Note that ManagedSystemElement's Name property is also defined as a user-friendly name. But, it is often subclassed to be a Key. It is not reasonable that the same property can convey both identity and a user friendly name, without inconsistencies. Where Name exists and is not a Key (such as for instances of LogicalDevice), the same information MAY be present in both the Name and ElementName properties.")
numberOfsubChassis = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 9), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: numberOfsubChassis.setStatus('mandatory')
if mibBuilder.loadTexts: numberOfsubChassis.setDescription('This value specifies the number of sub Chassis that are present.')
subChassisTable = MibTable((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 10), )
if mibBuilder.loadTexts: subChassisTable.setStatus('mandatory')
if mibBuilder.loadTexts: subChassisTable.setDescription('The SubChassis class represents the physical frames in the library')
subChassisEntry = MibTableRow((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 10, 1), ).setIndexNames((0, "SNIA-SML-MIB", "subChassisIndex"))
if mibBuilder.loadTexts: subChassisEntry.setStatus('mandatory')
if mibBuilder.loadTexts: subChassisEntry.setDescription('Each entry in the table contains information about a frame that is present in the library.')
subChassisIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 10, 1, 1), UINT32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: subChassisIndex.setStatus('mandatory')
if mibBuilder.loadTexts: subChassisIndex.setDescription('The current index value for the subChassis.')
subChassis_Manufacturer = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 10, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("subChassis-Manufacturer").setMaxAccess("readonly")
if mibBuilder.loadTexts: subChassis_Manufacturer.setStatus('mandatory')
if mibBuilder.loadTexts: subChassis_Manufacturer.setDescription('The name of the organization responsible for producing the PhysicalElement. This may be the entity from whom the Element is purchased, but this is not necessarily true. The latter information is contained in the Vendor property of CIM_Product.')
subChassis_Model = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 10, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setLabel("subChassis-Model").setMaxAccess("readonly")
if mibBuilder.loadTexts: subChassis_Model.setStatus('mandatory')
if mibBuilder.loadTexts: subChassis_Model.setDescription('The name by which the PhysicalElement is generally known.')
subChassis_SerialNumber = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 10, 1, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setLabel("subChassis-SerialNumber").setMaxAccess("readonly")
if mibBuilder.loadTexts: subChassis_SerialNumber.setStatus('mandatory')
if mibBuilder.loadTexts: subChassis_SerialNumber.setDescription('A manufacturer-allocated number used to identify the Physical Element.')
subChassis_LockPresent = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 10, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("unknown", 0), ("true", 1), ("false", 2)))).setLabel("subChassis-LockPresent").setMaxAccess("readonly")
if mibBuilder.loadTexts: subChassis_LockPresent.setStatus('mandatory')
if mibBuilder.loadTexts: subChassis_LockPresent.setDescription('Boolean indicating whether the Frame is protected with a lock.')
subChassis_SecurityBreach = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 10, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("unknown", 1), ("other", 2), ("noBreach", 3), ("breachAttempted", 4), ("breachSuccessful", 5)))).setLabel("subChassis-SecurityBreach").setMaxAccess("readonly")
if mibBuilder.loadTexts: subChassis_SecurityBreach.setStatus('mandatory')
if mibBuilder.loadTexts: subChassis_SecurityBreach.setDescription("SecurityBreach is an enumerated, integer-valued property indicating whether a physical breach of the Frame was attempted but unsuccessful (value=4) or attempted and successful (5). Also, the values, 'Unknown', 'Other' or 'No Breach', can be specified.")
subChassis_IsLocked = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 10, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("unknown", 0), ("true", 1), ("false", 2)))).setLabel("subChassis-IsLocked").setMaxAccess("readonly")
if mibBuilder.loadTexts: subChassis_IsLocked.setStatus('mandatory')
if mibBuilder.loadTexts: subChassis_IsLocked.setDescription('Boolean indicating that the Frame is currently locked.')
subChassis_Tag = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 10, 1, 8), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("subChassis-Tag").setMaxAccess("readonly")
if mibBuilder.loadTexts: subChassis_Tag.setStatus('mandatory')
if mibBuilder.loadTexts: subChassis_Tag.setDescription("An arbitrary string that uniquely identifies the Physical Element and serves as the Element's key. The Tag property can contain information such as asset tag or serial number data. The key for PhysicalElement is placed very high in the object hierarchy in order to independently identify the hardware/entity, regardless of physical placement in or on Cabinets, Adapters, etc. For example, a hotswappable or removeable component may be taken from its containing (scoping) Package and be temporarily unused. The object still continues to exist - and may even be inserted into a different scoping container. Therefore, the key for Physical Element is an arbitrary string and is defined independently of any placement or location-oriented hierarchy.")
subChassis_ElementName = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 10, 1, 9), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("subChassis-ElementName").setMaxAccess("readonly")
if mibBuilder.loadTexts: subChassis_ElementName.setStatus('mandatory')
if mibBuilder.loadTexts: subChassis_ElementName.setDescription("A user-friendly name for the object. This property allows each instance to define a user-friendly name IN ADDITION TO its key properties/identity data, and description information. Note that ManagedSystemElement's Name property is also defined as a user-friendly name. But, it is often subclassed to be a Key. It is not reasonable that the same property can convey both identity and a user friendly name, without inconsistencies. Where Name exists and is not a Key (such as for instances of LogicalDevice), the same information MAY be present in both the Name and ElementName properties.")
subChassis_OperationalStatus = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 10, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 32768))).clone(namedValues=NamedValues(("unknown", 0), ("other", 1), ("ok", 2), ("degraded", 3), ("stressed", 4), ("predictiveFailure", 5), ("error", 6), ("non-RecoverableError", 7), ("starting", 8), ("stopping", 9), ("stopped", 10), ("inService", 11), ("noContact", 12), ("lostCommunication", 13), ("aborted", 14), ("dormant", 15), ("supportingEntityInError", 16), ("completed", 17), ("powerMode", 18), ("dMTFReserved", 19), ("vendorReserved", 32768)))).setLabel("subChassis-OperationalStatus").setMaxAccess("readonly")
if mibBuilder.loadTexts: subChassis_OperationalStatus.setStatus('mandatory')
if mibBuilder.loadTexts: subChassis_OperationalStatus.setDescription("Indicates the current status(es) of the element. Various health and operational statuses are defined. Many of the enumeration's values are self- explanatory. However, a few are not and are described in more detail. \\n 'Stressed' indicates that the element is functioning, but needs attention. Examples of 'Stressed' states are overload, overheated, etc. \\n 'Predictive Failure' indicates that an element is functioning nominally but predicting a failure in the near future. \\n 'In Service' describes an element being configured, maintained, cleaned, or otherwise administered. \\n 'No Contact' indicates that the monitoring system has knowledge of this element, but has never been able to establish communications with it. \\n 'Lost Communication' indicates that the ManagedSystem Element is known to exist and has been contacted successfully in the past, but is currently unreachable. \\n 'Stopped' and 'Aborted' are similar, although the former implies a clean and orderly stop, while the latter implies an abrupt stop where the element's state and configuration may need to be updated. \\n 'Dormant' indicates that the element is inactive or quiesced. \\n 'Supporting Entity in Error' describes that this element may be 'OK' but that another element, on which it is dependent, is in error. An example is a network service or endpoint that cannot function due to lower layer networking problems. \\n 'Completed' indicates the element has completed its operation. This value should be combined with either OK, Error, or Degraded so that a client can till if the complete operation passed (Completed with OK), and failure (Completed with Error). Completed with Degraded would imply the operation finished, but did not complete OK or report an error. \\n 'Power Mode' indicates the element has additional power model information contained in the Associated PowerManagementService association. \\n OperationalStatus replaces the Status property on ManagedSystemElement to provide a consistent approach to enumerations, to address implementation needs for an array property, and to provide a migration path from today's environment to the future. This change was not made earlier since it required the DEPRECATED qualifier. Due to the widespread use of the existing Status property in management applications, it is strongly RECOMMENDED that providers/instrumentation provide BOTH the Status and OperationalStatus properties. Further, the first value of OperationalStatus SHOULD contain the primary status for the element. When instrumented, Status (since it is single-valued) SHOULD also provide the primary status of the element.")
subChassis_PackageType = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 10, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 17, 18, 19, 32769))).clone(namedValues=NamedValues(("unknown", 0), ("mainSystemChassis", 17), ("expansionChassis", 18), ("subChassis", 19), ("serviceBay", 32769)))).setLabel("subChassis-PackageType").setMaxAccess("readonly")
if mibBuilder.loadTexts: subChassis_PackageType.setStatus('mandatory')
if mibBuilder.loadTexts: subChassis_PackageType.setDescription('Package type of the subChassis. The enumeration values for this variable should be the same as the DMTF CIM_Chassis.ChassisPackageType property. Use the Vendor reserved values for vendor-specific types.')
storageLibraryGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 14851, 3, 1, 5))
storageLibrary_Name = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 5, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("storageLibrary-Name").setMaxAccess("readonly")
if mibBuilder.loadTexts: storageLibrary_Name.setStatus('deprecated')
if mibBuilder.loadTexts: storageLibrary_Name.setDescription('The inherited Name serves as key of a System instance in an enterprise environment.')
storageLibrary_Description = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 5, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("storageLibrary-Description").setMaxAccess("readonly")
if mibBuilder.loadTexts: storageLibrary_Description.setStatus('deprecated')
if mibBuilder.loadTexts: storageLibrary_Description.setDescription('The Description property provides a textual description of the object.')
storageLibrary_Caption = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 5, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setLabel("storageLibrary-Caption").setMaxAccess("readonly")
if mibBuilder.loadTexts: storageLibrary_Caption.setStatus('deprecated')
if mibBuilder.loadTexts: storageLibrary_Caption.setDescription('The Caption property is a short textual description (one- line string) of the object.')
storageLibrary_Status = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 5, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 10))).setLabel("storageLibrary-Status").setMaxAccess("readonly")
if mibBuilder.loadTexts: storageLibrary_Status.setStatus('deprecated')
if mibBuilder.loadTexts: storageLibrary_Status.setDescription('A string indicating the current status of the object. Various operational and non-operational statuses are defined. This property is deprecated in lieu of OperationalStatus, which includes the same semantics in its enumeration. This change is made for three reasons: 1) Status is more correctly defined as an array property. This overcomes the limitation of describing status via a single value, when it is really a multi-valued property (for example, an element may be OK AND Stopped. 2) A MaxLen of 10 is too restrictive and leads to unclear enumerated values. And, 3) The change to a uint16 data type was discussed when CIM V2.0 was defined. However, existing V1.0 implementations used the string property and did not want to modify their code. Therefore, Status was grandfathered into the Schema. Use of the Deprecated qualifier allows the maintenance of the existing property, but also permits an improved definition using OperationalStatus.')
storageLibrary_InstallDate = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 5, 5), CimDateTime()).setLabel("storageLibrary-InstallDate").setMaxAccess("readonly")
if mibBuilder.loadTexts: storageLibrary_InstallDate.setStatus('deprecated')
if mibBuilder.loadTexts: storageLibrary_InstallDate.setDescription('A datetime value indicating when the object was installed. A lack of a value does not indicate that the object is not installed.')
mediaAccessDeviceGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 14851, 3, 1, 6))
numberOfMediaAccessDevices = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 6, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: numberOfMediaAccessDevices.setStatus('mandatory')
if mibBuilder.loadTexts: numberOfMediaAccessDevices.setDescription('This value specifies the number of MediaAccessDevices that are present.')
mediaAccessDeviceTable = MibTable((1, 3, 6, 1, 4, 1, 14851, 3, 1, 6, 2), )
if mibBuilder.loadTexts: mediaAccessDeviceTable.setStatus('mandatory')
if mibBuilder.loadTexts: mediaAccessDeviceTable.setDescription('A MediaAccessDevice represents the ability to access one or more media and use this media to store and retrieve data.')
mediaAccessDeviceEntry = MibTableRow((1, 3, 6, 1, 4, 1, 14851, 3, 1, 6, 2, 1), ).setIndexNames((0, "SNIA-SML-MIB", "mediaAccessDeviceIndex"))
if mibBuilder.loadTexts: mediaAccessDeviceEntry.setStatus('mandatory')
if mibBuilder.loadTexts: mediaAccessDeviceEntry.setDescription('Each entry in the table contains information about a MediaAccessDevice that is present in the library.')
mediaAccessDeviceIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 14851, 3, 1, 6, 2, 1, 1), UINT32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mediaAccessDeviceIndex.setStatus('mandatory')
if mibBuilder.loadTexts: mediaAccessDeviceIndex.setDescription('The current index value for the MediaAccessDevice.')
mediaAccessDeviceObjectType = MibTableColumn((1, 3, 6, 1, 4, 1, 14851, 3, 1, 6, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("unknown", 0), ("wormDrive", 1), ("magnetoOpticalDrive", 2), ("tapeDrive", 3), ("dvdDrive", 4), ("cdromDrive", 5)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mediaAccessDeviceObjectType.setStatus('mandatory')
if mibBuilder.loadTexts: mediaAccessDeviceObjectType.setDescription('In the 2.7 CIM Schema a Type property is no longer associated with MediaAccessDevice. However, it can be used here to specify the type of drive that is present.')
mediaAccessDevice_Name = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 6, 2, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("mediaAccessDevice-Name").setMaxAccess("readonly")
if mibBuilder.loadTexts: mediaAccessDevice_Name.setStatus('deprecated')
if mibBuilder.loadTexts: mediaAccessDevice_Name.setDescription('Deprecated')
mediaAccessDevice_Status = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 6, 2, 1, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 10))).setLabel("mediaAccessDevice-Status").setMaxAccess("readonly")
if mibBuilder.loadTexts: mediaAccessDevice_Status.setStatus('deprecated')
if mibBuilder.loadTexts: mediaAccessDevice_Status.setDescription('A string indicating the current status of the object. Various operational and non-operational statuses are defined. This property is deprecated in lieu of OperationalStatus, which includes the same semantics in its enumeration. This change is made for three reasons: 1) Status is more correctly defined as an array property. This overcomes the limitation of describing status via a single value, when it is really a multi-valued property (for example, an element may be OK AND Stopped. 2) A MaxLen of 10 is too restrictive and leads to unclear enumerated values. And, 3) The change to a uint16 data type was discussed when CIM V2.0 was defined. However, existing V1.0 implementations used the string property and did not want to modify their code. Therefore, Status was grandfathered into the Schema. Use of the Deprecated qualifier allows the maintenance of the existing property, but also permits an improved definition using OperationalStatus.')
mediaAccessDevice_Availability = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 6, 2, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17), ("paused", 18), ("notReady", 19), ("notConfigured", 20), ("quiesced", 21)))).setLabel("mediaAccessDevice-Availability").setMaxAccess("readonly")
if mibBuilder.loadTexts: mediaAccessDevice_Availability.setStatus('mandatory')
if mibBuilder.loadTexts: mediaAccessDevice_Availability.setDescription("Inherited from CIM_LogicalDevice The primary availability and status of the Device. (Additional status information can be specified using the Additional Availability array property.) For example, the Availability property indicates that the Device is running and has full power (value=3), or is in a warning (4), test (5), degraded (10) or power save state (values 13-15 and 17). Regarding the Power Save states, these are defined as follows: Value 13 (Power Save - Unknown) indicates that the Device is known to be in a power save mode, but its exact status in this mode is unknown; 14 (Power Save - Low Power Mode) indicates that the Device is in a power save state but still functioning, and may exhibit degraded performance; 15 (Power Save - Standby) describes that the Device is not functioning but could be brought to full power 'quickly'; and value 17 (Power Save - Warning) indicates that the Device is in a warning state, though also in a power save mode.")
mediaAccessDevice_NeedsCleaning = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 6, 2, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("unknown", 0), ("true", 1), ("false", 2)))).setLabel("mediaAccessDevice-NeedsCleaning").setMaxAccess("readonly")
if mibBuilder.loadTexts: mediaAccessDevice_NeedsCleaning.setStatus('mandatory')
if mibBuilder.loadTexts: mediaAccessDevice_NeedsCleaning.setDescription('Boolean indicating that the MediaAccessDevice needs cleaning. Whether manual or automatic cleaning is possible is indicated in the Capabilities array property. ')
mediaAccessDevice_MountCount = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 6, 2, 1, 7), UINT64()).setLabel("mediaAccessDevice-MountCount").setMaxAccess("readonly")
if mibBuilder.loadTexts: mediaAccessDevice_MountCount.setStatus('mandatory')
if mibBuilder.loadTexts: mediaAccessDevice_MountCount.setDescription('For a MediaAccessDevice that supports removable Media, the number of times that Media have been mounted for data transfer or to clean the Device. For Devices accessing nonremovable Media, such as hard disks, this property is not applicable and should be set to 0.')
mediaAccessDevice_DeviceID = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 6, 2, 1, 8), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setLabel("mediaAccessDevice-DeviceID").setMaxAccess("readonly")
if mibBuilder.loadTexts: mediaAccessDevice_DeviceID.setStatus('mandatory')
if mibBuilder.loadTexts: mediaAccessDevice_DeviceID.setDescription('An address or other identifying information to uniquely name the LogicalDevice.')
mediaAccessDevice_PowerOnHours = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 6, 2, 1, 9), UINT64()).setLabel("mediaAccessDevice-PowerOnHours").setMaxAccess("readonly")
if mibBuilder.loadTexts: mediaAccessDevice_PowerOnHours.setStatus('mandatory')
if mibBuilder.loadTexts: mediaAccessDevice_PowerOnHours.setDescription('The number of consecutive hours that this Device has been powered, since its last power cycle.')
mediaAccessDevice_TotalPowerOnHours = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 6, 2, 1, 10), UINT64()).setLabel("mediaAccessDevice-TotalPowerOnHours").setMaxAccess("readonly")
if mibBuilder.loadTexts: mediaAccessDevice_TotalPowerOnHours.setStatus('mandatory')
if mibBuilder.loadTexts: mediaAccessDevice_TotalPowerOnHours.setDescription('The total number of hours that this Device has been powered.')
mediaAccessDevice_OperationalStatus = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 6, 2, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 32768))).clone(namedValues=NamedValues(("unknown", 0), ("other", 1), ("ok", 2), ("degraded", 3), ("stressed", 4), ("predictiveFailure", 5), ("error", 6), ("non-RecoverableError", 7), ("starting", 8), ("stopping", 9), ("stopped", 10), ("inService", 11), ("noContact", 12), ("lostCommunication", 13), ("aborted", 14), ("dormant", 15), ("supportingEntityInError", 16), ("completed", 17), ("powerMode", 18), ("dMTFReserved", 19), ("vendorReserved", 32768)))).setLabel("mediaAccessDevice-OperationalStatus").setMaxAccess("readonly")
if mibBuilder.loadTexts: mediaAccessDevice_OperationalStatus.setStatus('mandatory')
if mibBuilder.loadTexts: mediaAccessDevice_OperationalStatus.setDescription("Indicates the current status(es) of the element. Various health and operational statuses are defined. Many of the enumeration's values are self- explanatory. However, a few are not and are described in more detail. \\n 'Stressed' indicates that the element is functioning, but needs attention. Examples of 'Stressed' states are overload, overheated, etc. \\n 'Predictive Failure' indicates that an element is functioning nominally but predicting a failure in the near future. \\n 'In Service' describes an element being configured, maintained, cleaned, or otherwise administered. \\n 'No Contact' indicates that the monitoring system has knowledge of this element, but has never been able to establish communications with it. \\n 'Lost Communication' indicates that the ManagedSystem Element is known to exist and has been contacted successfully in the past, but is currently unreachable. \\n 'Stopped' and 'Aborted' are similar, although the former implies a clean and orderly stop, while the latter implies an abrupt stop where the element's state and configuration may need to be updated. \\n 'Dormant' indicates that the element is inactive or quiesced. \\n 'Supporting Entity in Error' describes that this element may be 'OK' but that another element, on which it is dependent, is in error. An example is a network service or endpoint that cannot function due to lower layer networking problems. \\n 'Completed' indicates the element has completed its operation. This value should be combined with either OK, Error, or Degraded so that a client can till if the complete operation passed (Completed with OK), and failure (Completed with Error). Completed with Degraded would imply the operation finished, but did not complete OK or report an error. \\n 'Power Mode' indicates the element has additional power model information contained in the Associated PowerManagementService association. \\n OperationalStatus replaces the Status property on ManagedSystemElement to provide a consistent approach to enumerations, to address implementation needs for an array property, and to provide a migration path from today's environment to the future. This change was not made earlier since it required the DEPRECATED qualifier. Due to the widespread use of the existing Status property in management applications, it is strongly RECOMMENDED that providers/instrumentation provide BOTH the Status and OperationalStatus properties. Further, the first value of OperationalStatus SHOULD contain the primary status for the element. When instrumented, Status (since it is single-valued) SHOULD also provide the primary status of the element.")
mediaAccessDevice_Realizes_StorageLocationIndex = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 6, 2, 1, 12), UINT32()).setLabel("mediaAccessDevice-Realizes-StorageLocationIndex").setMaxAccess("readonly")
if mibBuilder.loadTexts: mediaAccessDevice_Realizes_StorageLocationIndex.setStatus('mandatory')
if mibBuilder.loadTexts: mediaAccessDevice_Realizes_StorageLocationIndex.setDescription('The current index value for the storageMediaLocationIndex that this MediaAccessDevice is associated with. If no association exists an index of 0 may be returned.')
mediaAccessDevice_Realizes_softwareElementIndex = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 6, 2, 1, 13), UINT32()).setLabel("mediaAccessDevice-Realizes-softwareElementIndex").setMaxAccess("readonly")
if mibBuilder.loadTexts: mediaAccessDevice_Realizes_softwareElementIndex.setStatus('mandatory')
if mibBuilder.loadTexts: mediaAccessDevice_Realizes_softwareElementIndex.setDescription('The current index value for the softwareElementIndex that this MediaAccessDevice is associated with. If no association exists an index of 0 may be returned.')
physicalPackageGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 14851, 3, 1, 8))
numberOfPhysicalPackages = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 8, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: numberOfPhysicalPackages.setStatus('mandatory')
if mibBuilder.loadTexts: numberOfPhysicalPackages.setDescription('This value specifies the number of PhysicalPackages that are present.')
physicalPackageTable = MibTable((1, 3, 6, 1, 4, 1, 14851, 3, 1, 8, 2), )
if mibBuilder.loadTexts: physicalPackageTable.setStatus('mandatory')
if mibBuilder.loadTexts: physicalPackageTable.setDescription('The PhysicalPackage class represents PhysicalElements that contain or host other components. Examples are a Rack enclosure or an adapter Card. (also a tape magazine inside an auto-loader)')
physicalPackageEntry = MibTableRow((1, 3, 6, 1, 4, 1, 14851, 3, 1, 8, 2, 1), ).setIndexNames((0, "SNIA-SML-MIB", "physicalPackageIndex"))
if mibBuilder.loadTexts: physicalPackageEntry.setStatus('mandatory')
if mibBuilder.loadTexts: physicalPackageEntry.setDescription('Each entry in the table contains information about a PhysicalPackage that is present in the library.')
physicalPackageIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 14851, 3, 1, 8, 2, 1, 1), UINT32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: physicalPackageIndex.setStatus('mandatory')
if mibBuilder.loadTexts: physicalPackageIndex.setDescription('The current index value for the PhysicalPackage.')
physicalPackage_Manufacturer = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 8, 2, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("physicalPackage-Manufacturer").setMaxAccess("readonly")
if mibBuilder.loadTexts: physicalPackage_Manufacturer.setStatus('mandatory')
if mibBuilder.loadTexts: physicalPackage_Manufacturer.setDescription('The name of the organization responsible for producing the PhysicalElement. This may be the entity from whom the Element is purchased, but this is not necessarily true. The latter information is contained in the Vendor property of CIM_Product.')
physicalPackage_Model = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 8, 2, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setLabel("physicalPackage-Model").setMaxAccess("readonly")
if mibBuilder.loadTexts: physicalPackage_Model.setStatus('mandatory')
if mibBuilder.loadTexts: physicalPackage_Model.setDescription('The name by which the PhysicalElement is generally known.')
physicalPackage_SerialNumber = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 8, 2, 1, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setLabel("physicalPackage-SerialNumber").setMaxAccess("readonly")
if mibBuilder.loadTexts: physicalPackage_SerialNumber.setStatus('mandatory')
if mibBuilder.loadTexts: physicalPackage_SerialNumber.setDescription('A manufacturer-allocated number used to identify the Physical Element.')
physicalPackage_Realizes_MediaAccessDeviceIndex = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 8, 2, 1, 5), Integer32()).setLabel("physicalPackage-Realizes-MediaAccessDeviceIndex").setMaxAccess("readonly")
if mibBuilder.loadTexts: physicalPackage_Realizes_MediaAccessDeviceIndex.setStatus('mandatory')
if mibBuilder.loadTexts: physicalPackage_Realizes_MediaAccessDeviceIndex.setDescription("The index value of the the MediaAccess device that is associated with this physical package.'")
physicalPackage_Tag = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 8, 2, 1, 6), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("physicalPackage-Tag").setMaxAccess("readonly")
if mibBuilder.loadTexts: physicalPackage_Tag.setStatus('mandatory')
if mibBuilder.loadTexts: physicalPackage_Tag.setDescription("An arbitrary string that uniquely identifies the Physical Element and serves as the Element's key. The Tag property can contain information such as asset tag or serial number data. The key for PhysicalElement is placed very high in the object hierarchy in order to independently identify the hardware/entity, regardless of physical placement in or on Cabinets, Adapters, etc. For example, a hotswappable or removeable component may be taken from its containing (scoping) Package and be temporarily unused. The object still continues to exist - and may even be inserted into a different scoping container. Therefore, the key for Physical Element is an arbitrary string and is defined independently of any placement or location-oriented hierarchy.")
softwareElementGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 14851, 3, 1, 9))
numberOfSoftwareElements = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 9, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: numberOfSoftwareElements.setStatus('mandatory')
if mibBuilder.loadTexts: numberOfSoftwareElements.setDescription('This value specifies the number of SoftwareElements that are present.')
softwareElementTable = MibTable((1, 3, 6, 1, 4, 1, 14851, 3, 1, 9, 2), )
if mibBuilder.loadTexts: softwareElementTable.setStatus('mandatory')
if mibBuilder.loadTexts: softwareElementTable.setDescription("The CIM_SoftwareElement class is used to decompose a CIM_SoftwareFeature object into a set of individually manageable or deployable parts for a particular platform. A software element's platform is uniquely identified by its underlying hardware architecture and operating system (for example Sun Solaris on Sun Sparc or Windows NT on Intel). As such, to understand the details of how the functionality of a particular software feature is provided on a particular platform, the CIM_SoftwareElement objects referenced by CIM_SoftwareFeatureSoftwareElement associations are organized in disjoint sets based on the TargetOperatingSystem property. A CIM_SoftwareElement object captures the management details of a part or component in one of four states characterized by the SoftwareElementState property. ")
softwareElementEntry = MibTableRow((1, 3, 6, 1, 4, 1, 14851, 3, 1, 9, 2, 1), ).setIndexNames((0, "SNIA-SML-MIB", "softwareElementIndex"))
if mibBuilder.loadTexts: softwareElementEntry.setStatus('mandatory')
if mibBuilder.loadTexts: softwareElementEntry.setDescription('Each entry in the table contains information about a SoftwareElement that is present in the library.')
softwareElementIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 14851, 3, 1, 9, 2, 1, 1), UINT32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: softwareElementIndex.setStatus('mandatory')
if mibBuilder.loadTexts: softwareElementIndex.setDescription('The current index value for the SoftwareElement.')
softwareElement_Name = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 9, 2, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("softwareElement-Name").setMaxAccess("readonly")
if mibBuilder.loadTexts: softwareElement_Name.setStatus('deprecated')
if mibBuilder.loadTexts: softwareElement_Name.setDescription('deprecated')
softwareElement_Version = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 9, 2, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("softwareElement-Version").setMaxAccess("readonly")
if mibBuilder.loadTexts: softwareElement_Version.setStatus('mandatory')
if mibBuilder.loadTexts: softwareElement_Version.setDescription('Version should be in the form .. or . ')
softwareElement_SoftwareElementID = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 9, 2, 1, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("softwareElement-SoftwareElementID").setMaxAccess("readonly")
if mibBuilder.loadTexts: softwareElement_SoftwareElementID.setStatus('mandatory')
if mibBuilder.loadTexts: softwareElement_SoftwareElementID.setDescription('SoftwareIdentity represents software, viewed as an asset and/or individually identifiable entity (similar to Physical Element). It does NOT indicate whether the software is installed, executing, etc. (The latter is the role of the SoftwareFeature/ SoftwareElement classes and the Application Model.) Since software may be acquired, SoftwareIdentity can be associated with a Product using the ProductSoftwareComponent relationship. Note that the Application Model manages the deployment and installation of software via the classes, SoftwareFeatures and SoftwareElements. The deployment/installation concepts are related to the asset/identity one. In fact, a SoftwareIdentity may correspond to a Product, or to one or more SoftwareFeatures or SoftwareElements - depending on the granularity of these classes and the deployment model. The correspondence of Software Identity to Product, SoftwareFeature or SoftwareElement is indicated using the ConcreteIdentity association. Note that there may not be sufficient detail or instrumentation to instantiate ConcreteIdentity. And, if the association is instantiated, some duplication of information may result. For example, the Vendor described in the instances of Product and SoftwareIdentity MAY be the same. However, this is not necessarily true, and it is why vendor and similar information are duplicated in this class. Note that ConcreteIdentity can also be used to describe the relationship of the software to any LogicalFiles that result from installing it. As above, there may not be sufficient detail or instrumentation to instantiate this association.')
softwareElement_Manufacturer = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 9, 2, 1, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setLabel("softwareElement-Manufacturer").setMaxAccess("readonly")
if mibBuilder.loadTexts: softwareElement_Manufacturer.setStatus('mandatory')
if mibBuilder.loadTexts: softwareElement_Manufacturer.setDescription('Manufacturer of this software element')
softwareElement_BuildNumber = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 9, 2, 1, 6), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setLabel("softwareElement-BuildNumber").setMaxAccess("readonly")
if mibBuilder.loadTexts: softwareElement_BuildNumber.setStatus('mandatory')
if mibBuilder.loadTexts: softwareElement_BuildNumber.setDescription('The internal identifier for this compilation of this software element.')
softwareElement_SerialNumber = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 9, 2, 1, 7), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setLabel("softwareElement-SerialNumber").setMaxAccess("readonly")
if mibBuilder.loadTexts: softwareElement_SerialNumber.setStatus('mandatory')
if mibBuilder.loadTexts: softwareElement_SerialNumber.setDescription('The assigned serial number of this software element.')
softwareElement_CodeSet = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 9, 2, 1, 8), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setLabel("softwareElement-CodeSet").setMaxAccess("readonly")
if mibBuilder.loadTexts: softwareElement_CodeSet.setStatus('deprecated')
if mibBuilder.loadTexts: softwareElement_CodeSet.setDescription('The code set used by this software element. ')
softwareElement_IdentificationCode = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 9, 2, 1, 9), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setLabel("softwareElement-IdentificationCode").setMaxAccess("readonly")
if mibBuilder.loadTexts: softwareElement_IdentificationCode.setStatus('deprecated')
if mibBuilder.loadTexts: softwareElement_IdentificationCode.setDescription("The value of this property is the manufacturer's identifier for this software element. Often this will be a stock keeping unit (SKU) or a part number.")
softwareElement_LanguageEdition = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 9, 2, 1, 10), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setLabel("softwareElement-LanguageEdition").setMaxAccess("readonly")
if mibBuilder.loadTexts: softwareElement_LanguageEdition.setStatus('deprecated')
if mibBuilder.loadTexts: softwareElement_LanguageEdition.setDescription('The value of this property identifies the language edition of this software element. The language codes defined in ISO 639 should be used. Where the software element represents multi-lingual or international version of a product, the string multilingual should be used.')
softwareElement_InstanceID = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 9, 2, 1, 11), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("softwareElement-InstanceID").setMaxAccess("readonly")
if mibBuilder.loadTexts: softwareElement_InstanceID.setStatus('mandatory')
if mibBuilder.loadTexts: softwareElement_InstanceID.setDescription("Within the scope of the instantiating Namespace, InstanceID opaquely and uniquely identifies an instance of this class. In order to ensure uniqueness within the NameSpace, the value of InstanceID SHOULD be constructed using the following 'preferred' algorithm: <OrgID>:<LocalID> Where <OrgID> and <LocalID> are separated by a colon ':', and where <OrgID> MUST include a copyrighted, trademarked or otherwise unique name that is owned by the business entity creating/defining the InstanceID, or is a registered ID that is assigned to the business entity by a recognized global authority (This is similar to the <Schema Name>_<Class Name> structure of Schema class names.) In addition, to ensure uniqueness <OrgID> MUST NOT contain a colon (':'). When using this algorithm, the first colon to appear in InstanceID MUST appear between <OrgID> and <LocalID>. <LocalID> is chosen by the business entity and SHOULD not be re-used to identify different underlying (real-world) elements. If the above 'preferred' algorithm is not used, the defining entity MUST assure that the resultant InstanceID is not re-used across any InstanceIDs produced by this or other providers for this instance's NameSpace. For DMTF defined instances, the 'preferred' algorithm MUST be used with the <OrgID> set to 'CIM'.")
computerSystemGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 14851, 3, 1, 10))
computerSystem_ElementName = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 10, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("computerSystem-ElementName").setMaxAccess("readonly")
if mibBuilder.loadTexts: computerSystem_ElementName.setStatus('mandatory')
if mibBuilder.loadTexts: computerSystem_ElementName.setDescription("A user-friendly name for the object. This property allows each instance to define a user-friendly name IN ADDITION TO its key properties/identity data, and description information. \\n Note that ManagedSystemElement's Name property is also defined as a user-friendly name. But, it is often subclassed to be a Key. It is not reasonable that the same property can convey both identity and a user friendly name, without inconsistencies. Where Name exists and is not a Key (such as for instances of LogicalDevice), the same information MAY be present in both the Name and ElementName properties.")
computerSystem_OperationalStatus = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 10, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 32768))).clone(namedValues=NamedValues(("unknown", 0), ("other", 1), ("ok", 2), ("degraded", 3), ("stressed", 4), ("predictiveFailure", 5), ("error", 6), ("non-RecoverableError", 7), ("starting", 8), ("stopping", 9), ("stopped", 10), ("inService", 11), ("noContact", 12), ("lostCommunication", 13), ("aborted", 14), ("dormant", 15), ("supportingEntityInError", 16), ("completed", 17), ("powerMode", 18), ("dMTFReserved", 19), ("vendorReserved", 32768)))).setLabel("computerSystem-OperationalStatus").setMaxAccess("readonly")
if mibBuilder.loadTexts: computerSystem_OperationalStatus.setStatus('mandatory')
if mibBuilder.loadTexts: computerSystem_OperationalStatus.setDescription("Indicates the current status(es) of the element. Various health and operational statuses are defined. Many of the enumeration's values are self- explanatory. However, a few are not and are described in more detail. \\n 'Stressed' indicates that the element is functioning, but needs attention. Examples of 'Stressed' states are overload, overheated, etc. \\n 'Predictive Failure' indicates that an element is functioning nominally but predicting a failure in the near future. \\n 'In Service' describes an element being configured, maintained, cleaned, or otherwise administered. \\n 'No Contact' indicates that the monitoring system has knowledge of this element, but has never been able to establish communications with it. \\n 'Lost Communication' indicates that the ManagedSystem Element is known to exist and has been contacted successfully in the past, but is currently unreachable. \\n 'Stopped' and 'Aborted' are similar, although the former implies a clean and orderly stop, while the latter implies an abrupt stop where the element's state and configuration may need to be updated. \\n 'Dormant' indicates that the element is inactive or quiesced. \\n 'Supporting Entity in Error' describes that this element may be 'OK' but that another element, on which it is dependent, is in error. An example is a network service or endpoint that cannot function due to lower layer networking problems. \\n 'Completed' indicates the element has completed its operation. This value should be combined with either OK, Error, or Degraded so that a client can till if the complete operation passed (Completed with OK), and failure (Completed with Error). Completed with Degraded would imply the operation finished, but did not complete OK or report an error. \\n 'Power Mode' indicates the element has additional power model information contained in the Associated PowerManagementService association. \\n OperationalStatus replaces the Status property on ManagedSystemElement to provide a consistent approach to enumerations, to address implementation needs for an array property, and to provide a migration path from today's environment to the future. This change was not made earlier since it required the DEPRECATED qualifier. Due to the widespread use of the existing Status property in management applications, it is strongly RECOMMENDED that providers/instrumentation provide BOTH the Status and OperationalStatus properties. Further, the first value of OperationalStatus SHOULD contain the primary status for the element. When instrumented, Status (since it is single-valued) SHOULD also provide the primary status of the element.")
computerSystem_Name = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 10, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("computerSystem-Name").setMaxAccess("readonly")
if mibBuilder.loadTexts: computerSystem_Name.setStatus('mandatory')
if mibBuilder.loadTexts: computerSystem_Name.setDescription('The Name property defines the label by which the object is known. When subclassed, the Name property can be overridden to be a Key property.')
computerSystem_NameFormat = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 10, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("computerSystem-NameFormat").setMaxAccess("readonly")
if mibBuilder.loadTexts: computerSystem_NameFormat.setStatus('mandatory')
if mibBuilder.loadTexts: computerSystem_NameFormat.setDescription("The ComputerSystem object and its derivatives are Top Level Objects of CIM. They provide the scope for numerous components. Having unique System keys is required. The NameFormat property identifies how the ComputerSystem Name is generated. The NameFormat ValueMap qualifier defines the various mechanisms for assigning the name. Note that another name can be assigned and used for the ComputerSystem that better suit a business, using the inherited ElementName property. Possible values include 'Other', 'IP', 'Dial', 'HID', 'NWA', 'HWA', 'X25', 'ISDN', 'IPX', 'DCC', 'ICD', 'E.164', 'SNA', 'OID/OSI', 'WWN', 'NAA'")
computerSystem_Dedicated = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 10, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20))).clone(namedValues=NamedValues(("notDedicated", 0), ("unknown", 1), ("other", 2), ("storage", 3), ("router", 4), ("switch", 5), ("layer3switch", 6), ("centralOfficeSwitch", 7), ("hub", 8), ("accessServer", 9), ("firewall", 10), ("print", 11), ("io", 12), ("webCaching", 13), ("management", 14), ("blockServer", 15), ("fileServer", 16), ("mobileUserDevice", 17), ("repeater", 18), ("bridgeExtender", 19), ("gateway", 20)))).setLabel("computerSystem-Dedicated").setMaxAccess("readonly")
if mibBuilder.loadTexts: computerSystem_Dedicated.setStatus('mandatory')
if mibBuilder.loadTexts: computerSystem_Dedicated.setDescription("Enumeration indicating whether the ComputerSystem is a special-purpose System (ie, dedicated to a particular use), versus being 'general purpose'. For example, one could specify that the System is dedicated to 'Print' (value=11) or acts as a 'Hub' (value=8). \\n A clarification is needed with respect to the value 17 ('Mobile User Device'). An example of a dedicated user device is a mobile phone or a barcode scanner in a store that communicates via radio frequency. These systems are quite limited in functionality and programmability, and are not considered 'general purpose' computing platforms. Alternately, an example of a mobile system that is 'general purpose' (i.e., is NOT dedicated) is a hand-held computer. Although limited in its programmability, new software can be downloaded and its functionality expanded by the user.")
computerSystem_PrimaryOwnerContact = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 10, 6), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("computerSystem-PrimaryOwnerContact").setMaxAccess("readonly")
if mibBuilder.loadTexts: computerSystem_PrimaryOwnerContact.setStatus('mandatory')
if mibBuilder.loadTexts: computerSystem_PrimaryOwnerContact.setDescription('A string that provides information on how the primary system owner can be reached (e.g. phone number, email address, ...)')
computerSystem_PrimaryOwnerName = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 10, 7), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("computerSystem-PrimaryOwnerName").setMaxAccess("readonly")
if mibBuilder.loadTexts: computerSystem_PrimaryOwnerName.setStatus('mandatory')
if mibBuilder.loadTexts: computerSystem_PrimaryOwnerName.setDescription('The name of the primary system owner. The system owner is the primary user of the system.')
computerSystem_Description = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 10, 8), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("computerSystem-Description").setMaxAccess("readonly")
if mibBuilder.loadTexts: computerSystem_Description.setStatus('mandatory')
if mibBuilder.loadTexts: computerSystem_Description.setDescription('The Description property provides a textual description of the object.')
computerSystem_Caption = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 10, 9), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setLabel("computerSystem-Caption").setMaxAccess("readonly")
if mibBuilder.loadTexts: computerSystem_Caption.setStatus('mandatory')
if mibBuilder.loadTexts: computerSystem_Caption.setDescription('The Caption property is a short textual description (one- line string) of the object.')
computerSystem_Realizes_softwareElementIndex = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 10, 10), UINT32()).setLabel("computerSystem-Realizes-softwareElementIndex").setMaxAccess("readonly")
if mibBuilder.loadTexts: computerSystem_Realizes_softwareElementIndex.setStatus('mandatory')
if mibBuilder.loadTexts: computerSystem_Realizes_softwareElementIndex.setDescription('The current index value for the softwareElementIndex that this computerSystem is associated with. If no association exists an index of 0 may be returned.')
changerDeviceGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 14851, 3, 1, 11))
numberOfChangerDevices = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 11, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: numberOfChangerDevices.setStatus('mandatory')
if mibBuilder.loadTexts: numberOfChangerDevices.setDescription('This value specifies the number of ChangerDevices that are present.')
changerDeviceTable = MibTable((1, 3, 6, 1, 4, 1, 14851, 3, 1, 11, 2), )
if mibBuilder.loadTexts: changerDeviceTable.setStatus('mandatory')
if mibBuilder.loadTexts: changerDeviceTable.setDescription('The changerDevice class represents changerDevices in the library')
changerDeviceEntry = MibTableRow((1, 3, 6, 1, 4, 1, 14851, 3, 1, 11, 2, 1), ).setIndexNames((0, "SNIA-SML-MIB", "changerDeviceIndex"))
if mibBuilder.loadTexts: changerDeviceEntry.setStatus('mandatory')
if mibBuilder.loadTexts: changerDeviceEntry.setDescription('Each entry in the table contains information about a changerDevice that is present in the library.')
changerDeviceIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 14851, 3, 1, 11, 2, 1, 1), UINT32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: changerDeviceIndex.setStatus('mandatory')
if mibBuilder.loadTexts: changerDeviceIndex.setDescription('The current index value for the changerDevice.')
changerDevice_DeviceID = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 11, 2, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setLabel("changerDevice-DeviceID").setMaxAccess("readonly")
if mibBuilder.loadTexts: changerDevice_DeviceID.setStatus('mandatory')
if mibBuilder.loadTexts: changerDevice_DeviceID.setDescription('An address or other identifying information to uniquely name the LogicalDevice.')
changerDevice_MediaFlipSupported = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 11, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("true", 1), ("false", 2)))).setLabel("changerDevice-MediaFlipSupported").setMaxAccess("readonly")
if mibBuilder.loadTexts: changerDevice_MediaFlipSupported.setStatus('mandatory')
if mibBuilder.loadTexts: changerDevice_MediaFlipSupported.setDescription('Boolean set to TRUE if the Changer supports media flipping. Media needs to be flipped when multi-sided PhysicalMedia are placed into a MediaAccessDevice that does NOT support dual sided access.')
changerDevice_ElementName = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 11, 2, 1, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("changerDevice-ElementName").setMaxAccess("readonly")
if mibBuilder.loadTexts: changerDevice_ElementName.setStatus('mandatory')
if mibBuilder.loadTexts: changerDevice_ElementName.setDescription("A user-friendly name for the object. This property allows each instance to define a user-friendly name IN ADDITION TO its key properties/identity data, and description information. Note that ManagedSystemElement's Name property is also defined as a user-friendly name. But, it is often subclassed to be a Key. It is not reasonable that the same property can convey both identity and a user friendly name, without inconsistencies. Where Name exists and is not a Key (such as for instances of LogicalDevice), the same information MAY be present in both the Name and ElementName properties.")
changerDevice_Caption = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 11, 2, 1, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setLabel("changerDevice-Caption").setMaxAccess("readonly")
if mibBuilder.loadTexts: changerDevice_Caption.setStatus('mandatory')
if mibBuilder.loadTexts: changerDevice_Caption.setDescription('The Caption property is a short textual description (one- line string) of the object.')
changerDevice_Description = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 11, 2, 1, 6), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("changerDevice-Description").setMaxAccess("readonly")
if mibBuilder.loadTexts: changerDevice_Description.setStatus('mandatory')
if mibBuilder.loadTexts: changerDevice_Description.setDescription('The Description property provides a textual description of the object.')
changerDevice_Availability = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 11, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17), ("paused", 18), ("notReady", 19), ("notConfigured", 20), ("quiesced", 21)))).setLabel("changerDevice-Availability").setMaxAccess("readonly")
if mibBuilder.loadTexts: changerDevice_Availability.setStatus('mandatory')
if mibBuilder.loadTexts: changerDevice_Availability.setDescription("The primary availability and status of the Device. (Additional status information can be specified using the Additional Availability array property.) For example, the Availability property indicates that the Device is running and has full power (value=3), or is in a warning (4), test (5), degraded (10) or power save state (values 13-15 and 17). Regarding the Power Save states, these are defined as follows Value 13 (\\'Power Save - Unknown\\') indicates that the Device is known to be in a power save mode, but its exact status in this mode is unknown; 14 (\\'Power Save - Low Power Mode\\') indicates that the Device is in a power save state but still functioning, and may exhibit degraded performance 15 (\\'Power Save - Standby\\') describes that the Device is not functioning but could be brought to full power 'quickly'; and value 17 (\\'Power Save - Warning\\') indicates that the Device is in a warning state, though also in a power save mode.")
changerDevice_OperationalStatus = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 11, 2, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 32768))).clone(namedValues=NamedValues(("unknown", 0), ("other", 1), ("ok", 2), ("degraded", 3), ("stressed", 4), ("predictiveFailure", 5), ("error", 6), ("non-RecoverableError", 7), ("starting", 8), ("stopping", 9), ("stopped", 10), ("inService", 11), ("noContact", 12), ("lostCommunication", 13), ("aborted", 14), ("dormant", 15), ("supportingEntityInError", 16), ("completed", 17), ("powerMode", 18), ("dMTFReserved", 19), ("vendorReserved", 32768)))).setLabel("changerDevice-OperationalStatus").setMaxAccess("readonly")
if mibBuilder.loadTexts: changerDevice_OperationalStatus.setStatus('mandatory')
if mibBuilder.loadTexts: changerDevice_OperationalStatus.setDescription("Indicates the current status(es) of the element. Various health and operational statuses are defined. Many of the enumeration's values are self- explanatory. However, a few are not and are described in more detail. \\n 'Stressed' indicates that the element is functioning, but needs attention. Examples of 'Stressed' states are overload, overheated, etc. \\n 'Predictive Failure' indicates that an element is functioning nominally but predicting a failure in the near future. \\n 'In Service' describes an element being configured, maintained, cleaned, or otherwise administered. \\n 'No Contact' indicates that the monitoring system has knowledge of this element, but has never been able to establish communications with it. \\n 'Lost Communication' indicates that the ManagedSystem Element is known to exist and has been contacted successfully in the past, but is currently unreachable. \\n 'Stopped' and 'Aborted' are similar, although the former implies a clean and orderly stop, while the latter implies an abrupt stop where the element's state and configuration may need to be updated. \\n 'Dormant' indicates that the element is inactive or quiesced. \\n 'Supporting Entity in Error' describes that this element may be 'OK' but that another element, on which it is dependent, is in error. An example is a network service or endpoint that cannot function due to lower layer networking problems. \\n 'Completed' indicates the element has completed its operation. This value should be combined with either OK, Error, or Degraded so that a client can till if the complete operation passed (Completed with OK), and failure (Completed with Error). Completed with Degraded would imply the operation finished, but did not complete OK or report an error. \\n 'Power Mode' indicates the element has additional power model information contained in the Associated PowerManagementService association. \\n OperationalStatus replaces the Status property on ManagedSystemElement to provide a consistent approach to enumerations, to address implementation needs for an array property, and to provide a migration path from today's environment to the future. This change was not made earlier since it required the DEPRECATED qualifier. Due to the widespread use of the existing Status property in management applications, it is strongly RECOMMENDED that providers/instrumentation provide BOTH the Status and OperationalStatus properties. Further, the first value of OperationalStatus SHOULD contain the primary status for the element. When instrumented, Status (since it is single-valued) SHOULD also provide the primary status of the element.")
changerDevice_Realizes_StorageLocationIndex = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 11, 2, 1, 10), UINT32()).setLabel("changerDevice-Realizes-StorageLocationIndex").setMaxAccess("readonly")
if mibBuilder.loadTexts: changerDevice_Realizes_StorageLocationIndex.setStatus('mandatory')
if mibBuilder.loadTexts: changerDevice_Realizes_StorageLocationIndex.setDescription('The current index value for the storageMediaLocationIndex that this changerDevice is associated with. If no association exists an index of 0 may be returned.')
scsiProtocolControllerGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 14851, 3, 1, 12))
numberOfSCSIProtocolControllers = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 12, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: numberOfSCSIProtocolControllers.setStatus('mandatory')
if mibBuilder.loadTexts: numberOfSCSIProtocolControllers.setDescription('This value specifies the number of SCSIProtocolControllers that are present.')
scsiProtocolControllerTable = MibTable((1, 3, 6, 1, 4, 1, 14851, 3, 1, 12, 2), )
if mibBuilder.loadTexts: scsiProtocolControllerTable.setStatus('mandatory')
if mibBuilder.loadTexts: scsiProtocolControllerTable.setDescription('The scsiProtocolController class represents SCSIProtocolControllers in the library')
scsiProtocolControllerEntry = MibTableRow((1, 3, 6, 1, 4, 1, 14851, 3, 1, 12, 2, 1), ).setIndexNames((0, "SNIA-SML-MIB", "scsiProtocolControllerIndex"))
if mibBuilder.loadTexts: scsiProtocolControllerEntry.setStatus('mandatory')
if mibBuilder.loadTexts: scsiProtocolControllerEntry.setDescription('Each entry in the table contains information about a SCSIProtocolController that is present in the library.')
scsiProtocolControllerIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 14851, 3, 1, 12, 2, 1, 1), UINT32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: scsiProtocolControllerIndex.setStatus('mandatory')
if mibBuilder.loadTexts: scsiProtocolControllerIndex.setDescription('The current index value for the scsiProtocolController.')
scsiProtocolController_DeviceID = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 12, 2, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setLabel("scsiProtocolController-DeviceID").setMaxAccess("readonly")
if mibBuilder.loadTexts: scsiProtocolController_DeviceID.setStatus('mandatory')
if mibBuilder.loadTexts: scsiProtocolController_DeviceID.setDescription('An address or other identifying information to uniquely name the LogicalDevice.')
scsiProtocolController_ElementName = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 12, 2, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("scsiProtocolController-ElementName").setMaxAccess("readonly")
if mibBuilder.loadTexts: scsiProtocolController_ElementName.setStatus('mandatory')
if mibBuilder.loadTexts: scsiProtocolController_ElementName.setDescription("A user-friendly name for the object. This property allows each instance to define a user-friendly name IN ADDITION TO its key properties/identity data, and description information. Note that ManagedSystemElement's Name property is also defined as a user-friendly name. But, it is often subclassed to be a Key. It is not reasonable that the same property can convey both identity and a user friendly name, without inconsistencies. Where Name exists and is not a Key (such as for instances of LogicalDevice), the same information MAY be present in both the Name and ElementName properties.")
scsiProtocolController_OperationalStatus = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 12, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 32768))).clone(namedValues=NamedValues(("unknown", 0), ("other", 1), ("ok", 2), ("degraded", 3), ("stressed", 4), ("predictiveFailure", 5), ("error", 6), ("non-RecoverableError", 7), ("starting", 8), ("stopping", 9), ("stopped", 10), ("inService", 11), ("noContact", 12), ("lostCommunication", 13), ("aborted", 14), ("dormant", 15), ("supportingEntityInError", 16), ("completed", 17), ("powerMode", 18), ("dMTFReserved", 19), ("vendorReserved", 32768)))).setLabel("scsiProtocolController-OperationalStatus").setMaxAccess("readonly")
if mibBuilder.loadTexts: scsiProtocolController_OperationalStatus.setStatus('mandatory')
if mibBuilder.loadTexts: scsiProtocolController_OperationalStatus.setDescription("Indicates the current status(es) of the element. Various health and operational statuses are defined. Many of the enumeration's values are self- explanatory. However, a few are not and are described in more detail. \\n 'Stressed' indicates that the element is functioning, but needs attention. Examples of 'Stressed' states are overload, overheated, etc. \\n 'Predictive Failure' indicates that an element is functioning nominally but predicting a failure in the near future. \\n 'In Service' describes an element being configured, maintained, cleaned, or otherwise administered. \\n 'No Contact' indicates that the monitoring system has knowledge of this element, but has never been able to establish communications with it. \\n 'Lost Communication' indicates that the ManagedSystem Element is known to exist and has been contacted successfully in the past, but is currently unreachable. \\n 'Stopped' and 'Aborted' are similar, although the former implies a clean and orderly stop, while the latter implies an abrupt stop where the element's state and configuration may need to be updated. \\n 'Dormant' indicates that the element is inactive or quiesced. \\n 'Supporting Entity in Error' describes that this element may be 'OK' but that another element, on which it is dependent, is in error. An example is a network service or endpoint that cannot function due to lower layer networking problems. \\n 'Completed' indicates the element has completed its operation. This value should be combined with either OK, Error, or Degraded so that a client can till if the complete operation passed (Completed with OK), and failure (Completed with Error). Completed with Degraded would imply the operation finished, but did not complete OK or report an error. \\n 'Power Mode' indicates the element has additional power model information contained in the Associated PowerManagementService association. \\n OperationalStatus replaces the Status property on ManagedSystemElement to provide a consistent approach to enumerations, to address implementation needs for an array property, and to provide a migration path from today's environment to the future. This change was not made earlier since it required the DEPRECATED qualifier. Due to the widespread use of the existing Status property in management applications, it is strongly RECOMMENDED that providers/instrumentation provide BOTH the Status and OperationalStatus properties. Further, the first value of OperationalStatus SHOULD contain the primary status for the element. When instrumented, Status (since it is single-valued) SHOULD also provide the primary status of the element.")
scsiProtocolController_Description = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 12, 2, 1, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("scsiProtocolController-Description").setMaxAccess("readonly")
if mibBuilder.loadTexts: scsiProtocolController_Description.setStatus('mandatory')
if mibBuilder.loadTexts: scsiProtocolController_Description.setDescription('The Description property provides a textual description of the object.')
scsiProtocolController_Availability = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 12, 2, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17), ("paused", 18), ("notReady", 19), ("notConfigured", 20), ("quiesced", 21)))).setLabel("scsiProtocolController-Availability").setMaxAccess("readonly")
if mibBuilder.loadTexts: scsiProtocolController_Availability.setStatus('mandatory')
if mibBuilder.loadTexts: scsiProtocolController_Availability.setDescription("The primary availability and status of the Device. (Additional status information can be specified using the Additional Availability array property.) For example, the Availability property indicates that the Device is running and has full power (value=3), or is in a warning (4), test (5), degraded (10) or power save state (values 13-15 and 17). Regarding the Power Save states, these are defined as follows: Value 13 (\\'Power Save - Unknown\\') indicates that the Device is known to be in a power save mode, but its exact status in this mode is unknown; 14 (\\'Power Save - Low Power Mode\\') indicates that the Device is in a power save state but still functioning, and may exhibit degraded performance; 15 (\\'Power Save - Standby\\') describes that the Device is not functioning but could be brought to full power 'quickly'; and value 17 (\\'Power Save - Warning\\') indicates that the Device is in a warning state, though also in a power save mode.")
scsiProtocolController_Realizes_ChangerDeviceIndex = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 12, 2, 1, 7), UINT32()).setLabel("scsiProtocolController-Realizes-ChangerDeviceIndex").setMaxAccess("readonly")
if mibBuilder.loadTexts: scsiProtocolController_Realizes_ChangerDeviceIndex.setStatus('mandatory')
if mibBuilder.loadTexts: scsiProtocolController_Realizes_ChangerDeviceIndex.setDescription('The current index value for the ChangerDeviceIndex that this scsiProtocolController is associated with. If no association exists an index of 0 may be returned.')
scsiProtocolController_Realizes_MediaAccessDeviceIndex = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 12, 2, 1, 8), UINT32()).setLabel("scsiProtocolController-Realizes-MediaAccessDeviceIndex").setMaxAccess("readonly")
if mibBuilder.loadTexts: scsiProtocolController_Realizes_MediaAccessDeviceIndex.setStatus('mandatory')
if mibBuilder.loadTexts: scsiProtocolController_Realizes_MediaAccessDeviceIndex.setDescription('The current index value for the MediaAccessDeviceIndex that this scsiProtocolController is associated with. If no association exists an index of 0 may be returned.')
storageMediaLocationGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13))
numberOfStorageMediaLocations = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: numberOfStorageMediaLocations.setStatus('mandatory')
if mibBuilder.loadTexts: numberOfStorageMediaLocations.setDescription('This value specifies the number of StorageMediaLocations that are present.')
numberOfPhysicalMedias = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: numberOfPhysicalMedias.setStatus('mandatory')
if mibBuilder.loadTexts: numberOfPhysicalMedias.setDescription('This value specifies the number of PhysicalMedia that are present.')
storageMediaLocationTable = MibTable((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 3), )
if mibBuilder.loadTexts: storageMediaLocationTable.setStatus('mandatory')
if mibBuilder.loadTexts: storageMediaLocationTable.setDescription("StorageMediaLocation represents a possible location for an instance of PhysicalMedia. PhysicalMedia represents any type of documentation or storage medium, such as tapes, CDROMs, etc. This class is typically used to locate and manage Removable Media (versus Media sealed with the MediaAccessDevice, as a single Package, as is the case with hard disks). However, 'sealed' Media can also be modeled using this class, where the Media would then be associated with the PhysicalPackage using the PackagedComponent relationship. ")
storageMediaLocationEntry = MibTableRow((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 3, 1), ).setIndexNames((0, "SNIA-SML-MIB", "storageMediaLocationIndex"))
if mibBuilder.loadTexts: storageMediaLocationEntry.setStatus('mandatory')
if mibBuilder.loadTexts: storageMediaLocationEntry.setDescription('Each entry in the table contains information about a StorageMediaLocation that is present in the library.')
storageMediaLocationIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 3, 1, 1), UINT32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: storageMediaLocationIndex.setStatus('mandatory')
if mibBuilder.loadTexts: storageMediaLocationIndex.setDescription('The current index value for the StorageMediaLocation.')
storageMediaLocation_Tag = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 3, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("storageMediaLocation-Tag").setMaxAccess("readonly")
if mibBuilder.loadTexts: storageMediaLocation_Tag.setStatus('mandatory')
if mibBuilder.loadTexts: storageMediaLocation_Tag.setDescription("An arbitrary string that uniquely identifies the Physical Element and serves as the Element's key. The Tag property can contain information such as asset tag or serial number data. The key for PhysicalElement is placed very high in the object hierarchy in order to independently identify the hardware/entity, regardless of physical placement in or on Cabinets, Adapters, etc. For example, a hotswappable or removeable component may be taken from its containing (scoping) Package and be temporarily unused. The object still continues to exist - and may even be inserted into a different scoping container. Therefore, the key for Physical Element is an arbitrary string and is defined independently of any placement or location-oriented hierarchy.")
storageMediaLocation_LocationType = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 3, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=NamedValues(("unknown", 0), ("other", 1), ("slot", 2), ("magazine", 3), ("mediaAccessDevice", 4), ("interLibraryPort", 5), ("limitedAccessPort", 6), ("door", 7), ("shelf", 8), ("vault", 9)))).setLabel("storageMediaLocation-LocationType").setMaxAccess("readonly")
if mibBuilder.loadTexts: storageMediaLocation_LocationType.setStatus('mandatory')
if mibBuilder.loadTexts: storageMediaLocation_LocationType.setDescription("The type of Location. For example, whether this is an individual Media \\'Slot\\' (value=2), a MediaAccessDevice (value=4) or a \\'Magazine\\' (value=3) is indicated in this property.")
storageMediaLocation_LocationCoordinates = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 3, 1, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("storageMediaLocation-LocationCoordinates").setMaxAccess("readonly")
if mibBuilder.loadTexts: storageMediaLocation_LocationCoordinates.setStatus('mandatory')
if mibBuilder.loadTexts: storageMediaLocation_LocationCoordinates.setDescription('LocationCoordinates represent the physical location of the the FrameSlot instance. The property is defined as a free-form string to allow the location information to be described in vendor-unique terminology.')
storageMediaLocation_MediaTypesSupported = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 3, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 61, 62, 63, 64, 65, 66))).clone(namedValues=NamedValues(("unknown", 0), ("other", 1), ("tape", 2), ("qic", 3), ("ait", 4), ("dtf", 5), ("dat", 6), ("eightmmTape", 7), ("nineteenmmTape", 8), ("dlt", 9), ("halfInchMO", 10), ("catridgeDisk", 11), ("jazDisk", 12), ("zipDisk", 13), ("syQuestDisk", 14), ("winchesterDisk", 15), ("cdRom", 16), ("cdRomXA", 17), ("cdI", 18), ("cdRecordable", 19), ("wORM", 20), ("magneto-Optical", 21), ("dvd", 22), ("dvdRWPlus", 23), ("dvdRAM", 24), ("dvdROM", 25), ("dvdVideo", 26), ("divx", 27), ("floppyDiskette", 28), ("hardDisk", 29), ("memoryCard", 30), ("hardCopy", 31), ("clikDisk", 32), ("cdRW", 33), ("cdDA", 34), ("cdPlus", 35), ("dvdRecordable", 36), ("dvdRW", 37), ("dvdAudio", 38), ("dvd5", 39), ("dvd9", 40), ("dvd10", 41), ("dvd18", 42), ("moRewriteable", 43), ("moWriteOnce", 44), ("moLIMDOW", 45), ("phaseChangeWO", 46), ("phaseChangeRewriteable", 47), ("phaseChangeDualRewriteable", 48), ("ablativeWriteOnce", 49), ("nearField", 50), ("miniQic", 51), ("travan", 52), ("eightmmMetal", 53), ("eightmmAdvanced", 54), ("nctp", 55), ("ltoUltrium", 56), ("ltoAccelis", 57), ("tape9Track", 58), ("tape18Track", 59), ("tape36Track", 60), ("magstar3590", 61), ("magstarMP", 62), ("d2Tape", 63), ("dstSmall", 64), ("dstMedium", 65), ("dstLarge", 66)))).setLabel("storageMediaLocation-MediaTypesSupported").setMaxAccess("readonly")
if mibBuilder.loadTexts: storageMediaLocation_MediaTypesSupported.setStatus('mandatory')
if mibBuilder.loadTexts: storageMediaLocation_MediaTypesSupported.setDescription("Certain StorageMediaLocations may only be able to accept a limited set of PhysicalMedia MediaTypes. This property defines an array containing the types of Media that are acceptable for placement in the Location. Additional information and description of the contained MediaTypes can be provided using the TypesDescription array. Also, size data (for example, DVD disc diameter) can be specified using the MediaSizesSupported array. \\n \\n Values defined here correspond to those in the CIM_Physical Media.MediaType property. This allows quick comparisons using value equivalence calculations. It is understood that there is no external physical difference between (for example) DVD- Video and DVD-RAM. But, equivalent values in both the Physical Media and StorageMediaLocation enumerations allows for one for one comparisons with no additional processing logic (i.e., the following is not required ... if \\'DVD-Video\\' then value=\\'DVD\\').")
storageMediaLocation_MediaCapacity = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 3, 1, 6), UINT32()).setLabel("storageMediaLocation-MediaCapacity").setMaxAccess("readonly")
if mibBuilder.loadTexts: storageMediaLocation_MediaCapacity.setStatus('mandatory')
if mibBuilder.loadTexts: storageMediaLocation_MediaCapacity.setDescription('A StorageMediaLocation may hold more than one PhysicalMedia - for example, a Magazine. This property indicates the Physical Media capacity of the Location.')
storageMediaLocation_Association_ChangerDeviceIndex = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 3, 1, 7), UINT32()).setLabel("storageMediaLocation-Association-ChangerDeviceIndex").setMaxAccess("readonly")
if mibBuilder.loadTexts: storageMediaLocation_Association_ChangerDeviceIndex.setStatus('mandatory')
if mibBuilder.loadTexts: storageMediaLocation_Association_ChangerDeviceIndex.setDescription('Experimental: The current index value for the ChangerDeviceIndex that this storageMediaLocation is associated with. If no association exists an index of 0 may be returned. This association allows a representation of the experimental ')
storageMediaLocation_PhysicalMediaPresent = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 3, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("true", 1), ("false", 2)))).setLabel("storageMediaLocation-PhysicalMediaPresent").setMaxAccess("readonly")
if mibBuilder.loadTexts: storageMediaLocation_PhysicalMediaPresent.setStatus('mandatory')
if mibBuilder.loadTexts: storageMediaLocation_PhysicalMediaPresent.setDescription("'true' when Physical Media is present in this storage location. When this is 'false' -physicalMedia- entries are undefined")
storageMediaLocation_PhysicalMedia_Removable = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 3, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("unknown", 0), ("true", 1), ("false", 2)))).setLabel("storageMediaLocation-PhysicalMedia-Removable").setMaxAccess("readonly")
if mibBuilder.loadTexts: storageMediaLocation_PhysicalMedia_Removable.setStatus('mandatory')
if mibBuilder.loadTexts: storageMediaLocation_PhysicalMedia_Removable.setDescription("A PhysicalComponent is Removable if it is designed to be taken in and out of the physical container in which it is normally found, without impairing the function of the overall packaging. A Component can still be Removable if power must be 'off' in order to perform the removal. If power can be 'on' and the Component removed, then the Element is both Removable and HotSwappable. For example, an upgradeable Processor chip is Removable.")
storageMediaLocation_PhysicalMedia_Replaceable = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 3, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("unknown", 0), ("true", 1), ("false", 2)))).setLabel("storageMediaLocation-PhysicalMedia-Replaceable").setMaxAccess("readonly")
if mibBuilder.loadTexts: storageMediaLocation_PhysicalMedia_Replaceable.setStatus('mandatory')
if mibBuilder.loadTexts: storageMediaLocation_PhysicalMedia_Replaceable.setDescription('A PhysicalComponent is Replaceable if it is possible to replace (FRU or upgrade) the Element with a physically different one. For example, some ComputerSystems allow the main Processor chip to be upgraded to one of a higher clock rating. In this case, the Processor is said to be Replaceable. All Removable Components are inherently Replaceable.')
storageMediaLocation_PhysicalMedia_HotSwappable = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 3, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("unknown", 0), ("true", 1), ("false", 2)))).setLabel("storageMediaLocation-PhysicalMedia-HotSwappable").setMaxAccess("readonly")
if mibBuilder.loadTexts: storageMediaLocation_PhysicalMedia_HotSwappable.setStatus('mandatory')
if mibBuilder.loadTexts: storageMediaLocation_PhysicalMedia_HotSwappable.setDescription("A PhysicalComponent is HotSwappable if it is possible to replace the Element with a physically different but equivalent one while the containing Package has power applied to it (ie, is 'on'). For example, a fan Component may be designed to be HotSwappable. All HotSwappable Components are inherently Removable and Replaceable.")
storageMediaLocation_PhysicalMedia_Capacity = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 3, 1, 14), UINT64()).setLabel("storageMediaLocation-PhysicalMedia-Capacity").setMaxAccess("readonly")
if mibBuilder.loadTexts: storageMediaLocation_PhysicalMedia_Capacity.setStatus('mandatory')
if mibBuilder.loadTexts: storageMediaLocation_PhysicalMedia_Capacity.setDescription("The number of bytes that can be read from or written to a Media. This property is not applicable to 'Hard Copy' (documentation) or cleaner Media. Data compression should not be assumed, as it would increase the value in this property. For tapes, it should be assumed that no filemarks or blank space areas are recorded on the Media.")
storageMediaLocation_PhysicalMedia_MediaType = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 3, 1, 15), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 61, 62, 63, 64, 65, 66))).clone(namedValues=NamedValues(("unknown", 0), ("other", 1), ("tape", 2), ("qic", 3), ("ait", 4), ("dtf", 5), ("dat", 6), ("eightmmTape", 7), ("nineteenmmTape", 8), ("dlt", 9), ("halfInchMO", 10), ("catridgeDisk", 11), ("jazDisk", 12), ("zipDisk", 13), ("syQuestDisk", 14), ("winchesterDisk", 15), ("cdRom", 16), ("cdRomXA", 17), ("cdI", 18), ("cdRecordable", 19), ("wORM", 20), ("magneto-Optical", 21), ("dvd", 22), ("dvdRWPlus", 23), ("dvdRAM", 24), ("dvdROM", 25), ("dvdVideo", 26), ("divx", 27), ("floppyDiskette", 28), ("hardDisk", 29), ("memoryCard", 30), ("hardCopy", 31), ("clikDisk", 32), ("cdRW", 33), ("cdDA", 34), ("cdPlus", 35), ("dvdRecordable", 36), ("dvdRW", 37), ("dvdAudio", 38), ("dvd5", 39), ("dvd9", 40), ("dvd10", 41), ("dvd18", 42), ("moRewriteable", 43), ("moWriteOnce", 44), ("moLIMDOW", 45), ("phaseChangeWO", 46), ("phaseChangeRewriteable", 47), ("phaseChangeDualRewriteable", 48), ("ablativeWriteOnce", 49), ("nearField", 50), ("miniQic", 51), ("travan", 52), ("eightmmMetal", 53), ("eightmmAdvanced", 54), ("nctp", 55), ("ltoUltrium", 56), ("ltoAccelis", 57), ("tape9Track", 58), ("tape18Track", 59), ("tape36Track", 60), ("magstar3590", 61), ("magstarMP", 62), ("d2Tape", 63), ("dstSmall", 64), ("dstMedium", 65), ("dstLarge", 66)))).setLabel("storageMediaLocation-PhysicalMedia-MediaType").setMaxAccess("readonly")
if mibBuilder.loadTexts: storageMediaLocation_PhysicalMedia_MediaType.setStatus('mandatory')
if mibBuilder.loadTexts: storageMediaLocation_PhysicalMedia_MediaType.setDescription('Specifies the type of the PhysicalMedia, as an enumerated integer. The MediaDescription property is used to provide more explicit definition of the Media type, whether it is pre-formatted, compatability features, etc.')
storageMediaLocation_PhysicalMedia_MediaDescription = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 3, 1, 16), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("storageMediaLocation-PhysicalMedia-MediaDescription").setMaxAccess("readonly")
if mibBuilder.loadTexts: storageMediaLocation_PhysicalMedia_MediaDescription.setStatus('mandatory')
if mibBuilder.loadTexts: storageMediaLocation_PhysicalMedia_MediaDescription.setDescription("Additional detail related to the MediaType enumeration. For example, if value 3 ('QIC Cartridge') is specified, this property could indicate whether the tape is wide or 1/4 inch, whether it is pre-formatted, whether it is Travan compatible, etc.")
storageMediaLocation_PhysicalMedia_CleanerMedia = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 3, 1, 17), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("unknown", 0), ("true", 1), ("false", 2)))).setLabel("storageMediaLocation-PhysicalMedia-CleanerMedia").setMaxAccess("readonly")
if mibBuilder.loadTexts: storageMediaLocation_PhysicalMedia_CleanerMedia.setStatus('mandatory')
if mibBuilder.loadTexts: storageMediaLocation_PhysicalMedia_CleanerMedia.setDescription('Boolean indicating that the PhysicalMedia is used for cleaning purposes and not data storage.')
storageMediaLocation_PhysicalMedia_DualSided = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 3, 1, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("unknown", 0), ("true", 1), ("false", 2)))).setLabel("storageMediaLocation-PhysicalMedia-DualSided").setMaxAccess("readonly")
if mibBuilder.loadTexts: storageMediaLocation_PhysicalMedia_DualSided.setStatus('mandatory')
if mibBuilder.loadTexts: storageMediaLocation_PhysicalMedia_DualSided.setDescription('Boolean indicating that the Media has two recording sides (TRUE) or only a single side (FALSE). Examples of dual sided Media include DVD-ROM and some optical disks. Examples of single sided Media are tapes and CD-ROM.')
storageMediaLocation_PhysicalMedia_PhysicalLabel = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 3, 1, 19), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("storageMediaLocation-PhysicalMedia-PhysicalLabel").setMaxAccess("readonly")
if mibBuilder.loadTexts: storageMediaLocation_PhysicalMedia_PhysicalLabel.setStatus('mandatory')
if mibBuilder.loadTexts: storageMediaLocation_PhysicalMedia_PhysicalLabel.setDescription("One or more strings on 'labels' on the PhysicalMedia. The format of the labels and their state (readable, unreadable, upside-down) are indicated in the LabelFormats and LabelStates array properties.")
storageMediaLocation_PhysicalMedia_Tag = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 3, 1, 20), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("storageMediaLocation-PhysicalMedia-Tag").setMaxAccess("readonly")
if mibBuilder.loadTexts: storageMediaLocation_PhysicalMedia_Tag.setStatus('mandatory')
if mibBuilder.loadTexts: storageMediaLocation_PhysicalMedia_Tag.setDescription("An arbitrary string that uniquely identifies the Physical Element and serves as the Element's key. The Tag property can contain information such as asset tag or serial data. The key for PhysicalElement is placed very high in number the object hierarchy in order to independently identify the hardware/entity, regardless of physical placement in or on Cabinets, Adapters, etc. For example, a hotswappable or removeable component may be taken from its containing (scoping) Package and be temporarily unused. The object still continues to exist - and may even be inserted into a different scoping container. Therefore, the key for Physical Element is an arbitrary string and is defined independently of any placement or location-oriented hierarchy.")
limitedAccessPortGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 14851, 3, 1, 14))
numberOflimitedAccessPorts = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 14, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: numberOflimitedAccessPorts.setStatus('mandatory')
if mibBuilder.loadTexts: numberOflimitedAccessPorts.setDescription('This value specifies the number of limitedAccessPorts that are present.')
limitedAccessPortTable = MibTable((1, 3, 6, 1, 4, 1, 14851, 3, 1, 14, 2), )
if mibBuilder.loadTexts: limitedAccessPortTable.setStatus('mandatory')
if mibBuilder.loadTexts: limitedAccessPortTable.setDescription('The limitedAccessPort class represents limitedAccessPorts in the library')
limitedAccessPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 14851, 3, 1, 14, 2, 1), ).setIndexNames((0, "SNIA-SML-MIB", "limitedAccessPortIndex"))
if mibBuilder.loadTexts: limitedAccessPortEntry.setStatus('mandatory')
if mibBuilder.loadTexts: limitedAccessPortEntry.setDescription('Each entry in the table contains information about a limitedAccessPort that is present in the library.')
limitedAccessPortIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 14851, 3, 1, 14, 2, 1, 1), UINT32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: limitedAccessPortIndex.setStatus('mandatory')
if mibBuilder.loadTexts: limitedAccessPortIndex.setDescription('The current index value for the limitedAccessPort.')
limitedAccessPort_DeviceID = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 14, 2, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setLabel("limitedAccessPort-DeviceID").setMaxAccess("readonly")
if mibBuilder.loadTexts: limitedAccessPort_DeviceID.setStatus('mandatory')
if mibBuilder.loadTexts: limitedAccessPort_DeviceID.setDescription('An address or other identifying information to uniquely name the LogicalDevice.')
limitedAccessPort_Extended = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 14, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("true", 1), ("false", 2)))).setLabel("limitedAccessPort-Extended").setMaxAccess("readonly")
if mibBuilder.loadTexts: limitedAccessPort_Extended.setStatus('mandatory')
if mibBuilder.loadTexts: limitedAccessPort_Extended.setDescription("When a Port is 'Extended' or 'open' (value=TRUE), its Storage MediaLocations are accessible to a human operator. If not extended (value=FALSE), the Locations are accessible to a PickerElement.")
limitedAccessPort_ElementName = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 14, 2, 1, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("limitedAccessPort-ElementName").setMaxAccess("readonly")
if mibBuilder.loadTexts: limitedAccessPort_ElementName.setStatus('mandatory')
if mibBuilder.loadTexts: limitedAccessPort_ElementName.setDescription("A user-friendly name for the object. This property allows each instance to define a user-friendly name IN ADDITION TO its key properties/identity data, and description information. Note that ManagedSystemElement's Name property is also defined as a user-friendly name. But, it is often subclassed to be a Key. It is not reasonable that the same property can convey both identity and a user friendly name, without inconsistencies. Where Name exists and is not a Key (such as for instances of LogicalDevice), the same information MAY be present in both the Name and ElementName properties.")
limitedAccessPort_Caption = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 14, 2, 1, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setLabel("limitedAccessPort-Caption").setMaxAccess("readonly")
if mibBuilder.loadTexts: limitedAccessPort_Caption.setStatus('mandatory')
if mibBuilder.loadTexts: limitedAccessPort_Caption.setDescription('The Caption property is a short textual description (one- line string) of the object.')
limitedAccessPort_Description = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 14, 2, 1, 6), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("limitedAccessPort-Description").setMaxAccess("readonly")
if mibBuilder.loadTexts: limitedAccessPort_Description.setStatus('mandatory')
if mibBuilder.loadTexts: limitedAccessPort_Description.setDescription('The Description property provides a textual description of the object.')
limitedAccessPort_Realizes_StorageLocationIndex = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 14, 2, 1, 7), UINT32()).setLabel("limitedAccessPort-Realizes-StorageLocationIndex").setMaxAccess("readonly")
if mibBuilder.loadTexts: limitedAccessPort_Realizes_StorageLocationIndex.setStatus('mandatory')
if mibBuilder.loadTexts: limitedAccessPort_Realizes_StorageLocationIndex.setDescription('The current index value for the storageMediaLocationIndex that this limitedAccessPort is associated with. If no association exists an index of 0 may be returned.')
fCPortGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 14851, 3, 1, 15))
numberOffCPorts = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 15, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: numberOffCPorts.setStatus('mandatory')
if mibBuilder.loadTexts: numberOffCPorts.setDescription('This value specifies the number of fcPorts that are present.')
fCPortTable = MibTable((1, 3, 6, 1, 4, 1, 14851, 3, 1, 15, 2), )
if mibBuilder.loadTexts: fCPortTable.setStatus('mandatory')
if mibBuilder.loadTexts: fCPortTable.setDescription('The fcPort class represents Fibre Channel Ports in the library')
fCPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 14851, 3, 1, 15, 2, 1), ).setIndexNames((0, "SNIA-SML-MIB", "fCPortIndex"))
if mibBuilder.loadTexts: fCPortEntry.setStatus('mandatory')
if mibBuilder.loadTexts: fCPortEntry.setDescription('Each entry in the table contains information about an fcPort that is present in the library.')
fCPortIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 14851, 3, 1, 15, 2, 1, 1), UINT32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fCPortIndex.setStatus('mandatory')
if mibBuilder.loadTexts: fCPortIndex.setDescription('The current index value for the fCPort.')
fCPort_DeviceID = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 15, 2, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setLabel("fCPort-DeviceID").setMaxAccess("readonly")
if mibBuilder.loadTexts: fCPort_DeviceID.setStatus('mandatory')
if mibBuilder.loadTexts: fCPort_DeviceID.setDescription('An address or other identifying information to uniquely name the LogicalDevice.')
fCPort_ElementName = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 15, 2, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("fCPort-ElementName").setMaxAccess("readonly")
if mibBuilder.loadTexts: fCPort_ElementName.setStatus('mandatory')
if mibBuilder.loadTexts: fCPort_ElementName.setDescription("A user-friendly name for the object. This property allows each instance to define a user-friendly name IN ADDITION TO its key properties/identity data, and description information. Note that ManagedSystemElement's Name property is also defined as a user-friendly name. But, it is often subclassed to be a Key. It is not reasonable that the same property can convey both identity and a user friendly name, without inconsistencies. Where Name exists and is not a Key (such as for instances of LogicalDevice), the same information MAY be present in both the Name and ElementName properties.")
fCPort_Caption = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 15, 2, 1, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setLabel("fCPort-Caption").setMaxAccess("readonly")
if mibBuilder.loadTexts: fCPort_Caption.setStatus('mandatory')
if mibBuilder.loadTexts: fCPort_Caption.setDescription('The Caption property is a short textual description (one- line string) of the object.')
fCPort_Description = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 15, 2, 1, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("fCPort-Description").setMaxAccess("readonly")
if mibBuilder.loadTexts: fCPort_Description.setStatus('mandatory')
if mibBuilder.loadTexts: fCPort_Description.setDescription('The Description property provides a textual description of the object.')
fCPortController_OperationalStatus = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 15, 2, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 32768))).clone(namedValues=NamedValues(("unknown", 0), ("other", 1), ("ok", 2), ("degraded", 3), ("stressed", 4), ("predictiveFailure", 5), ("error", 6), ("non-RecoverableError", 7), ("starting", 8), ("stopping", 9), ("stopped", 10), ("inService", 11), ("noContact", 12), ("lostCommunication", 13), ("aborted", 14), ("dormant", 15), ("supportingEntityInError", 16), ("completed", 17), ("powerMode", 18), ("dMTFReserved", 19), ("vendorReserved", 32768)))).setLabel("fCPortController-OperationalStatus").setMaxAccess("readonly")
if mibBuilder.loadTexts: fCPortController_OperationalStatus.setStatus('mandatory')
if mibBuilder.loadTexts: fCPortController_OperationalStatus.setDescription("Indicates the current status(es) of the element. Various health and operational statuses are defined. Many of the enumeration's values are self- explanatory. However, a few are not and are described in more detail. \\n 'Stressed' indicates that the element is functioning, but needs attention. Examples of 'Stressed' states are overload, overheated, etc. \\n 'Predictive Failure' indicates that an element is functioning nominally but predicting a failure in the near future. \\n 'In Service' describes an element being configured, maintained, cleaned, or otherwise administered. \\n 'No Contact' indicates that the monitoring system has knowledge of this element, but has never been able to establish communications with it. \\n 'Lost Communication' indicates that the ManagedSystem Element is known to exist and has been contacted successfully in the past, but is currently unreachable. \\n 'Stopped' and 'Aborted' are similar, although the former implies a clean and orderly stop, while the latter implies an abrupt stop where the element's state and configuration may need to be updated. \\n 'Dormant' indicates that the element is inactive or quiesced. \\n 'Supporting Entity in Error' describes that this element may be 'OK' but that another element, on which it is dependent, is in error. An example is a network service or endpoint that cannot function due to lower layer networking problems. \\n 'Completed' indicates the element has completed its operation. This value should be combined with either OK, Error, or Degraded so that a client can till if the complete operation passed (Completed with OK), and failure (Completed with Error). Completed with Degraded would imply the operation finished, but did not complete OK or report an error. \\n 'Power Mode' indicates the element has additional power model information contained in the Associated PowerManagementService association. \\n OperationalStatus replaces the Status property on ManagedSystemElement to provide a consistent approach to enumerations, to address implementation needs for an array property, and to provide a migration path from today's environment to the future. This change was not made earlier since it required the DEPRECATED qualifier. Due to the widespread use of the existing Status property in management applications, it is strongly RECOMMENDED that providers/instrumentation provide BOTH the Status and OperationalStatus properties. Further, the first value of OperationalStatus SHOULD contain the primary status for the element. When instrumented, Status (since it is single-valued) SHOULD also provide the primary status of the element. SMI-S 1.1 Section 8.1.2.2.3 additional description for FC Ports OK - Port is online Error - Port has a failure Stopped - Port is disabled InService - Port is in Self Test Unknown")
fCPort_PermanentAddress = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 15, 2, 1, 7), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setLabel("fCPort-PermanentAddress").setMaxAccess("readonly")
if mibBuilder.loadTexts: fCPort_PermanentAddress.setStatus('mandatory')
if mibBuilder.loadTexts: fCPort_PermanentAddress.setDescription("PermanentAddress defines the network address hardcoded into a port. This 'hardcoded' address may be changed via firmware upgrade or software configuration. If so, this field should be updated when the change is made. PermanentAddress should be left blank if no 'hardcoded' address exists for the NetworkAdapter. In SMI-S 1.1 table 1304 FCPorts are defined to use the port WWN as described in table 7.2.4.5.2 World Wide Name (i.e. FC Name_Identifier) FCPort Permanent Address property; no corresponding format property 16 un-separated upper case hex digits (e.g. '21000020372D3C73')")
fCPort_Realizes_scsiProtocolControllerIndex = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 15, 2, 1, 8), UINT32()).setLabel("fCPort-Realizes-scsiProtocolControllerIndex").setMaxAccess("readonly")
if mibBuilder.loadTexts: fCPort_Realizes_scsiProtocolControllerIndex.setStatus('mandatory')
if mibBuilder.loadTexts: fCPort_Realizes_scsiProtocolControllerIndex.setDescription('The current index value for the scsiProtocolControllerIndex that this fCPort is associated with. If no association exists an index of 0 may be returned.')
trapGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16))
trapsEnabled = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: trapsEnabled.setStatus('mandatory')
if mibBuilder.loadTexts: trapsEnabled.setDescription('Set to enable sending traps')
trapDriveAlertSummary = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60))).clone(namedValues=NamedValues(("readWarning", 1), ("writeWarning", 2), ("hardError", 3), ("media", 4), ("readFailure", 5), ("writeFailure", 6), ("mediaLife", 7), ("notDataGrade", 8), ("writeProtect", 9), ("noRemoval", 10), ("cleaningMedia", 11), ("unsupportedFormat", 12), ("recoverableSnappedTape", 13), ("unrecoverableSnappedTape", 14), ("memoryChipInCartridgeFailure", 15), ("forcedEject", 16), ("readOnlyFormat", 17), ("directoryCorruptedOnLoad", 18), ("nearingMediaLife", 19), ("cleanNow", 20), ("cleanPeriodic", 21), ("expiredCleaningMedia", 22), ("invalidCleaningMedia", 23), ("retentionRequested", 24), ("dualPortInterfaceError", 25), ("coolingFanError", 26), ("powerSupplyFailure", 27), ("powerConsumption", 28), ("driveMaintenance", 29), ("hardwareA", 30), ("hardwareB", 31), ("interface", 32), ("ejectMedia", 33), ("downloadFailure", 34), ("driveHumidity", 35), ("driveTemperature", 36), ("driveVoltage", 37), ("predictiveFailure", 38), ("diagnosticsRequired", 39), ("lostStatistics", 50), ("mediaDirectoryInvalidAtUnload", 51), ("mediaSystemAreaWriteFailure", 52), ("mediaSystemAreaReadFailure", 53), ("noStartOfData", 54), ("loadingFailure", 55), ("unrecoverableUnloadFailure", 56), ("automationInterfaceFailure", 57), ("firmwareFailure", 58), ("wormMediumIntegrityCheckFailed", 59), ("wormMediumOverwriteAttempted", 60)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: trapDriveAlertSummary.setStatus('mandatory')
if mibBuilder.loadTexts: trapDriveAlertSummary.setDescription("Short summary of a media (tape, optical, etc.) driveAlert trap. Corresponds to the Number/Flag property of drive/autoloader alerts in the T10 TapeAlert Specification v3 (w/SSC-3 Enhancements) as modified by the EventSummary property in the SMI-S 1.1 section 8.1.8.25 LibraryAlert Events/Indications for Library Devices. In particular, all occurances of 'tape' have been replaced with 'media'. (This summary property has a 1 to 1 relationship to the CIM_AlertIndication.OtherAlertType property, and might be stored in the CIM_AlertIndication.Message property.)")
trap_Association_MediaAccessDeviceIndex = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16, 3), UINT32()).setLabel("trap-Association-MediaAccessDeviceIndex").setMaxAccess("readonly")
if mibBuilder.loadTexts: trap_Association_MediaAccessDeviceIndex.setStatus('mandatory')
if mibBuilder.loadTexts: trap_Association_MediaAccessDeviceIndex.setDescription('The current index value for the MediaAccessDeviceIndex that this changerAlert trap is associated with. If no association exists an index of 0 may be returned. ')
trapChangerAlertSummary = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32))).clone(namedValues=NamedValues(("libraryHardwareA", 1), ("libraryHardwareB", 2), ("libraryHardwareC", 3), ("libraryHardwareD", 4), ("libraryDiagnosticsRequired", 5), ("libraryInterface", 6), ("failurePrediction", 7), ("libraryMaintenance", 8), ("libraryHumidityLimits", 9), ("libraryTemperatureLimits", 10), ("libraryVoltageLimits", 11), ("libraryStrayMedia", 12), ("libraryPickRetry", 13), ("libraryPlaceRetry", 14), ("libraryLoadRetry", 15), ("libraryDoor", 16), ("libraryMailslot", 17), ("libraryMagazine", 18), ("librarySecurity", 19), ("librarySecurityMode", 20), ("libraryOffline", 21), ("libraryDriveOffline", 22), ("libraryScanRetry", 23), ("libraryInventory", 24), ("libraryIllegalOperation", 25), ("dualPortInterfaceError", 26), ("coolingFanFailure", 27), ("powerSupply", 28), ("powerConsumption", 29), ("passThroughMechanismFailure", 30), ("cartridgeInPassThroughMechanism", 31), ("unreadableBarCodeLabels", 32)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: trapChangerAlertSummary.setStatus('mandatory')
if mibBuilder.loadTexts: trapChangerAlertSummary.setDescription("Short summary of a changer (eg. robot) changerAlert trap. Corresponds to the Number/Flag property of stand-alone changer alerts in the T10 TapeAlert Specification v3 (w/SSC-3 Enhancements) as modified by the EventSummary property in the SMI-S 1.1 section 8.1.8.25 LibraryAlert Events/Indications for Library Devices. In particular, all occurances of 'tape' have been replaced with 'media'. (This summary property has a 1 to 1 relationship to the CIM_AlertIndication.OtherAlertType property, and might be stored in the CIM_AlertIndication.Message property.)")
trap_Association_ChangerDeviceIndex = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16, 5), UINT32()).setLabel("trap-Association-ChangerDeviceIndex").setMaxAccess("readonly")
if mibBuilder.loadTexts: trap_Association_ChangerDeviceIndex.setStatus('mandatory')
if mibBuilder.loadTexts: trap_Association_ChangerDeviceIndex.setDescription('The current index value for the ChangerDeviceIndex that this changerAlert trap is associated with. If no association exists an index of 0 may be returned. ')
trapPerceivedSeverity = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("unknown", 0), ("other", 1), ("information", 2), ("degradedWarning", 3), ("minor", 4), ("major", 5), ("critical", 6), ("fatalNonRecoverable", 7)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: trapPerceivedSeverity.setStatus('mandatory')
if mibBuilder.loadTexts: trapPerceivedSeverity.setDescription("An enumerated value that describes the severity of the Alert Indication from the notifier's point of view: 1 - Other, by CIM convention, is used to indicate that the Severity's value can be found in the OtherSeverity property. 3 - Degraded/Warning should be used when its appropriate to let the user decide if action is needed. 4 - Minor should be used to indicate action is needed, but the situation is not serious at this time. 5 - Major should be used to indicate action is needed NOW. 6 - Critical should be used to indicate action is needed NOW and the scope is broad (perhaps an imminent outage to a critical resource will result). 7 - Fatal/NonRecoverable should be used to indicate an error occurred, but it's too late to take remedial action. 2 and 0 - Information and Unknown (respectively) follow common usage. Literally, the AlertIndication is purely informational or its severity is simply unknown. This would have values described in SMI-S 1.1 section 8.1.8.25 LibraryAlert Events/Indications for Library Devices, the PerceivedSeverity column. These values are a superset of the Info/Warning/Critical values in the T10 TapeAlert Specification v3 (w/SSC-3 Enhancements) , and an SNMP agent may choose to only specify those if that's all that's available. (This corresponds to the CIM_AlertIndication.PerceivedSeverity property.)")
trapDestinationTable = MibTable((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16, 7), )
if mibBuilder.loadTexts: trapDestinationTable.setStatus('mandatory')
if mibBuilder.loadTexts: trapDestinationTable.setDescription('Table of client/manager desitinations which will receive traps')
trapDestinationEntry = MibTableRow((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16, 7, 1), ).setIndexNames((0, "SNIA-SML-MIB", "numberOfTrapDestinations"))
if mibBuilder.loadTexts: trapDestinationEntry.setStatus('mandatory')
if mibBuilder.loadTexts: trapDestinationEntry.setDescription('Entry containing information needed to send traps to an SNMP client/manager')
numberOfTrapDestinations = MibTableColumn((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16, 7, 1, 1), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: numberOfTrapDestinations.setStatus('mandatory')
if mibBuilder.loadTexts: numberOfTrapDestinations.setDescription('This value specifies the number of trap destination SNMP clients/managers.')
trapDestinationHostType = MibTableColumn((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16, 7, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("iPv4", 1), ("iPv6", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: trapDestinationHostType.setStatus('mandatory')
if mibBuilder.loadTexts: trapDestinationHostType.setDescription('The type of addressing model to represent the network address (IPv4/IPv6)')
trapDestinationHostAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16, 7, 1, 3), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: trapDestinationHostAddr.setStatus('mandatory')
if mibBuilder.loadTexts: trapDestinationHostAddr.setDescription('The network address of this client/manager, to which the trap should be sent')
trapDestinationPort = MibTableColumn((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16, 7, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: trapDestinationPort.setStatus('mandatory')
if mibBuilder.loadTexts: trapDestinationPort.setDescription('The port number where this client/manager is listening for traps.')
driveAlert = NotificationType((1, 3, 6, 1, 4, 1, 14851, 3, 1) + (0,0)).setObjects(("SNIA-SML-MIB", "trapDriveAlertSummary"), ("SNIA-SML-MIB", "trap_Association_MediaAccessDeviceIndex"), ("SNIA-SML-MIB", "trapPerceivedSeverity"))
if mibBuilder.loadTexts: driveAlert.setDescription('A Drive/Autoloader Alert trap, based on the T10 TapeAlert Specification v3 (w/SSC-3 Enhancements) and SMI-S 1.1 section 8.1.8.25 LibraryAlert Events/Indications.')
changerAlert = NotificationType((1, 3, 6, 1, 4, 1, 14851, 3, 1) + (0,1)).setObjects(("SNIA-SML-MIB", "trapChangerAlertSummary"), ("SNIA-SML-MIB", "trap_Association_ChangerDeviceIndex"), ("SNIA-SML-MIB", "trapPerceivedSeverity"))
if mibBuilder.loadTexts: changerAlert.setDescription('A Changer Device (eg. robot) Alert trap, based on the T10 TapeAlert Specification v3 (w/SSC-3 Enhancements) and SMI-S 1.1 section 8.1.8.25 LibraryAlert Events/Indications.')
trapObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16, 8))
currentOperationalStatus = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16, 8, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 32768))).clone(namedValues=NamedValues(("unknown", 0), ("other", 1), ("ok", 2), ("degraded", 3), ("stressed", 4), ("predictiveFailure", 5), ("error", 6), ("non-RecoverableError", 7), ("starting", 8), ("stopping", 9), ("stopped", 10), ("inService", 11), ("noContact", 12), ("lostCommunication", 13), ("aborted", 14), ("dormant", 15), ("supportingEntityInError", 16), ("completed", 17), ("powerMode", 18), ("dMTFReserved", 19), ("vendorReserved", 32768)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: currentOperationalStatus.setStatus('mandatory')
if mibBuilder.loadTexts: currentOperationalStatus.setDescription("Indicates the previous status(es) of the element. Various health and operational statuses are defined. Many of the enumeration's values are self- explanatory. However, a few are not and are described in more detail. \\n 'Stressed' indicates that the element is functioning, but needs attention. Examples of 'Stressed' states are overload, overheated, etc. \\n 'Predictive Failure' indicates that an element is functioning nominally but predicting a failure in the near future. \\n 'In Service' describes an element being configured, maintained, cleaned, or otherwise administered. \\n 'No Contact' indicates that the monitoring system has knowledge of this element, but has never been able to establish communications with it. \\n 'Lost Communication' indicates that the ManagedSystem Element is known to exist and has been contacted successfully in the past, but is currently unreachable. \\n 'Stopped' and 'Aborted' are similar, although the former implies a clean and orderly stop, while the latter implies an abrupt stop where the element's state and configuration may need to be updated. \\n 'Dormant' indicates that the element is inactive or quiesced. \\n 'Supporting Entity in Error' describes that this element may be 'OK' but that another element, on which it is dependent, is in error. An example is a network service or endpoint that cannot function due to lower layer networking problems. \\n 'Completed' indicates the element has completed its operation. This value should be combined with either OK, Error, or Degraded so that a client can till if the complete operation passed (Completed with OK), and failure (Completed with Error). Completed with Degraded would imply the operation finished, but did not complete OK or report an error. \\n 'Power Mode' indicates the element has additional power model information contained in the Associated PowerManagementService association. \\n OperationalStatus replaces the Status property on ManagedSystemElement to provide a consistent approach to enumerations, to address implementation needs for an array property, and to provide a migration path from today's environment to the future. This change was not made earlier since it required the DEPRECATED qualifier. Due to the widespread use of the existing Status property in management applications, it is strongly RECOMMENDED that providers/instrumentation provide BOTH the Status and OperationalStatus properties. Further, the first value of OperationalStatus SHOULD contain the primary status for the element. When instrumented, Status (since it is single-valued) SHOULD also provide the primary status of the element.")
oldOperationalStatus = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16, 8, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 32768))).clone(namedValues=NamedValues(("unknown", 0), ("other", 1), ("ok", 2), ("degraded", 3), ("stressed", 4), ("predictiveFailure", 5), ("error", 6), ("non-RecoverableError", 7), ("starting", 8), ("stopping", 9), ("stopped", 10), ("inService", 11), ("noContact", 12), ("lostCommunication", 13), ("aborted", 14), ("dormant", 15), ("supportingEntityInError", 16), ("completed", 17), ("powerMode", 18), ("dMTFReserved", 19), ("vendorReserved", 32768)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: oldOperationalStatus.setStatus('mandatory')
if mibBuilder.loadTexts: oldOperationalStatus.setDescription("Indicates the previous status(es) of the element. Various health and operational statuses are defined. Many of the enumeration's values are self- explanatory. However, a few are not and are described in more detail. \\n 'Stressed' indicates that the element is functioning, but needs attention. Examples of 'Stressed' states are overload, overheated, etc. \\n 'Predictive Failure' indicates that an element is functioning nominally but predicting a failure in the near future. \\n 'In Service' describes an element being configured, maintained, cleaned, or otherwise administered. \\n 'No Contact' indicates that the monitoring system has knowledge of this element, but has never been able to establish communications with it. \\n 'Lost Communication' indicates that the ManagedSystem Element is known to exist and has been contacted successfully in the past, but is currently unreachable. \\n 'Stopped' and 'Aborted' are similar, although the former implies a clean and orderly stop, while the latter implies an abrupt stop where the element's state and configuration may need to be updated. \\n 'Dormant' indicates that the element is inactive or quiesced. \\n 'Supporting Entity in Error' describes that this element may be 'OK' but that another element, on which it is dependent, is in error. An example is a network service or endpoint that cannot function due to lower layer networking problems. \\n 'Completed' indicates the element has completed its operation. This value should be combined with either OK, Error, or Degraded so that a client can till if the complete operation passed (Completed with OK), and failure (Completed with Error). Completed with Degraded would imply the operation finished, but did not complete OK or report an error. \\n 'Power Mode' indicates the element has additional power model information contained in the Associated PowerManagementService association. \\n OperationalStatus replaces the Status property on ManagedSystemElement to provide a consistent approach to enumerations, to address implementation needs for an array property, and to provide a migration path from today's environment to the future. This change was not made earlier since it required the DEPRECATED qualifier. Due to the widespread use of the existing Status property in management applications, it is strongly RECOMMENDED that providers/instrumentation provide BOTH the Status and OperationalStatus properties. Further, the first value of OperationalStatus SHOULD contain the primary status for the element. When instrumented, Status (since it is single-valued) SHOULD also provide the primary status of the element.")
libraryAddedTrap = NotificationType((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16) + (0,3)).setObjects(("SNIA-SML-MIB", "storageLibrary_Name"))
if mibBuilder.loadTexts: libraryAddedTrap.setDescription('A library is added to the SMI-S agent. This trap is to support the SMI-S 1.1 section 8.1.8.23 InstCreation indication.')
libraryDeletedTrap = NotificationType((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16) + (0,4)).setObjects(("SNIA-SML-MIB", "storageLibrary_Name"))
if mibBuilder.loadTexts: libraryDeletedTrap.setDescription('A library is deleted in the SMI-S agent. This trap is to support the SMI-S 1.1 section 8.1.8.23 InstDeletion indication.')
libraryOpStatusChangedTrap = NotificationType((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16) + (0,5)).setObjects(("SNIA-SML-MIB", "storageLibrary_Name"), ("SNIA-SML-MIB", "currentOperationalStatus"), ("SNIA-SML-MIB", "oldOperationalStatus"))
if mibBuilder.loadTexts: libraryOpStatusChangedTrap.setDescription('A library OperationalStatus has changed in the SMI-S agent. This trap is to support the SMI-S 1.1 section 8.1.8.23 InstModification indication.')
driveAddedTrap = NotificationType((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16) + (0,6)).setObjects(("SNIA-SML-MIB", "storageLibrary_Name"), ("SNIA-SML-MIB", "mediaAccessDevice_DeviceID"))
if mibBuilder.loadTexts: driveAddedTrap.setDescription('A media access device (trap drive) is added to the library. This trap is to support the SMI-S 1.1 section 8.1.8.25 InstCreation indication.')
driveDeletedTrap = NotificationType((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16) + (0,7)).setObjects(("SNIA-SML-MIB", "storageLibrary_Name"), ("SNIA-SML-MIB", "mediaAccessDevice_DeviceID"))
if mibBuilder.loadTexts: driveDeletedTrap.setDescription('A media access device (trap drive) is deleted from the library. This trap is to support the SMI-S 1.1 section 8.1.8.25 InstDeletion indication.')
driveOpStatusChangedTrap = NotificationType((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16) + (0,8)).setObjects(("SNIA-SML-MIB", "storageLibrary_Name"), ("SNIA-SML-MIB", "mediaAccessDevice_DeviceID"), ("SNIA-SML-MIB", "currentOperationalStatus"), ("SNIA-SML-MIB", "oldOperationalStatus"))
if mibBuilder.loadTexts: driveOpStatusChangedTrap.setDescription('A drive OperationalStatus has changed in the SMI-S agent. This trap is to support the SMI-S 1.1 section 8.1.8.23 InstModification indication.')
changerAddedTrap = NotificationType((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16) + (0,9)).setObjects(("SNIA-SML-MIB", "storageLibrary_Name"), ("SNIA-SML-MIB", "changerDevice_DeviceID"))
if mibBuilder.loadTexts: changerAddedTrap.setDescription('A changer device is added to the library. This trap is to support the SMI-S 1.1 section 8.1.8.25 InstCreation indication.')
changerDeletedTrap = NotificationType((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16) + (0,10)).setObjects(("SNIA-SML-MIB", "storageLibrary_Name"), ("SNIA-SML-MIB", "changerDevice_DeviceID"))
if mibBuilder.loadTexts: changerDeletedTrap.setDescription('A changer device is deleted from the library. This trap is to support the SMI-S 1.1 section 8.1.8.25 InstDeletion indication.')
changerOpStatusChangedTrap = NotificationType((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16) + (0,11)).setObjects(("SNIA-SML-MIB", "storageLibrary_Name"), ("SNIA-SML-MIB", "changerDevice_DeviceID"), ("SNIA-SML-MIB", "currentOperationalStatus"), ("SNIA-SML-MIB", "oldOperationalStatus"))
if mibBuilder.loadTexts: changerOpStatusChangedTrap.setDescription('A changer OperationalStatus has changed in the SMI-S agent. This trap is to support the SMI-S 1.1 section 8.1.8.23 InstModification indication.')
physicalMediaAddedTrap = NotificationType((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16) + (0,12)).setObjects(("SNIA-SML-MIB", "storageMediaLocation_PhysicalMedia_Tag"))
if mibBuilder.loadTexts: physicalMediaAddedTrap.setDescription('A physical media is added to the library. This trap is to support the SMI-S 1.1 section 8.1.8.25 InstCreation indication.')
physicalMediaDeletedTrap = NotificationType((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16) + (0,13)).setObjects(("SNIA-SML-MIB", "storageMediaLocation_PhysicalMedia_Tag"))
if mibBuilder.loadTexts: physicalMediaDeletedTrap.setDescription('A physical media is deleted from the library. This trap is to support the SMI-S 1.1 section 8.1.8.25 InstDeletion indication.')
endOfSmlMib = MibScalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 17), ObjectIdentifier())
if mibBuilder.loadTexts: endOfSmlMib.setStatus('mandatory')
if mibBuilder.loadTexts: endOfSmlMib.setDescription('Description here')
mibBuilder.exportSymbols("SNIA-SML-MIB", mediaAccessDeviceObjectType=mediaAccessDeviceObjectType, softwareElementIndex=softwareElementIndex, subChassis_SecurityBreach=subChassis_SecurityBreach, storageLibrary_Caption=storageLibrary_Caption, fCPort_ElementName=fCPort_ElementName, scsiProtocolController_OperationalStatus=scsiProtocolController_OperationalStatus, product_IdentifyingNumber=product_IdentifyingNumber, mediaAccessDeviceIndex=mediaAccessDeviceIndex, storageMediaLocation_PhysicalMedia_Tag=storageMediaLocation_PhysicalMedia_Tag, trapChangerAlertSummary=trapChangerAlertSummary, scsiProtocolController_Realizes_ChangerDeviceIndex=scsiProtocolController_Realizes_ChangerDeviceIndex, trapDestinationTable=trapDestinationTable, trapDestinationHostType=trapDestinationHostType, mediaAccessDevice_Realizes_StorageLocationIndex=mediaAccessDevice_Realizes_StorageLocationIndex, mediaAccessDevice_Name=mediaAccessDevice_Name, softwareElement_SerialNumber=softwareElement_SerialNumber, changerDevice_DeviceID=changerDevice_DeviceID, scsiProtocolController_DeviceID=scsiProtocolController_DeviceID, scsiProtocolController_Description=scsiProtocolController_Description, fCPortGroup=fCPortGroup, mediaAccessDeviceGroup=mediaAccessDeviceGroup, scsiProtocolController_ElementName=scsiProtocolController_ElementName, chassisGroup=chassisGroup, scsiProtocolController_Availability=scsiProtocolController_Availability, limitedAccessPort_ElementName=limitedAccessPort_ElementName, scsiProtocolControllerTable=scsiProtocolControllerTable, limitedAccessPort_Realizes_StorageLocationIndex=limitedAccessPort_Realizes_StorageLocationIndex, storageLibrary_Status=storageLibrary_Status, subChassis_IsLocked=subChassis_IsLocked, limitedAccessPort_Caption=limitedAccessPort_Caption, chassis_SecurityBreach=chassis_SecurityBreach, fCPortIndex=fCPortIndex, scsiProtocolControllerIndex=scsiProtocolControllerIndex, numberOfSCSIProtocolControllers=numberOfSCSIProtocolControllers, storageMediaLocation_Tag=storageMediaLocation_Tag, softwareElement_SoftwareElementID=softwareElement_SoftwareElementID, chassis_LockPresent=chassis_LockPresent, softwareElement_Manufacturer=softwareElement_Manufacturer, UINT16=UINT16, snia=snia, numberOfPhysicalPackages=numberOfPhysicalPackages, subChassis_OperationalStatus=subChassis_OperationalStatus, storageMediaLocation_LocationCoordinates=storageMediaLocation_LocationCoordinates, UINT32=UINT32, storageMediaLocationIndex=storageMediaLocationIndex, numberOfMediaAccessDevices=numberOfMediaAccessDevices, storageMediaLocation_MediaCapacity=storageMediaLocation_MediaCapacity, storageMediaLocation_PhysicalMedia_DualSided=storageMediaLocation_PhysicalMedia_DualSided, storageLibrary_InstallDate=storageLibrary_InstallDate, computerSystem_Description=computerSystem_Description, softwareElement_CodeSet=softwareElement_CodeSet, computerSystem_Dedicated=computerSystem_Dedicated, subChassisIndex=subChassisIndex, changerDevice_ElementName=changerDevice_ElementName, numberOfsubChassis=numberOfsubChassis, changerDeviceIndex=changerDeviceIndex, storageMediaLocation_PhysicalMedia_Replaceable=storageMediaLocation_PhysicalMedia_Replaceable, fCPortTable=fCPortTable, common=common, storageMediaLocationTable=storageMediaLocationTable, chassis_IsLocked=chassis_IsLocked, subChassis_Tag=subChassis_Tag, mediaAccessDevice_Realizes_softwareElementIndex=mediaAccessDevice_Realizes_softwareElementIndex, subChassis_ElementName=subChassis_ElementName, chassis_Manufacturer=chassis_Manufacturer, computerSystem_NameFormat=computerSystem_NameFormat, mediaAccessDevice_NeedsCleaning=mediaAccessDevice_NeedsCleaning, limitedAccessPortIndex=limitedAccessPortIndex, limitedAccessPort_DeviceID=limitedAccessPort_DeviceID, subChassis_SerialNumber=subChassis_SerialNumber, fCPort_DeviceID=fCPort_DeviceID, driveAddedTrap=driveAddedTrap, physicalPackage_Tag=physicalPackage_Tag, physicalPackage_Realizes_MediaAccessDeviceIndex=physicalPackage_Realizes_MediaAccessDeviceIndex, computerSystem_Name=computerSystem_Name, computerSystemGroup=computerSystemGroup, storageMediaLocation_MediaTypesSupported=storageMediaLocation_MediaTypesSupported, storageMediaLocation_PhysicalMedia_CleanerMedia=storageMediaLocation_PhysicalMedia_CleanerMedia, driveOpStatusChangedTrap=driveOpStatusChangedTrap, UINT64=UINT64, softwareElement_IdentificationCode=softwareElement_IdentificationCode, trap_Association_ChangerDeviceIndex=trap_Association_ChangerDeviceIndex, subChassis_Manufacturer=subChassis_Manufacturer, trapDestinationPort=trapDestinationPort, smlRoot=smlRoot, storageMediaLocation_PhysicalMedia_Capacity=storageMediaLocation_PhysicalMedia_Capacity, mediaAccessDevice_Availability=mediaAccessDevice_Availability, fCPort_Realizes_scsiProtocolControllerIndex=fCPort_Realizes_scsiProtocolControllerIndex, storageMediaLocation_PhysicalMediaPresent=storageMediaLocation_PhysicalMediaPresent, changerOpStatusChangedTrap=changerOpStatusChangedTrap, physicalPackageTable=physicalPackageTable, fCPortController_OperationalStatus=fCPortController_OperationalStatus, chassis_ElementName=chassis_ElementName, trapDriveAlertSummary=trapDriveAlertSummary, trap_Association_MediaAccessDeviceIndex=trap_Association_MediaAccessDeviceIndex, softwareElementGroup=softwareElementGroup, changerDevice_Caption=changerDevice_Caption, fCPort_PermanentAddress=fCPort_PermanentAddress, endOfSmlMib=endOfSmlMib, trapDestinationHostAddr=trapDestinationHostAddr, changerAlert=changerAlert, softwareElement_BuildNumber=softwareElement_BuildNumber, softwareElement_LanguageEdition=softwareElement_LanguageEdition, fCPort_Description=fCPort_Description, product_ElementName=product_ElementName, changerDeviceGroup=changerDeviceGroup, libraryAddedTrap=libraryAddedTrap, softwareElementEntry=softwareElementEntry, physicalPackage_SerialNumber=physicalPackage_SerialNumber, storageMediaLocation_LocationType=storageMediaLocation_LocationType, softwareElement_Name=softwareElement_Name, numberOfChangerDevices=numberOfChangerDevices, fCPortEntry=fCPortEntry, computerSystem_PrimaryOwnerContact=computerSystem_PrimaryOwnerContact, mediaAccessDeviceEntry=mediaAccessDeviceEntry, product_Version=product_Version, storageMediaLocation_Association_ChangerDeviceIndex=storageMediaLocation_Association_ChangerDeviceIndex, mediaAccessDevice_DeviceID=mediaAccessDevice_DeviceID, chassis_Tag=chassis_Tag, physicalPackageEntry=physicalPackageEntry, limitedAccessPort_Extended=limitedAccessPort_Extended, product_Vendor=product_Vendor, changerDeviceEntry=changerDeviceEntry, changerDevice_MediaFlipSupported=changerDevice_MediaFlipSupported, changerDevice_Description=changerDevice_Description, driveAlert=driveAlert, physicalMediaAddedTrap=physicalMediaAddedTrap, physicalPackage_Manufacturer=physicalPackage_Manufacturer, computerSystem_ElementName=computerSystem_ElementName, softwareElement_InstanceID=softwareElement_InstanceID, mediaAccessDeviceTable=mediaAccessDeviceTable, physicalMediaDeletedTrap=physicalMediaDeletedTrap, limitedAccessPort_Description=limitedAccessPort_Description, subChassis_LockPresent=subChassis_LockPresent, storageMediaLocation_PhysicalMedia_Removable=storageMediaLocation_PhysicalMedia_Removable, storageMediaLocationEntry=storageMediaLocationEntry, limitedAccessPortGroup=limitedAccessPortGroup, experimental=experimental, mediaAccessDevice_Status=mediaAccessDevice_Status, currentOperationalStatus=currentOperationalStatus, storageLibrary_Description=storageLibrary_Description, computerSystem_Realizes_softwareElementIndex=computerSystem_Realizes_softwareElementIndex, subChassis_Model=subChassis_Model, fCPort_Caption=fCPort_Caption, computerSystem_PrimaryOwnerName=computerSystem_PrimaryOwnerName, libraries=libraries, computerSystem_OperationalStatus=computerSystem_OperationalStatus, product_Name=product_Name, chassis_SerialNumber=chassis_SerialNumber, changerDevice_OperationalStatus=changerDevice_OperationalStatus, trapsEnabled=trapsEnabled, CimDateTime=CimDateTime, softwareElement_Version=softwareElement_Version, trapDestinationEntry=trapDestinationEntry, numberOfPhysicalMedias=numberOfPhysicalMedias, mediaAccessDevice_PowerOnHours=mediaAccessDevice_PowerOnHours, numberOfSoftwareElements=numberOfSoftwareElements, scsiProtocolController_Realizes_MediaAccessDeviceIndex=scsiProtocolController_Realizes_MediaAccessDeviceIndex, mediaAccessDevice_TotalPowerOnHours=mediaAccessDevice_TotalPowerOnHours, storageMediaLocationGroup=storageMediaLocationGroup, changerDeletedTrap=changerDeletedTrap, libraryDeletedTrap=libraryDeletedTrap, changerAddedTrap=changerAddedTrap, scsiProtocolControllerEntry=scsiProtocolControllerEntry, smlCimVersion=smlCimVersion, physicalPackageGroup=physicalPackageGroup, trapGroup=trapGroup, numberOflimitedAccessPorts=numberOflimitedAccessPorts, numberOfTrapDestinations=numberOfTrapDestinations, numberOffCPorts=numberOffCPorts, libraryOpStatusChangedTrap=libraryOpStatusChangedTrap, subChassisTable=subChassisTable, subChassisEntry=subChassisEntry, storageMediaLocation_PhysicalMedia_HotSwappable=storageMediaLocation_PhysicalMedia_HotSwappable, changerDeviceTable=changerDeviceTable, storageMediaLocation_PhysicalMedia_MediaType=storageMediaLocation_PhysicalMedia_MediaType, softwareElementTable=softwareElementTable, storageMediaLocation_PhysicalMedia_PhysicalLabel=storageMediaLocation_PhysicalMedia_PhysicalLabel, trapObjects=trapObjects, subChassis_PackageType=subChassis_PackageType, computerSystem_Caption=computerSystem_Caption, trapPerceivedSeverity=trapPerceivedSeverity, mediaAccessDevice_MountCount=mediaAccessDevice_MountCount, scsiProtocolControllerGroup=scsiProtocolControllerGroup, smlMibVersion=smlMibVersion, physicalPackageIndex=physicalPackageIndex, changerDevice_Availability=changerDevice_Availability, storageLibraryGroup=storageLibraryGroup, numberOfStorageMediaLocations=numberOfStorageMediaLocations, oldOperationalStatus=oldOperationalStatus, mediaAccessDevice_OperationalStatus=mediaAccessDevice_OperationalStatus, limitedAccessPortEntry=limitedAccessPortEntry, UShortReal=UShortReal, productGroup=productGroup, limitedAccessPortTable=limitedAccessPortTable, physicalPackage_Model=physicalPackage_Model, storageLibrary_Name=storageLibrary_Name, storageMediaLocation_PhysicalMedia_MediaDescription=storageMediaLocation_PhysicalMedia_MediaDescription, changerDevice_Realizes_StorageLocationIndex=changerDevice_Realizes_StorageLocationIndex, driveDeletedTrap=driveDeletedTrap, chassis_Model=chassis_Model)
|
(object_identifier, integer, octet_string) = mibBuilder.importSymbols('ASN1', 'ObjectIdentifier', 'Integer', 'OctetString')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(constraints_intersection, value_size_constraint, constraints_union, single_value_constraint, value_range_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsIntersection', 'ValueSizeConstraint', 'ConstraintsUnion', 'SingleValueConstraint', 'ValueRangeConstraint')
(module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup')
(iso, mib_scalar, mib_table, mib_table_row, mib_table_column, unsigned32, time_ticks, module_identity, integer32, ip_address, counter32, bits, counter64, enterprises, notification_type, object_identity, mib_identifier, gauge32) = mibBuilder.importSymbols('SNMPv2-SMI', 'iso', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Unsigned32', 'TimeTicks', 'ModuleIdentity', 'Integer32', 'IpAddress', 'Counter32', 'Bits', 'Counter64', 'enterprises', 'NotificationType', 'ObjectIdentity', 'MibIdentifier', 'Gauge32')
(textual_convention, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DisplayString')
class Ushortreal(Integer32):
subtype_spec = Integer32.subtypeSpec + value_range_constraint(0, 65535)
class Cimdatetime(OctetString):
subtype_spec = OctetString.subtypeSpec + value_size_constraint(24, 24)
fixed_length = 24
class Uint64(OctetString):
subtype_spec = OctetString.subtypeSpec + value_size_constraint(8, 8)
fixed_length = 8
class Uint32(Integer32):
subtype_spec = Integer32.subtypeSpec + value_range_constraint(0, 2147483647)
class Uint16(Integer32):
subtype_spec = Integer32.subtypeSpec + value_range_constraint(0, 65535)
snia = mib_identifier((1, 3, 6, 1, 4, 1, 14851))
experimental = mib_identifier((1, 3, 6, 1, 4, 1, 14851, 1))
common = mib_identifier((1, 3, 6, 1, 4, 1, 14851, 2))
libraries = mib_identifier((1, 3, 6, 1, 4, 1, 14851, 3))
sml_root = mib_identifier((1, 3, 6, 1, 4, 1, 14851, 3, 1))
sml_mib_version = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 1), display_string().subtype(subtypeSpec=value_size_constraint(0, 4))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
smlMibVersion.setStatus('mandatory')
if mibBuilder.loadTexts:
smlMibVersion.setDescription('This string contains version information for the MIB file')
sml_cim_version = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 4))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
smlCimVersion.setStatus('mandatory')
if mibBuilder.loadTexts:
smlCimVersion.setDescription('This string contains information about the CIM version that corresponds to the MIB. The decriptions in this MIB file are based on CIM version 2.8')
product_group = mib_identifier((1, 3, 6, 1, 4, 1, 14851, 3, 1, 3))
product__name = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 3, 1), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('product-Name').setMaxAccess('readonly')
if mibBuilder.loadTexts:
product_Name.setStatus('mandatory')
if mibBuilder.loadTexts:
product_Name.setDescription('Commonly used Product name.')
product__identifying_number = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 3, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('product-IdentifyingNumber').setMaxAccess('readonly')
if mibBuilder.loadTexts:
product_IdentifyingNumber.setStatus('mandatory')
if mibBuilder.loadTexts:
product_IdentifyingNumber.setDescription('Product identification such as a serial number on software, a die number on a hardware chip, or (for non-commercial Products) a project number.')
product__vendor = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 3, 3), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('product-Vendor').setMaxAccess('readonly')
if mibBuilder.loadTexts:
product_Vendor.setStatus('mandatory')
if mibBuilder.loadTexts:
product_Vendor.setDescription("The name of the Product's supplier, or entity selling the Product (the manufacturer, reseller, OEM, etc.). Corresponds to the Vendor property in the Product object in the DMTF Solution Exchange Standard.")
product__version = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 3, 4), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('product-Version').setMaxAccess('readonly')
if mibBuilder.loadTexts:
product_Version.setStatus('mandatory')
if mibBuilder.loadTexts:
product_Version.setDescription('Product version information. Corresponds to the Version property in the Product object in the DMTF Solution Exchange Standard.')
product__element_name = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 3, 5), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('product-ElementName').setMaxAccess('readonly')
if mibBuilder.loadTexts:
product_ElementName.setStatus('mandatory')
if mibBuilder.loadTexts:
product_ElementName.setDescription("A user-friendly name for the object. This property allows each instance to define a user-friendly name IN ADDITION TO its key properties/identity data, and description information. Note that ManagedSystemElement's Name property is also defined as a user-friendly name. But, it is often subclassed to be a Key. It is not reasonable that the same property can convey both identity and a user friendly name, without inconsistencies. Where Name exists and is not a Key (such as for instances of LogicalDevice), the same information MAY be present in both the Name and ElementName properties.")
chassis_group = mib_identifier((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4))
chassis__manufacturer = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 1), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('chassis-Manufacturer').setMaxAccess('readonly')
if mibBuilder.loadTexts:
chassis_Manufacturer.setStatus('mandatory')
if mibBuilder.loadTexts:
chassis_Manufacturer.setDescription('The name of the organization responsible for producing the PhysicalElement. This may be the entity from whom the Element is purchased, but this is not necessarily true. The latter information is contained in the Vendor property of CIM_Product.')
chassis__model = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setLabel('chassis-Model').setMaxAccess('readonly')
if mibBuilder.loadTexts:
chassis_Model.setStatus('mandatory')
if mibBuilder.loadTexts:
chassis_Model.setDescription('The name by which the PhysicalElement is generally known.')
chassis__serial_number = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 3), display_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setLabel('chassis-SerialNumber').setMaxAccess('readonly')
if mibBuilder.loadTexts:
chassis_SerialNumber.setStatus('mandatory')
if mibBuilder.loadTexts:
chassis_SerialNumber.setDescription('A manufacturer-allocated number used to identify the Physical Element.')
chassis__lock_present = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('unknown', 0), ('true', 1), ('false', 2)))).setLabel('chassis-LockPresent').setMaxAccess('readonly')
if mibBuilder.loadTexts:
chassis_LockPresent.setStatus('mandatory')
if mibBuilder.loadTexts:
chassis_LockPresent.setDescription('Boolean indicating whether the Frame is protected with a lock.')
chassis__security_breach = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('unknown', 1), ('other', 2), ('noBreach', 3), ('breachAttempted', 4), ('breachSuccessful', 5)))).setLabel('chassis-SecurityBreach').setMaxAccess('readonly')
if mibBuilder.loadTexts:
chassis_SecurityBreach.setStatus('mandatory')
if mibBuilder.loadTexts:
chassis_SecurityBreach.setDescription("SecurityBreach is an enumerated, integer-valued property indicating whether a physical breach of the Frame was attempted but unsuccessful (value=4) or attempted and successful (5). Also, the values, 'Unknown', 'Other' or 'No Breach', can be specified.")
chassis__is_locked = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('unknown', 0), ('true', 1), ('false', 2)))).setLabel('chassis-IsLocked').setMaxAccess('readonly')
if mibBuilder.loadTexts:
chassis_IsLocked.setStatus('mandatory')
if mibBuilder.loadTexts:
chassis_IsLocked.setDescription('Boolean indicating that the Frame is currently locked.')
chassis__tag = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 7), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('chassis-Tag').setMaxAccess('readonly')
if mibBuilder.loadTexts:
chassis_Tag.setStatus('mandatory')
if mibBuilder.loadTexts:
chassis_Tag.setDescription("An arbitrary string that uniquely identifies the Physical Element and serves as the Element's key. The Tag property can contain information such as asset tag or serial number data. The key for PhysicalElement is placed very high in the object hierarchy in order to independently identify the hardware/entity, regardless of physical placement in or on Cabinets, Adapters, etc. For example, a hotswappable or removeable component may be taken from its containing (scoping) Package and be temporarily unused. The object still continues to exist - and may even be inserted into a different scoping container. Therefore, the key for Physical Element is an arbitrary string and is defined independently of any placement or location-oriented hierarchy.")
chassis__element_name = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 8), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('chassis-ElementName').setMaxAccess('readonly')
if mibBuilder.loadTexts:
chassis_ElementName.setStatus('mandatory')
if mibBuilder.loadTexts:
chassis_ElementName.setDescription("A user-friendly name for the object. This property allows each instance to define a user-friendly name IN ADDITION TO its key properties/identity data, and description information. Note that ManagedSystemElement's Name property is also defined as a user-friendly name. But, it is often subclassed to be a Key. It is not reasonable that the same property can convey both identity and a user friendly name, without inconsistencies. Where Name exists and is not a Key (such as for instances of LogicalDevice), the same information MAY be present in both the Name and ElementName properties.")
number_ofsub_chassis = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 9), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
numberOfsubChassis.setStatus('mandatory')
if mibBuilder.loadTexts:
numberOfsubChassis.setDescription('This value specifies the number of sub Chassis that are present.')
sub_chassis_table = mib_table((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 10))
if mibBuilder.loadTexts:
subChassisTable.setStatus('mandatory')
if mibBuilder.loadTexts:
subChassisTable.setDescription('The SubChassis class represents the physical frames in the library')
sub_chassis_entry = mib_table_row((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 10, 1)).setIndexNames((0, 'SNIA-SML-MIB', 'subChassisIndex'))
if mibBuilder.loadTexts:
subChassisEntry.setStatus('mandatory')
if mibBuilder.loadTexts:
subChassisEntry.setDescription('Each entry in the table contains information about a frame that is present in the library.')
sub_chassis_index = mib_table_column((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 10, 1, 1), uint32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
subChassisIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
subChassisIndex.setDescription('The current index value for the subChassis.')
sub_chassis__manufacturer = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 10, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('subChassis-Manufacturer').setMaxAccess('readonly')
if mibBuilder.loadTexts:
subChassis_Manufacturer.setStatus('mandatory')
if mibBuilder.loadTexts:
subChassis_Manufacturer.setDescription('The name of the organization responsible for producing the PhysicalElement. This may be the entity from whom the Element is purchased, but this is not necessarily true. The latter information is contained in the Vendor property of CIM_Product.')
sub_chassis__model = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 10, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setLabel('subChassis-Model').setMaxAccess('readonly')
if mibBuilder.loadTexts:
subChassis_Model.setStatus('mandatory')
if mibBuilder.loadTexts:
subChassis_Model.setDescription('The name by which the PhysicalElement is generally known.')
sub_chassis__serial_number = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 10, 1, 4), display_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setLabel('subChassis-SerialNumber').setMaxAccess('readonly')
if mibBuilder.loadTexts:
subChassis_SerialNumber.setStatus('mandatory')
if mibBuilder.loadTexts:
subChassis_SerialNumber.setDescription('A manufacturer-allocated number used to identify the Physical Element.')
sub_chassis__lock_present = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 10, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('unknown', 0), ('true', 1), ('false', 2)))).setLabel('subChassis-LockPresent').setMaxAccess('readonly')
if mibBuilder.loadTexts:
subChassis_LockPresent.setStatus('mandatory')
if mibBuilder.loadTexts:
subChassis_LockPresent.setDescription('Boolean indicating whether the Frame is protected with a lock.')
sub_chassis__security_breach = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 10, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('unknown', 1), ('other', 2), ('noBreach', 3), ('breachAttempted', 4), ('breachSuccessful', 5)))).setLabel('subChassis-SecurityBreach').setMaxAccess('readonly')
if mibBuilder.loadTexts:
subChassis_SecurityBreach.setStatus('mandatory')
if mibBuilder.loadTexts:
subChassis_SecurityBreach.setDescription("SecurityBreach is an enumerated, integer-valued property indicating whether a physical breach of the Frame was attempted but unsuccessful (value=4) or attempted and successful (5). Also, the values, 'Unknown', 'Other' or 'No Breach', can be specified.")
sub_chassis__is_locked = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 10, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('unknown', 0), ('true', 1), ('false', 2)))).setLabel('subChassis-IsLocked').setMaxAccess('readonly')
if mibBuilder.loadTexts:
subChassis_IsLocked.setStatus('mandatory')
if mibBuilder.loadTexts:
subChassis_IsLocked.setDescription('Boolean indicating that the Frame is currently locked.')
sub_chassis__tag = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 10, 1, 8), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('subChassis-Tag').setMaxAccess('readonly')
if mibBuilder.loadTexts:
subChassis_Tag.setStatus('mandatory')
if mibBuilder.loadTexts:
subChassis_Tag.setDescription("An arbitrary string that uniquely identifies the Physical Element and serves as the Element's key. The Tag property can contain information such as asset tag or serial number data. The key for PhysicalElement is placed very high in the object hierarchy in order to independently identify the hardware/entity, regardless of physical placement in or on Cabinets, Adapters, etc. For example, a hotswappable or removeable component may be taken from its containing (scoping) Package and be temporarily unused. The object still continues to exist - and may even be inserted into a different scoping container. Therefore, the key for Physical Element is an arbitrary string and is defined independently of any placement or location-oriented hierarchy.")
sub_chassis__element_name = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 10, 1, 9), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('subChassis-ElementName').setMaxAccess('readonly')
if mibBuilder.loadTexts:
subChassis_ElementName.setStatus('mandatory')
if mibBuilder.loadTexts:
subChassis_ElementName.setDescription("A user-friendly name for the object. This property allows each instance to define a user-friendly name IN ADDITION TO its key properties/identity data, and description information. Note that ManagedSystemElement's Name property is also defined as a user-friendly name. But, it is often subclassed to be a Key. It is not reasonable that the same property can convey both identity and a user friendly name, without inconsistencies. Where Name exists and is not a Key (such as for instances of LogicalDevice), the same information MAY be present in both the Name and ElementName properties.")
sub_chassis__operational_status = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 10, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 32768))).clone(namedValues=named_values(('unknown', 0), ('other', 1), ('ok', 2), ('degraded', 3), ('stressed', 4), ('predictiveFailure', 5), ('error', 6), ('non-RecoverableError', 7), ('starting', 8), ('stopping', 9), ('stopped', 10), ('inService', 11), ('noContact', 12), ('lostCommunication', 13), ('aborted', 14), ('dormant', 15), ('supportingEntityInError', 16), ('completed', 17), ('powerMode', 18), ('dMTFReserved', 19), ('vendorReserved', 32768)))).setLabel('subChassis-OperationalStatus').setMaxAccess('readonly')
if mibBuilder.loadTexts:
subChassis_OperationalStatus.setStatus('mandatory')
if mibBuilder.loadTexts:
subChassis_OperationalStatus.setDescription("Indicates the current status(es) of the element. Various health and operational statuses are defined. Many of the enumeration's values are self- explanatory. However, a few are not and are described in more detail. \\n 'Stressed' indicates that the element is functioning, but needs attention. Examples of 'Stressed' states are overload, overheated, etc. \\n 'Predictive Failure' indicates that an element is functioning nominally but predicting a failure in the near future. \\n 'In Service' describes an element being configured, maintained, cleaned, or otherwise administered. \\n 'No Contact' indicates that the monitoring system has knowledge of this element, but has never been able to establish communications with it. \\n 'Lost Communication' indicates that the ManagedSystem Element is known to exist and has been contacted successfully in the past, but is currently unreachable. \\n 'Stopped' and 'Aborted' are similar, although the former implies a clean and orderly stop, while the latter implies an abrupt stop where the element's state and configuration may need to be updated. \\n 'Dormant' indicates that the element is inactive or quiesced. \\n 'Supporting Entity in Error' describes that this element may be 'OK' but that another element, on which it is dependent, is in error. An example is a network service or endpoint that cannot function due to lower layer networking problems. \\n 'Completed' indicates the element has completed its operation. This value should be combined with either OK, Error, or Degraded so that a client can till if the complete operation passed (Completed with OK), and failure (Completed with Error). Completed with Degraded would imply the operation finished, but did not complete OK or report an error. \\n 'Power Mode' indicates the element has additional power model information contained in the Associated PowerManagementService association. \\n OperationalStatus replaces the Status property on ManagedSystemElement to provide a consistent approach to enumerations, to address implementation needs for an array property, and to provide a migration path from today's environment to the future. This change was not made earlier since it required the DEPRECATED qualifier. Due to the widespread use of the existing Status property in management applications, it is strongly RECOMMENDED that providers/instrumentation provide BOTH the Status and OperationalStatus properties. Further, the first value of OperationalStatus SHOULD contain the primary status for the element. When instrumented, Status (since it is single-valued) SHOULD also provide the primary status of the element.")
sub_chassis__package_type = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 4, 10, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 17, 18, 19, 32769))).clone(namedValues=named_values(('unknown', 0), ('mainSystemChassis', 17), ('expansionChassis', 18), ('subChassis', 19), ('serviceBay', 32769)))).setLabel('subChassis-PackageType').setMaxAccess('readonly')
if mibBuilder.loadTexts:
subChassis_PackageType.setStatus('mandatory')
if mibBuilder.loadTexts:
subChassis_PackageType.setDescription('Package type of the subChassis. The enumeration values for this variable should be the same as the DMTF CIM_Chassis.ChassisPackageType property. Use the Vendor reserved values for vendor-specific types.')
storage_library_group = mib_identifier((1, 3, 6, 1, 4, 1, 14851, 3, 1, 5))
storage_library__name = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 5, 1), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('storageLibrary-Name').setMaxAccess('readonly')
if mibBuilder.loadTexts:
storageLibrary_Name.setStatus('deprecated')
if mibBuilder.loadTexts:
storageLibrary_Name.setDescription('The inherited Name serves as key of a System instance in an enterprise environment.')
storage_library__description = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 5, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('storageLibrary-Description').setMaxAccess('readonly')
if mibBuilder.loadTexts:
storageLibrary_Description.setStatus('deprecated')
if mibBuilder.loadTexts:
storageLibrary_Description.setDescription('The Description property provides a textual description of the object.')
storage_library__caption = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 5, 3), display_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setLabel('storageLibrary-Caption').setMaxAccess('readonly')
if mibBuilder.loadTexts:
storageLibrary_Caption.setStatus('deprecated')
if mibBuilder.loadTexts:
storageLibrary_Caption.setDescription('The Caption property is a short textual description (one- line string) of the object.')
storage_library__status = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 5, 4), display_string().subtype(subtypeSpec=value_size_constraint(0, 10))).setLabel('storageLibrary-Status').setMaxAccess('readonly')
if mibBuilder.loadTexts:
storageLibrary_Status.setStatus('deprecated')
if mibBuilder.loadTexts:
storageLibrary_Status.setDescription('A string indicating the current status of the object. Various operational and non-operational statuses are defined. This property is deprecated in lieu of OperationalStatus, which includes the same semantics in its enumeration. This change is made for three reasons: 1) Status is more correctly defined as an array property. This overcomes the limitation of describing status via a single value, when it is really a multi-valued property (for example, an element may be OK AND Stopped. 2) A MaxLen of 10 is too restrictive and leads to unclear enumerated values. And, 3) The change to a uint16 data type was discussed when CIM V2.0 was defined. However, existing V1.0 implementations used the string property and did not want to modify their code. Therefore, Status was grandfathered into the Schema. Use of the Deprecated qualifier allows the maintenance of the existing property, but also permits an improved definition using OperationalStatus.')
storage_library__install_date = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 5, 5), cim_date_time()).setLabel('storageLibrary-InstallDate').setMaxAccess('readonly')
if mibBuilder.loadTexts:
storageLibrary_InstallDate.setStatus('deprecated')
if mibBuilder.loadTexts:
storageLibrary_InstallDate.setDescription('A datetime value indicating when the object was installed. A lack of a value does not indicate that the object is not installed.')
media_access_device_group = mib_identifier((1, 3, 6, 1, 4, 1, 14851, 3, 1, 6))
number_of_media_access_devices = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 6, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
numberOfMediaAccessDevices.setStatus('mandatory')
if mibBuilder.loadTexts:
numberOfMediaAccessDevices.setDescription('This value specifies the number of MediaAccessDevices that are present.')
media_access_device_table = mib_table((1, 3, 6, 1, 4, 1, 14851, 3, 1, 6, 2))
if mibBuilder.loadTexts:
mediaAccessDeviceTable.setStatus('mandatory')
if mibBuilder.loadTexts:
mediaAccessDeviceTable.setDescription('A MediaAccessDevice represents the ability to access one or more media and use this media to store and retrieve data.')
media_access_device_entry = mib_table_row((1, 3, 6, 1, 4, 1, 14851, 3, 1, 6, 2, 1)).setIndexNames((0, 'SNIA-SML-MIB', 'mediaAccessDeviceIndex'))
if mibBuilder.loadTexts:
mediaAccessDeviceEntry.setStatus('mandatory')
if mibBuilder.loadTexts:
mediaAccessDeviceEntry.setDescription('Each entry in the table contains information about a MediaAccessDevice that is present in the library.')
media_access_device_index = mib_table_column((1, 3, 6, 1, 4, 1, 14851, 3, 1, 6, 2, 1, 1), uint32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mediaAccessDeviceIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
mediaAccessDeviceIndex.setDescription('The current index value for the MediaAccessDevice.')
media_access_device_object_type = mib_table_column((1, 3, 6, 1, 4, 1, 14851, 3, 1, 6, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5))).clone(namedValues=named_values(('unknown', 0), ('wormDrive', 1), ('magnetoOpticalDrive', 2), ('tapeDrive', 3), ('dvdDrive', 4), ('cdromDrive', 5)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mediaAccessDeviceObjectType.setStatus('mandatory')
if mibBuilder.loadTexts:
mediaAccessDeviceObjectType.setDescription('In the 2.7 CIM Schema a Type property is no longer associated with MediaAccessDevice. However, it can be used here to specify the type of drive that is present.')
media_access_device__name = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 6, 2, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('mediaAccessDevice-Name').setMaxAccess('readonly')
if mibBuilder.loadTexts:
mediaAccessDevice_Name.setStatus('deprecated')
if mibBuilder.loadTexts:
mediaAccessDevice_Name.setDescription('Deprecated')
media_access_device__status = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 6, 2, 1, 4), display_string().subtype(subtypeSpec=value_size_constraint(0, 10))).setLabel('mediaAccessDevice-Status').setMaxAccess('readonly')
if mibBuilder.loadTexts:
mediaAccessDevice_Status.setStatus('deprecated')
if mibBuilder.loadTexts:
mediaAccessDevice_Status.setDescription('A string indicating the current status of the object. Various operational and non-operational statuses are defined. This property is deprecated in lieu of OperationalStatus, which includes the same semantics in its enumeration. This change is made for three reasons: 1) Status is more correctly defined as an array property. This overcomes the limitation of describing status via a single value, when it is really a multi-valued property (for example, an element may be OK AND Stopped. 2) A MaxLen of 10 is too restrictive and leads to unclear enumerated values. And, 3) The change to a uint16 data type was discussed when CIM V2.0 was defined. However, existing V1.0 implementations used the string property and did not want to modify their code. Therefore, Status was grandfathered into the Schema. Use of the Deprecated qualifier allows the maintenance of the existing property, but also permits an improved definition using OperationalStatus.')
media_access_device__availability = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 6, 2, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=named_values(('other', 1), ('unknown', 2), ('runningFullPower', 3), ('warning', 4), ('inTest', 5), ('notApplicable', 6), ('powerOff', 7), ('offLine', 8), ('offDuty', 9), ('degraded', 10), ('notInstalled', 11), ('installError', 12), ('powerSaveUnknown', 13), ('powerSaveLowPowerMode', 14), ('powerSaveStandby', 15), ('powerCycle', 16), ('powerSaveWarning', 17), ('paused', 18), ('notReady', 19), ('notConfigured', 20), ('quiesced', 21)))).setLabel('mediaAccessDevice-Availability').setMaxAccess('readonly')
if mibBuilder.loadTexts:
mediaAccessDevice_Availability.setStatus('mandatory')
if mibBuilder.loadTexts:
mediaAccessDevice_Availability.setDescription("Inherited from CIM_LogicalDevice The primary availability and status of the Device. (Additional status information can be specified using the Additional Availability array property.) For example, the Availability property indicates that the Device is running and has full power (value=3), or is in a warning (4), test (5), degraded (10) or power save state (values 13-15 and 17). Regarding the Power Save states, these are defined as follows: Value 13 (Power Save - Unknown) indicates that the Device is known to be in a power save mode, but its exact status in this mode is unknown; 14 (Power Save - Low Power Mode) indicates that the Device is in a power save state but still functioning, and may exhibit degraded performance; 15 (Power Save - Standby) describes that the Device is not functioning but could be brought to full power 'quickly'; and value 17 (Power Save - Warning) indicates that the Device is in a warning state, though also in a power save mode.")
media_access_device__needs_cleaning = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 6, 2, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('unknown', 0), ('true', 1), ('false', 2)))).setLabel('mediaAccessDevice-NeedsCleaning').setMaxAccess('readonly')
if mibBuilder.loadTexts:
mediaAccessDevice_NeedsCleaning.setStatus('mandatory')
if mibBuilder.loadTexts:
mediaAccessDevice_NeedsCleaning.setDescription('Boolean indicating that the MediaAccessDevice needs cleaning. Whether manual or automatic cleaning is possible is indicated in the Capabilities array property. ')
media_access_device__mount_count = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 6, 2, 1, 7), uint64()).setLabel('mediaAccessDevice-MountCount').setMaxAccess('readonly')
if mibBuilder.loadTexts:
mediaAccessDevice_MountCount.setStatus('mandatory')
if mibBuilder.loadTexts:
mediaAccessDevice_MountCount.setDescription('For a MediaAccessDevice that supports removable Media, the number of times that Media have been mounted for data transfer or to clean the Device. For Devices accessing nonremovable Media, such as hard disks, this property is not applicable and should be set to 0.')
media_access_device__device_id = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 6, 2, 1, 8), display_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setLabel('mediaAccessDevice-DeviceID').setMaxAccess('readonly')
if mibBuilder.loadTexts:
mediaAccessDevice_DeviceID.setStatus('mandatory')
if mibBuilder.loadTexts:
mediaAccessDevice_DeviceID.setDescription('An address or other identifying information to uniquely name the LogicalDevice.')
media_access_device__power_on_hours = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 6, 2, 1, 9), uint64()).setLabel('mediaAccessDevice-PowerOnHours').setMaxAccess('readonly')
if mibBuilder.loadTexts:
mediaAccessDevice_PowerOnHours.setStatus('mandatory')
if mibBuilder.loadTexts:
mediaAccessDevice_PowerOnHours.setDescription('The number of consecutive hours that this Device has been powered, since its last power cycle.')
media_access_device__total_power_on_hours = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 6, 2, 1, 10), uint64()).setLabel('mediaAccessDevice-TotalPowerOnHours').setMaxAccess('readonly')
if mibBuilder.loadTexts:
mediaAccessDevice_TotalPowerOnHours.setStatus('mandatory')
if mibBuilder.loadTexts:
mediaAccessDevice_TotalPowerOnHours.setDescription('The total number of hours that this Device has been powered.')
media_access_device__operational_status = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 6, 2, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 32768))).clone(namedValues=named_values(('unknown', 0), ('other', 1), ('ok', 2), ('degraded', 3), ('stressed', 4), ('predictiveFailure', 5), ('error', 6), ('non-RecoverableError', 7), ('starting', 8), ('stopping', 9), ('stopped', 10), ('inService', 11), ('noContact', 12), ('lostCommunication', 13), ('aborted', 14), ('dormant', 15), ('supportingEntityInError', 16), ('completed', 17), ('powerMode', 18), ('dMTFReserved', 19), ('vendorReserved', 32768)))).setLabel('mediaAccessDevice-OperationalStatus').setMaxAccess('readonly')
if mibBuilder.loadTexts:
mediaAccessDevice_OperationalStatus.setStatus('mandatory')
if mibBuilder.loadTexts:
mediaAccessDevice_OperationalStatus.setDescription("Indicates the current status(es) of the element. Various health and operational statuses are defined. Many of the enumeration's values are self- explanatory. However, a few are not and are described in more detail. \\n 'Stressed' indicates that the element is functioning, but needs attention. Examples of 'Stressed' states are overload, overheated, etc. \\n 'Predictive Failure' indicates that an element is functioning nominally but predicting a failure in the near future. \\n 'In Service' describes an element being configured, maintained, cleaned, or otherwise administered. \\n 'No Contact' indicates that the monitoring system has knowledge of this element, but has never been able to establish communications with it. \\n 'Lost Communication' indicates that the ManagedSystem Element is known to exist and has been contacted successfully in the past, but is currently unreachable. \\n 'Stopped' and 'Aborted' are similar, although the former implies a clean and orderly stop, while the latter implies an abrupt stop where the element's state and configuration may need to be updated. \\n 'Dormant' indicates that the element is inactive or quiesced. \\n 'Supporting Entity in Error' describes that this element may be 'OK' but that another element, on which it is dependent, is in error. An example is a network service or endpoint that cannot function due to lower layer networking problems. \\n 'Completed' indicates the element has completed its operation. This value should be combined with either OK, Error, or Degraded so that a client can till if the complete operation passed (Completed with OK), and failure (Completed with Error). Completed with Degraded would imply the operation finished, but did not complete OK or report an error. \\n 'Power Mode' indicates the element has additional power model information contained in the Associated PowerManagementService association. \\n OperationalStatus replaces the Status property on ManagedSystemElement to provide a consistent approach to enumerations, to address implementation needs for an array property, and to provide a migration path from today's environment to the future. This change was not made earlier since it required the DEPRECATED qualifier. Due to the widespread use of the existing Status property in management applications, it is strongly RECOMMENDED that providers/instrumentation provide BOTH the Status and OperationalStatus properties. Further, the first value of OperationalStatus SHOULD contain the primary status for the element. When instrumented, Status (since it is single-valued) SHOULD also provide the primary status of the element.")
media_access_device__realizes__storage_location_index = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 6, 2, 1, 12), uint32()).setLabel('mediaAccessDevice-Realizes-StorageLocationIndex').setMaxAccess('readonly')
if mibBuilder.loadTexts:
mediaAccessDevice_Realizes_StorageLocationIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
mediaAccessDevice_Realizes_StorageLocationIndex.setDescription('The current index value for the storageMediaLocationIndex that this MediaAccessDevice is associated with. If no association exists an index of 0 may be returned.')
media_access_device__realizes_software_element_index = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 6, 2, 1, 13), uint32()).setLabel('mediaAccessDevice-Realizes-softwareElementIndex').setMaxAccess('readonly')
if mibBuilder.loadTexts:
mediaAccessDevice_Realizes_softwareElementIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
mediaAccessDevice_Realizes_softwareElementIndex.setDescription('The current index value for the softwareElementIndex that this MediaAccessDevice is associated with. If no association exists an index of 0 may be returned.')
physical_package_group = mib_identifier((1, 3, 6, 1, 4, 1, 14851, 3, 1, 8))
number_of_physical_packages = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 8, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
numberOfPhysicalPackages.setStatus('mandatory')
if mibBuilder.loadTexts:
numberOfPhysicalPackages.setDescription('This value specifies the number of PhysicalPackages that are present.')
physical_package_table = mib_table((1, 3, 6, 1, 4, 1, 14851, 3, 1, 8, 2))
if mibBuilder.loadTexts:
physicalPackageTable.setStatus('mandatory')
if mibBuilder.loadTexts:
physicalPackageTable.setDescription('The PhysicalPackage class represents PhysicalElements that contain or host other components. Examples are a Rack enclosure or an adapter Card. (also a tape magazine inside an auto-loader)')
physical_package_entry = mib_table_row((1, 3, 6, 1, 4, 1, 14851, 3, 1, 8, 2, 1)).setIndexNames((0, 'SNIA-SML-MIB', 'physicalPackageIndex'))
if mibBuilder.loadTexts:
physicalPackageEntry.setStatus('mandatory')
if mibBuilder.loadTexts:
physicalPackageEntry.setDescription('Each entry in the table contains information about a PhysicalPackage that is present in the library.')
physical_package_index = mib_table_column((1, 3, 6, 1, 4, 1, 14851, 3, 1, 8, 2, 1, 1), uint32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
physicalPackageIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
physicalPackageIndex.setDescription('The current index value for the PhysicalPackage.')
physical_package__manufacturer = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 8, 2, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('physicalPackage-Manufacturer').setMaxAccess('readonly')
if mibBuilder.loadTexts:
physicalPackage_Manufacturer.setStatus('mandatory')
if mibBuilder.loadTexts:
physicalPackage_Manufacturer.setDescription('The name of the organization responsible for producing the PhysicalElement. This may be the entity from whom the Element is purchased, but this is not necessarily true. The latter information is contained in the Vendor property of CIM_Product.')
physical_package__model = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 8, 2, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setLabel('physicalPackage-Model').setMaxAccess('readonly')
if mibBuilder.loadTexts:
physicalPackage_Model.setStatus('mandatory')
if mibBuilder.loadTexts:
physicalPackage_Model.setDescription('The name by which the PhysicalElement is generally known.')
physical_package__serial_number = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 8, 2, 1, 4), display_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setLabel('physicalPackage-SerialNumber').setMaxAccess('readonly')
if mibBuilder.loadTexts:
physicalPackage_SerialNumber.setStatus('mandatory')
if mibBuilder.loadTexts:
physicalPackage_SerialNumber.setDescription('A manufacturer-allocated number used to identify the Physical Element.')
physical_package__realizes__media_access_device_index = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 8, 2, 1, 5), integer32()).setLabel('physicalPackage-Realizes-MediaAccessDeviceIndex').setMaxAccess('readonly')
if mibBuilder.loadTexts:
physicalPackage_Realizes_MediaAccessDeviceIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
physicalPackage_Realizes_MediaAccessDeviceIndex.setDescription("The index value of the the MediaAccess device that is associated with this physical package.'")
physical_package__tag = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 8, 2, 1, 6), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('physicalPackage-Tag').setMaxAccess('readonly')
if mibBuilder.loadTexts:
physicalPackage_Tag.setStatus('mandatory')
if mibBuilder.loadTexts:
physicalPackage_Tag.setDescription("An arbitrary string that uniquely identifies the Physical Element and serves as the Element's key. The Tag property can contain information such as asset tag or serial number data. The key for PhysicalElement is placed very high in the object hierarchy in order to independently identify the hardware/entity, regardless of physical placement in or on Cabinets, Adapters, etc. For example, a hotswappable or removeable component may be taken from its containing (scoping) Package and be temporarily unused. The object still continues to exist - and may even be inserted into a different scoping container. Therefore, the key for Physical Element is an arbitrary string and is defined independently of any placement or location-oriented hierarchy.")
software_element_group = mib_identifier((1, 3, 6, 1, 4, 1, 14851, 3, 1, 9))
number_of_software_elements = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 9, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
numberOfSoftwareElements.setStatus('mandatory')
if mibBuilder.loadTexts:
numberOfSoftwareElements.setDescription('This value specifies the number of SoftwareElements that are present.')
software_element_table = mib_table((1, 3, 6, 1, 4, 1, 14851, 3, 1, 9, 2))
if mibBuilder.loadTexts:
softwareElementTable.setStatus('mandatory')
if mibBuilder.loadTexts:
softwareElementTable.setDescription("The CIM_SoftwareElement class is used to decompose a CIM_SoftwareFeature object into a set of individually manageable or deployable parts for a particular platform. A software element's platform is uniquely identified by its underlying hardware architecture and operating system (for example Sun Solaris on Sun Sparc or Windows NT on Intel). As such, to understand the details of how the functionality of a particular software feature is provided on a particular platform, the CIM_SoftwareElement objects referenced by CIM_SoftwareFeatureSoftwareElement associations are organized in disjoint sets based on the TargetOperatingSystem property. A CIM_SoftwareElement object captures the management details of a part or component in one of four states characterized by the SoftwareElementState property. ")
software_element_entry = mib_table_row((1, 3, 6, 1, 4, 1, 14851, 3, 1, 9, 2, 1)).setIndexNames((0, 'SNIA-SML-MIB', 'softwareElementIndex'))
if mibBuilder.loadTexts:
softwareElementEntry.setStatus('mandatory')
if mibBuilder.loadTexts:
softwareElementEntry.setDescription('Each entry in the table contains information about a SoftwareElement that is present in the library.')
software_element_index = mib_table_column((1, 3, 6, 1, 4, 1, 14851, 3, 1, 9, 2, 1, 1), uint32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
softwareElementIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
softwareElementIndex.setDescription('The current index value for the SoftwareElement.')
software_element__name = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 9, 2, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('softwareElement-Name').setMaxAccess('readonly')
if mibBuilder.loadTexts:
softwareElement_Name.setStatus('deprecated')
if mibBuilder.loadTexts:
softwareElement_Name.setDescription('deprecated')
software_element__version = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 9, 2, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('softwareElement-Version').setMaxAccess('readonly')
if mibBuilder.loadTexts:
softwareElement_Version.setStatus('mandatory')
if mibBuilder.loadTexts:
softwareElement_Version.setDescription('Version should be in the form .. or . ')
software_element__software_element_id = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 9, 2, 1, 4), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('softwareElement-SoftwareElementID').setMaxAccess('readonly')
if mibBuilder.loadTexts:
softwareElement_SoftwareElementID.setStatus('mandatory')
if mibBuilder.loadTexts:
softwareElement_SoftwareElementID.setDescription('SoftwareIdentity represents software, viewed as an asset and/or individually identifiable entity (similar to Physical Element). It does NOT indicate whether the software is installed, executing, etc. (The latter is the role of the SoftwareFeature/ SoftwareElement classes and the Application Model.) Since software may be acquired, SoftwareIdentity can be associated with a Product using the ProductSoftwareComponent relationship. Note that the Application Model manages the deployment and installation of software via the classes, SoftwareFeatures and SoftwareElements. The deployment/installation concepts are related to the asset/identity one. In fact, a SoftwareIdentity may correspond to a Product, or to one or more SoftwareFeatures or SoftwareElements - depending on the granularity of these classes and the deployment model. The correspondence of Software Identity to Product, SoftwareFeature or SoftwareElement is indicated using the ConcreteIdentity association. Note that there may not be sufficient detail or instrumentation to instantiate ConcreteIdentity. And, if the association is instantiated, some duplication of information may result. For example, the Vendor described in the instances of Product and SoftwareIdentity MAY be the same. However, this is not necessarily true, and it is why vendor and similar information are duplicated in this class. Note that ConcreteIdentity can also be used to describe the relationship of the software to any LogicalFiles that result from installing it. As above, there may not be sufficient detail or instrumentation to instantiate this association.')
software_element__manufacturer = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 9, 2, 1, 5), display_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setLabel('softwareElement-Manufacturer').setMaxAccess('readonly')
if mibBuilder.loadTexts:
softwareElement_Manufacturer.setStatus('mandatory')
if mibBuilder.loadTexts:
softwareElement_Manufacturer.setDescription('Manufacturer of this software element')
software_element__build_number = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 9, 2, 1, 6), display_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setLabel('softwareElement-BuildNumber').setMaxAccess('readonly')
if mibBuilder.loadTexts:
softwareElement_BuildNumber.setStatus('mandatory')
if mibBuilder.loadTexts:
softwareElement_BuildNumber.setDescription('The internal identifier for this compilation of this software element.')
software_element__serial_number = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 9, 2, 1, 7), display_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setLabel('softwareElement-SerialNumber').setMaxAccess('readonly')
if mibBuilder.loadTexts:
softwareElement_SerialNumber.setStatus('mandatory')
if mibBuilder.loadTexts:
softwareElement_SerialNumber.setDescription('The assigned serial number of this software element.')
software_element__code_set = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 9, 2, 1, 8), display_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setLabel('softwareElement-CodeSet').setMaxAccess('readonly')
if mibBuilder.loadTexts:
softwareElement_CodeSet.setStatus('deprecated')
if mibBuilder.loadTexts:
softwareElement_CodeSet.setDescription('The code set used by this software element. ')
software_element__identification_code = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 9, 2, 1, 9), display_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setLabel('softwareElement-IdentificationCode').setMaxAccess('readonly')
if mibBuilder.loadTexts:
softwareElement_IdentificationCode.setStatus('deprecated')
if mibBuilder.loadTexts:
softwareElement_IdentificationCode.setDescription("The value of this property is the manufacturer's identifier for this software element. Often this will be a stock keeping unit (SKU) or a part number.")
software_element__language_edition = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 9, 2, 1, 10), display_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setLabel('softwareElement-LanguageEdition').setMaxAccess('readonly')
if mibBuilder.loadTexts:
softwareElement_LanguageEdition.setStatus('deprecated')
if mibBuilder.loadTexts:
softwareElement_LanguageEdition.setDescription('The value of this property identifies the language edition of this software element. The language codes defined in ISO 639 should be used. Where the software element represents multi-lingual or international version of a product, the string multilingual should be used.')
software_element__instance_id = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 9, 2, 1, 11), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('softwareElement-InstanceID').setMaxAccess('readonly')
if mibBuilder.loadTexts:
softwareElement_InstanceID.setStatus('mandatory')
if mibBuilder.loadTexts:
softwareElement_InstanceID.setDescription("Within the scope of the instantiating Namespace, InstanceID opaquely and uniquely identifies an instance of this class. In order to ensure uniqueness within the NameSpace, the value of InstanceID SHOULD be constructed using the following 'preferred' algorithm: <OrgID>:<LocalID> Where <OrgID> and <LocalID> are separated by a colon ':', and where <OrgID> MUST include a copyrighted, trademarked or otherwise unique name that is owned by the business entity creating/defining the InstanceID, or is a registered ID that is assigned to the business entity by a recognized global authority (This is similar to the <Schema Name>_<Class Name> structure of Schema class names.) In addition, to ensure uniqueness <OrgID> MUST NOT contain a colon (':'). When using this algorithm, the first colon to appear in InstanceID MUST appear between <OrgID> and <LocalID>. <LocalID> is chosen by the business entity and SHOULD not be re-used to identify different underlying (real-world) elements. If the above 'preferred' algorithm is not used, the defining entity MUST assure that the resultant InstanceID is not re-used across any InstanceIDs produced by this or other providers for this instance's NameSpace. For DMTF defined instances, the 'preferred' algorithm MUST be used with the <OrgID> set to 'CIM'.")
computer_system_group = mib_identifier((1, 3, 6, 1, 4, 1, 14851, 3, 1, 10))
computer_system__element_name = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 10, 1), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('computerSystem-ElementName').setMaxAccess('readonly')
if mibBuilder.loadTexts:
computerSystem_ElementName.setStatus('mandatory')
if mibBuilder.loadTexts:
computerSystem_ElementName.setDescription("A user-friendly name for the object. This property allows each instance to define a user-friendly name IN ADDITION TO its key properties/identity data, and description information. \\n Note that ManagedSystemElement's Name property is also defined as a user-friendly name. But, it is often subclassed to be a Key. It is not reasonable that the same property can convey both identity and a user friendly name, without inconsistencies. Where Name exists and is not a Key (such as for instances of LogicalDevice), the same information MAY be present in both the Name and ElementName properties.")
computer_system__operational_status = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 10, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 32768))).clone(namedValues=named_values(('unknown', 0), ('other', 1), ('ok', 2), ('degraded', 3), ('stressed', 4), ('predictiveFailure', 5), ('error', 6), ('non-RecoverableError', 7), ('starting', 8), ('stopping', 9), ('stopped', 10), ('inService', 11), ('noContact', 12), ('lostCommunication', 13), ('aborted', 14), ('dormant', 15), ('supportingEntityInError', 16), ('completed', 17), ('powerMode', 18), ('dMTFReserved', 19), ('vendorReserved', 32768)))).setLabel('computerSystem-OperationalStatus').setMaxAccess('readonly')
if mibBuilder.loadTexts:
computerSystem_OperationalStatus.setStatus('mandatory')
if mibBuilder.loadTexts:
computerSystem_OperationalStatus.setDescription("Indicates the current status(es) of the element. Various health and operational statuses are defined. Many of the enumeration's values are self- explanatory. However, a few are not and are described in more detail. \\n 'Stressed' indicates that the element is functioning, but needs attention. Examples of 'Stressed' states are overload, overheated, etc. \\n 'Predictive Failure' indicates that an element is functioning nominally but predicting a failure in the near future. \\n 'In Service' describes an element being configured, maintained, cleaned, or otherwise administered. \\n 'No Contact' indicates that the monitoring system has knowledge of this element, but has never been able to establish communications with it. \\n 'Lost Communication' indicates that the ManagedSystem Element is known to exist and has been contacted successfully in the past, but is currently unreachable. \\n 'Stopped' and 'Aborted' are similar, although the former implies a clean and orderly stop, while the latter implies an abrupt stop where the element's state and configuration may need to be updated. \\n 'Dormant' indicates that the element is inactive or quiesced. \\n 'Supporting Entity in Error' describes that this element may be 'OK' but that another element, on which it is dependent, is in error. An example is a network service or endpoint that cannot function due to lower layer networking problems. \\n 'Completed' indicates the element has completed its operation. This value should be combined with either OK, Error, or Degraded so that a client can till if the complete operation passed (Completed with OK), and failure (Completed with Error). Completed with Degraded would imply the operation finished, but did not complete OK or report an error. \\n 'Power Mode' indicates the element has additional power model information contained in the Associated PowerManagementService association. \\n OperationalStatus replaces the Status property on ManagedSystemElement to provide a consistent approach to enumerations, to address implementation needs for an array property, and to provide a migration path from today's environment to the future. This change was not made earlier since it required the DEPRECATED qualifier. Due to the widespread use of the existing Status property in management applications, it is strongly RECOMMENDED that providers/instrumentation provide BOTH the Status and OperationalStatus properties. Further, the first value of OperationalStatus SHOULD contain the primary status for the element. When instrumented, Status (since it is single-valued) SHOULD also provide the primary status of the element.")
computer_system__name = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 10, 3), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('computerSystem-Name').setMaxAccess('readonly')
if mibBuilder.loadTexts:
computerSystem_Name.setStatus('mandatory')
if mibBuilder.loadTexts:
computerSystem_Name.setDescription('The Name property defines the label by which the object is known. When subclassed, the Name property can be overridden to be a Key property.')
computer_system__name_format = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 10, 4), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('computerSystem-NameFormat').setMaxAccess('readonly')
if mibBuilder.loadTexts:
computerSystem_NameFormat.setStatus('mandatory')
if mibBuilder.loadTexts:
computerSystem_NameFormat.setDescription("The ComputerSystem object and its derivatives are Top Level Objects of CIM. They provide the scope for numerous components. Having unique System keys is required. The NameFormat property identifies how the ComputerSystem Name is generated. The NameFormat ValueMap qualifier defines the various mechanisms for assigning the name. Note that another name can be assigned and used for the ComputerSystem that better suit a business, using the inherited ElementName property. Possible values include 'Other', 'IP', 'Dial', 'HID', 'NWA', 'HWA', 'X25', 'ISDN', 'IPX', 'DCC', 'ICD', 'E.164', 'SNA', 'OID/OSI', 'WWN', 'NAA'")
computer_system__dedicated = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 10, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20))).clone(namedValues=named_values(('notDedicated', 0), ('unknown', 1), ('other', 2), ('storage', 3), ('router', 4), ('switch', 5), ('layer3switch', 6), ('centralOfficeSwitch', 7), ('hub', 8), ('accessServer', 9), ('firewall', 10), ('print', 11), ('io', 12), ('webCaching', 13), ('management', 14), ('blockServer', 15), ('fileServer', 16), ('mobileUserDevice', 17), ('repeater', 18), ('bridgeExtender', 19), ('gateway', 20)))).setLabel('computerSystem-Dedicated').setMaxAccess('readonly')
if mibBuilder.loadTexts:
computerSystem_Dedicated.setStatus('mandatory')
if mibBuilder.loadTexts:
computerSystem_Dedicated.setDescription("Enumeration indicating whether the ComputerSystem is a special-purpose System (ie, dedicated to a particular use), versus being 'general purpose'. For example, one could specify that the System is dedicated to 'Print' (value=11) or acts as a 'Hub' (value=8). \\n A clarification is needed with respect to the value 17 ('Mobile User Device'). An example of a dedicated user device is a mobile phone or a barcode scanner in a store that communicates via radio frequency. These systems are quite limited in functionality and programmability, and are not considered 'general purpose' computing platforms. Alternately, an example of a mobile system that is 'general purpose' (i.e., is NOT dedicated) is a hand-held computer. Although limited in its programmability, new software can be downloaded and its functionality expanded by the user.")
computer_system__primary_owner_contact = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 10, 6), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('computerSystem-PrimaryOwnerContact').setMaxAccess('readonly')
if mibBuilder.loadTexts:
computerSystem_PrimaryOwnerContact.setStatus('mandatory')
if mibBuilder.loadTexts:
computerSystem_PrimaryOwnerContact.setDescription('A string that provides information on how the primary system owner can be reached (e.g. phone number, email address, ...)')
computer_system__primary_owner_name = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 10, 7), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('computerSystem-PrimaryOwnerName').setMaxAccess('readonly')
if mibBuilder.loadTexts:
computerSystem_PrimaryOwnerName.setStatus('mandatory')
if mibBuilder.loadTexts:
computerSystem_PrimaryOwnerName.setDescription('The name of the primary system owner. The system owner is the primary user of the system.')
computer_system__description = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 10, 8), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('computerSystem-Description').setMaxAccess('readonly')
if mibBuilder.loadTexts:
computerSystem_Description.setStatus('mandatory')
if mibBuilder.loadTexts:
computerSystem_Description.setDescription('The Description property provides a textual description of the object.')
computer_system__caption = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 10, 9), display_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setLabel('computerSystem-Caption').setMaxAccess('readonly')
if mibBuilder.loadTexts:
computerSystem_Caption.setStatus('mandatory')
if mibBuilder.loadTexts:
computerSystem_Caption.setDescription('The Caption property is a short textual description (one- line string) of the object.')
computer_system__realizes_software_element_index = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 10, 10), uint32()).setLabel('computerSystem-Realizes-softwareElementIndex').setMaxAccess('readonly')
if mibBuilder.loadTexts:
computerSystem_Realizes_softwareElementIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
computerSystem_Realizes_softwareElementIndex.setDescription('The current index value for the softwareElementIndex that this computerSystem is associated with. If no association exists an index of 0 may be returned.')
changer_device_group = mib_identifier((1, 3, 6, 1, 4, 1, 14851, 3, 1, 11))
number_of_changer_devices = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 11, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
numberOfChangerDevices.setStatus('mandatory')
if mibBuilder.loadTexts:
numberOfChangerDevices.setDescription('This value specifies the number of ChangerDevices that are present.')
changer_device_table = mib_table((1, 3, 6, 1, 4, 1, 14851, 3, 1, 11, 2))
if mibBuilder.loadTexts:
changerDeviceTable.setStatus('mandatory')
if mibBuilder.loadTexts:
changerDeviceTable.setDescription('The changerDevice class represents changerDevices in the library')
changer_device_entry = mib_table_row((1, 3, 6, 1, 4, 1, 14851, 3, 1, 11, 2, 1)).setIndexNames((0, 'SNIA-SML-MIB', 'changerDeviceIndex'))
if mibBuilder.loadTexts:
changerDeviceEntry.setStatus('mandatory')
if mibBuilder.loadTexts:
changerDeviceEntry.setDescription('Each entry in the table contains information about a changerDevice that is present in the library.')
changer_device_index = mib_table_column((1, 3, 6, 1, 4, 1, 14851, 3, 1, 11, 2, 1, 1), uint32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
changerDeviceIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
changerDeviceIndex.setDescription('The current index value for the changerDevice.')
changer_device__device_id = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 11, 2, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setLabel('changerDevice-DeviceID').setMaxAccess('readonly')
if mibBuilder.loadTexts:
changerDevice_DeviceID.setStatus('mandatory')
if mibBuilder.loadTexts:
changerDevice_DeviceID.setDescription('An address or other identifying information to uniquely name the LogicalDevice.')
changer_device__media_flip_supported = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 11, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('true', 1), ('false', 2)))).setLabel('changerDevice-MediaFlipSupported').setMaxAccess('readonly')
if mibBuilder.loadTexts:
changerDevice_MediaFlipSupported.setStatus('mandatory')
if mibBuilder.loadTexts:
changerDevice_MediaFlipSupported.setDescription('Boolean set to TRUE if the Changer supports media flipping. Media needs to be flipped when multi-sided PhysicalMedia are placed into a MediaAccessDevice that does NOT support dual sided access.')
changer_device__element_name = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 11, 2, 1, 4), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('changerDevice-ElementName').setMaxAccess('readonly')
if mibBuilder.loadTexts:
changerDevice_ElementName.setStatus('mandatory')
if mibBuilder.loadTexts:
changerDevice_ElementName.setDescription("A user-friendly name for the object. This property allows each instance to define a user-friendly name IN ADDITION TO its key properties/identity data, and description information. Note that ManagedSystemElement's Name property is also defined as a user-friendly name. But, it is often subclassed to be a Key. It is not reasonable that the same property can convey both identity and a user friendly name, without inconsistencies. Where Name exists and is not a Key (such as for instances of LogicalDevice), the same information MAY be present in both the Name and ElementName properties.")
changer_device__caption = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 11, 2, 1, 5), display_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setLabel('changerDevice-Caption').setMaxAccess('readonly')
if mibBuilder.loadTexts:
changerDevice_Caption.setStatus('mandatory')
if mibBuilder.loadTexts:
changerDevice_Caption.setDescription('The Caption property is a short textual description (one- line string) of the object.')
changer_device__description = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 11, 2, 1, 6), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('changerDevice-Description').setMaxAccess('readonly')
if mibBuilder.loadTexts:
changerDevice_Description.setStatus('mandatory')
if mibBuilder.loadTexts:
changerDevice_Description.setDescription('The Description property provides a textual description of the object.')
changer_device__availability = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 11, 2, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=named_values(('other', 1), ('unknown', 2), ('runningFullPower', 3), ('warning', 4), ('inTest', 5), ('notApplicable', 6), ('powerOff', 7), ('offLine', 8), ('offDuty', 9), ('degraded', 10), ('notInstalled', 11), ('installError', 12), ('powerSaveUnknown', 13), ('powerSaveLowPowerMode', 14), ('powerSaveStandby', 15), ('powerCycle', 16), ('powerSaveWarning', 17), ('paused', 18), ('notReady', 19), ('notConfigured', 20), ('quiesced', 21)))).setLabel('changerDevice-Availability').setMaxAccess('readonly')
if mibBuilder.loadTexts:
changerDevice_Availability.setStatus('mandatory')
if mibBuilder.loadTexts:
changerDevice_Availability.setDescription("The primary availability and status of the Device. (Additional status information can be specified using the Additional Availability array property.) For example, the Availability property indicates that the Device is running and has full power (value=3), or is in a warning (4), test (5), degraded (10) or power save state (values 13-15 and 17). Regarding the Power Save states, these are defined as follows Value 13 (\\'Power Save - Unknown\\') indicates that the Device is known to be in a power save mode, but its exact status in this mode is unknown; 14 (\\'Power Save - Low Power Mode\\') indicates that the Device is in a power save state but still functioning, and may exhibit degraded performance 15 (\\'Power Save - Standby\\') describes that the Device is not functioning but could be brought to full power 'quickly'; and value 17 (\\'Power Save - Warning\\') indicates that the Device is in a warning state, though also in a power save mode.")
changer_device__operational_status = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 11, 2, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 32768))).clone(namedValues=named_values(('unknown', 0), ('other', 1), ('ok', 2), ('degraded', 3), ('stressed', 4), ('predictiveFailure', 5), ('error', 6), ('non-RecoverableError', 7), ('starting', 8), ('stopping', 9), ('stopped', 10), ('inService', 11), ('noContact', 12), ('lostCommunication', 13), ('aborted', 14), ('dormant', 15), ('supportingEntityInError', 16), ('completed', 17), ('powerMode', 18), ('dMTFReserved', 19), ('vendorReserved', 32768)))).setLabel('changerDevice-OperationalStatus').setMaxAccess('readonly')
if mibBuilder.loadTexts:
changerDevice_OperationalStatus.setStatus('mandatory')
if mibBuilder.loadTexts:
changerDevice_OperationalStatus.setDescription("Indicates the current status(es) of the element. Various health and operational statuses are defined. Many of the enumeration's values are self- explanatory. However, a few are not and are described in more detail. \\n 'Stressed' indicates that the element is functioning, but needs attention. Examples of 'Stressed' states are overload, overheated, etc. \\n 'Predictive Failure' indicates that an element is functioning nominally but predicting a failure in the near future. \\n 'In Service' describes an element being configured, maintained, cleaned, or otherwise administered. \\n 'No Contact' indicates that the monitoring system has knowledge of this element, but has never been able to establish communications with it. \\n 'Lost Communication' indicates that the ManagedSystem Element is known to exist and has been contacted successfully in the past, but is currently unreachable. \\n 'Stopped' and 'Aborted' are similar, although the former implies a clean and orderly stop, while the latter implies an abrupt stop where the element's state and configuration may need to be updated. \\n 'Dormant' indicates that the element is inactive or quiesced. \\n 'Supporting Entity in Error' describes that this element may be 'OK' but that another element, on which it is dependent, is in error. An example is a network service or endpoint that cannot function due to lower layer networking problems. \\n 'Completed' indicates the element has completed its operation. This value should be combined with either OK, Error, or Degraded so that a client can till if the complete operation passed (Completed with OK), and failure (Completed with Error). Completed with Degraded would imply the operation finished, but did not complete OK or report an error. \\n 'Power Mode' indicates the element has additional power model information contained in the Associated PowerManagementService association. \\n OperationalStatus replaces the Status property on ManagedSystemElement to provide a consistent approach to enumerations, to address implementation needs for an array property, and to provide a migration path from today's environment to the future. This change was not made earlier since it required the DEPRECATED qualifier. Due to the widespread use of the existing Status property in management applications, it is strongly RECOMMENDED that providers/instrumentation provide BOTH the Status and OperationalStatus properties. Further, the first value of OperationalStatus SHOULD contain the primary status for the element. When instrumented, Status (since it is single-valued) SHOULD also provide the primary status of the element.")
changer_device__realizes__storage_location_index = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 11, 2, 1, 10), uint32()).setLabel('changerDevice-Realizes-StorageLocationIndex').setMaxAccess('readonly')
if mibBuilder.loadTexts:
changerDevice_Realizes_StorageLocationIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
changerDevice_Realizes_StorageLocationIndex.setDescription('The current index value for the storageMediaLocationIndex that this changerDevice is associated with. If no association exists an index of 0 may be returned.')
scsi_protocol_controller_group = mib_identifier((1, 3, 6, 1, 4, 1, 14851, 3, 1, 12))
number_of_scsi_protocol_controllers = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 12, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
numberOfSCSIProtocolControllers.setStatus('mandatory')
if mibBuilder.loadTexts:
numberOfSCSIProtocolControllers.setDescription('This value specifies the number of SCSIProtocolControllers that are present.')
scsi_protocol_controller_table = mib_table((1, 3, 6, 1, 4, 1, 14851, 3, 1, 12, 2))
if mibBuilder.loadTexts:
scsiProtocolControllerTable.setStatus('mandatory')
if mibBuilder.loadTexts:
scsiProtocolControllerTable.setDescription('The scsiProtocolController class represents SCSIProtocolControllers in the library')
scsi_protocol_controller_entry = mib_table_row((1, 3, 6, 1, 4, 1, 14851, 3, 1, 12, 2, 1)).setIndexNames((0, 'SNIA-SML-MIB', 'scsiProtocolControllerIndex'))
if mibBuilder.loadTexts:
scsiProtocolControllerEntry.setStatus('mandatory')
if mibBuilder.loadTexts:
scsiProtocolControllerEntry.setDescription('Each entry in the table contains information about a SCSIProtocolController that is present in the library.')
scsi_protocol_controller_index = mib_table_column((1, 3, 6, 1, 4, 1, 14851, 3, 1, 12, 2, 1, 1), uint32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
scsiProtocolControllerIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
scsiProtocolControllerIndex.setDescription('The current index value for the scsiProtocolController.')
scsi_protocol_controller__device_id = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 12, 2, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setLabel('scsiProtocolController-DeviceID').setMaxAccess('readonly')
if mibBuilder.loadTexts:
scsiProtocolController_DeviceID.setStatus('mandatory')
if mibBuilder.loadTexts:
scsiProtocolController_DeviceID.setDescription('An address or other identifying information to uniquely name the LogicalDevice.')
scsi_protocol_controller__element_name = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 12, 2, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('scsiProtocolController-ElementName').setMaxAccess('readonly')
if mibBuilder.loadTexts:
scsiProtocolController_ElementName.setStatus('mandatory')
if mibBuilder.loadTexts:
scsiProtocolController_ElementName.setDescription("A user-friendly name for the object. This property allows each instance to define a user-friendly name IN ADDITION TO its key properties/identity data, and description information. Note that ManagedSystemElement's Name property is also defined as a user-friendly name. But, it is often subclassed to be a Key. It is not reasonable that the same property can convey both identity and a user friendly name, without inconsistencies. Where Name exists and is not a Key (such as for instances of LogicalDevice), the same information MAY be present in both the Name and ElementName properties.")
scsi_protocol_controller__operational_status = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 12, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 32768))).clone(namedValues=named_values(('unknown', 0), ('other', 1), ('ok', 2), ('degraded', 3), ('stressed', 4), ('predictiveFailure', 5), ('error', 6), ('non-RecoverableError', 7), ('starting', 8), ('stopping', 9), ('stopped', 10), ('inService', 11), ('noContact', 12), ('lostCommunication', 13), ('aborted', 14), ('dormant', 15), ('supportingEntityInError', 16), ('completed', 17), ('powerMode', 18), ('dMTFReserved', 19), ('vendorReserved', 32768)))).setLabel('scsiProtocolController-OperationalStatus').setMaxAccess('readonly')
if mibBuilder.loadTexts:
scsiProtocolController_OperationalStatus.setStatus('mandatory')
if mibBuilder.loadTexts:
scsiProtocolController_OperationalStatus.setDescription("Indicates the current status(es) of the element. Various health and operational statuses are defined. Many of the enumeration's values are self- explanatory. However, a few are not and are described in more detail. \\n 'Stressed' indicates that the element is functioning, but needs attention. Examples of 'Stressed' states are overload, overheated, etc. \\n 'Predictive Failure' indicates that an element is functioning nominally but predicting a failure in the near future. \\n 'In Service' describes an element being configured, maintained, cleaned, or otherwise administered. \\n 'No Contact' indicates that the monitoring system has knowledge of this element, but has never been able to establish communications with it. \\n 'Lost Communication' indicates that the ManagedSystem Element is known to exist and has been contacted successfully in the past, but is currently unreachable. \\n 'Stopped' and 'Aborted' are similar, although the former implies a clean and orderly stop, while the latter implies an abrupt stop where the element's state and configuration may need to be updated. \\n 'Dormant' indicates that the element is inactive or quiesced. \\n 'Supporting Entity in Error' describes that this element may be 'OK' but that another element, on which it is dependent, is in error. An example is a network service or endpoint that cannot function due to lower layer networking problems. \\n 'Completed' indicates the element has completed its operation. This value should be combined with either OK, Error, or Degraded so that a client can till if the complete operation passed (Completed with OK), and failure (Completed with Error). Completed with Degraded would imply the operation finished, but did not complete OK or report an error. \\n 'Power Mode' indicates the element has additional power model information contained in the Associated PowerManagementService association. \\n OperationalStatus replaces the Status property on ManagedSystemElement to provide a consistent approach to enumerations, to address implementation needs for an array property, and to provide a migration path from today's environment to the future. This change was not made earlier since it required the DEPRECATED qualifier. Due to the widespread use of the existing Status property in management applications, it is strongly RECOMMENDED that providers/instrumentation provide BOTH the Status and OperationalStatus properties. Further, the first value of OperationalStatus SHOULD contain the primary status for the element. When instrumented, Status (since it is single-valued) SHOULD also provide the primary status of the element.")
scsi_protocol_controller__description = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 12, 2, 1, 5), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('scsiProtocolController-Description').setMaxAccess('readonly')
if mibBuilder.loadTexts:
scsiProtocolController_Description.setStatus('mandatory')
if mibBuilder.loadTexts:
scsiProtocolController_Description.setDescription('The Description property provides a textual description of the object.')
scsi_protocol_controller__availability = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 12, 2, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=named_values(('other', 1), ('unknown', 2), ('runningFullPower', 3), ('warning', 4), ('inTest', 5), ('notApplicable', 6), ('powerOff', 7), ('offLine', 8), ('offDuty', 9), ('degraded', 10), ('notInstalled', 11), ('installError', 12), ('powerSaveUnknown', 13), ('powerSaveLowPowerMode', 14), ('powerSaveStandby', 15), ('powerCycle', 16), ('powerSaveWarning', 17), ('paused', 18), ('notReady', 19), ('notConfigured', 20), ('quiesced', 21)))).setLabel('scsiProtocolController-Availability').setMaxAccess('readonly')
if mibBuilder.loadTexts:
scsiProtocolController_Availability.setStatus('mandatory')
if mibBuilder.loadTexts:
scsiProtocolController_Availability.setDescription("The primary availability and status of the Device. (Additional status information can be specified using the Additional Availability array property.) For example, the Availability property indicates that the Device is running and has full power (value=3), or is in a warning (4), test (5), degraded (10) or power save state (values 13-15 and 17). Regarding the Power Save states, these are defined as follows: Value 13 (\\'Power Save - Unknown\\') indicates that the Device is known to be in a power save mode, but its exact status in this mode is unknown; 14 (\\'Power Save - Low Power Mode\\') indicates that the Device is in a power save state but still functioning, and may exhibit degraded performance; 15 (\\'Power Save - Standby\\') describes that the Device is not functioning but could be brought to full power 'quickly'; and value 17 (\\'Power Save - Warning\\') indicates that the Device is in a warning state, though also in a power save mode.")
scsi_protocol_controller__realizes__changer_device_index = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 12, 2, 1, 7), uint32()).setLabel('scsiProtocolController-Realizes-ChangerDeviceIndex').setMaxAccess('readonly')
if mibBuilder.loadTexts:
scsiProtocolController_Realizes_ChangerDeviceIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
scsiProtocolController_Realizes_ChangerDeviceIndex.setDescription('The current index value for the ChangerDeviceIndex that this scsiProtocolController is associated with. If no association exists an index of 0 may be returned.')
scsi_protocol_controller__realizes__media_access_device_index = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 12, 2, 1, 8), uint32()).setLabel('scsiProtocolController-Realizes-MediaAccessDeviceIndex').setMaxAccess('readonly')
if mibBuilder.loadTexts:
scsiProtocolController_Realizes_MediaAccessDeviceIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
scsiProtocolController_Realizes_MediaAccessDeviceIndex.setDescription('The current index value for the MediaAccessDeviceIndex that this scsiProtocolController is associated with. If no association exists an index of 0 may be returned.')
storage_media_location_group = mib_identifier((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13))
number_of_storage_media_locations = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
numberOfStorageMediaLocations.setStatus('mandatory')
if mibBuilder.loadTexts:
numberOfStorageMediaLocations.setDescription('This value specifies the number of StorageMediaLocations that are present.')
number_of_physical_medias = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
numberOfPhysicalMedias.setStatus('mandatory')
if mibBuilder.loadTexts:
numberOfPhysicalMedias.setDescription('This value specifies the number of PhysicalMedia that are present.')
storage_media_location_table = mib_table((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 3))
if mibBuilder.loadTexts:
storageMediaLocationTable.setStatus('mandatory')
if mibBuilder.loadTexts:
storageMediaLocationTable.setDescription("StorageMediaLocation represents a possible location for an instance of PhysicalMedia. PhysicalMedia represents any type of documentation or storage medium, such as tapes, CDROMs, etc. This class is typically used to locate and manage Removable Media (versus Media sealed with the MediaAccessDevice, as a single Package, as is the case with hard disks). However, 'sealed' Media can also be modeled using this class, where the Media would then be associated with the PhysicalPackage using the PackagedComponent relationship. ")
storage_media_location_entry = mib_table_row((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 3, 1)).setIndexNames((0, 'SNIA-SML-MIB', 'storageMediaLocationIndex'))
if mibBuilder.loadTexts:
storageMediaLocationEntry.setStatus('mandatory')
if mibBuilder.loadTexts:
storageMediaLocationEntry.setDescription('Each entry in the table contains information about a StorageMediaLocation that is present in the library.')
storage_media_location_index = mib_table_column((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 3, 1, 1), uint32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
storageMediaLocationIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
storageMediaLocationIndex.setDescription('The current index value for the StorageMediaLocation.')
storage_media_location__tag = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 3, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('storageMediaLocation-Tag').setMaxAccess('readonly')
if mibBuilder.loadTexts:
storageMediaLocation_Tag.setStatus('mandatory')
if mibBuilder.loadTexts:
storageMediaLocation_Tag.setDescription("An arbitrary string that uniquely identifies the Physical Element and serves as the Element's key. The Tag property can contain information such as asset tag or serial number data. The key for PhysicalElement is placed very high in the object hierarchy in order to independently identify the hardware/entity, regardless of physical placement in or on Cabinets, Adapters, etc. For example, a hotswappable or removeable component may be taken from its containing (scoping) Package and be temporarily unused. The object still continues to exist - and may even be inserted into a different scoping container. Therefore, the key for Physical Element is an arbitrary string and is defined independently of any placement or location-oriented hierarchy.")
storage_media_location__location_type = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 3, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=named_values(('unknown', 0), ('other', 1), ('slot', 2), ('magazine', 3), ('mediaAccessDevice', 4), ('interLibraryPort', 5), ('limitedAccessPort', 6), ('door', 7), ('shelf', 8), ('vault', 9)))).setLabel('storageMediaLocation-LocationType').setMaxAccess('readonly')
if mibBuilder.loadTexts:
storageMediaLocation_LocationType.setStatus('mandatory')
if mibBuilder.loadTexts:
storageMediaLocation_LocationType.setDescription("The type of Location. For example, whether this is an individual Media \\'Slot\\' (value=2), a MediaAccessDevice (value=4) or a \\'Magazine\\' (value=3) is indicated in this property.")
storage_media_location__location_coordinates = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 3, 1, 4), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('storageMediaLocation-LocationCoordinates').setMaxAccess('readonly')
if mibBuilder.loadTexts:
storageMediaLocation_LocationCoordinates.setStatus('mandatory')
if mibBuilder.loadTexts:
storageMediaLocation_LocationCoordinates.setDescription('LocationCoordinates represent the physical location of the the FrameSlot instance. The property is defined as a free-form string to allow the location information to be described in vendor-unique terminology.')
storage_media_location__media_types_supported = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 3, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 61, 62, 63, 64, 65, 66))).clone(namedValues=named_values(('unknown', 0), ('other', 1), ('tape', 2), ('qic', 3), ('ait', 4), ('dtf', 5), ('dat', 6), ('eightmmTape', 7), ('nineteenmmTape', 8), ('dlt', 9), ('halfInchMO', 10), ('catridgeDisk', 11), ('jazDisk', 12), ('zipDisk', 13), ('syQuestDisk', 14), ('winchesterDisk', 15), ('cdRom', 16), ('cdRomXA', 17), ('cdI', 18), ('cdRecordable', 19), ('wORM', 20), ('magneto-Optical', 21), ('dvd', 22), ('dvdRWPlus', 23), ('dvdRAM', 24), ('dvdROM', 25), ('dvdVideo', 26), ('divx', 27), ('floppyDiskette', 28), ('hardDisk', 29), ('memoryCard', 30), ('hardCopy', 31), ('clikDisk', 32), ('cdRW', 33), ('cdDA', 34), ('cdPlus', 35), ('dvdRecordable', 36), ('dvdRW', 37), ('dvdAudio', 38), ('dvd5', 39), ('dvd9', 40), ('dvd10', 41), ('dvd18', 42), ('moRewriteable', 43), ('moWriteOnce', 44), ('moLIMDOW', 45), ('phaseChangeWO', 46), ('phaseChangeRewriteable', 47), ('phaseChangeDualRewriteable', 48), ('ablativeWriteOnce', 49), ('nearField', 50), ('miniQic', 51), ('travan', 52), ('eightmmMetal', 53), ('eightmmAdvanced', 54), ('nctp', 55), ('ltoUltrium', 56), ('ltoAccelis', 57), ('tape9Track', 58), ('tape18Track', 59), ('tape36Track', 60), ('magstar3590', 61), ('magstarMP', 62), ('d2Tape', 63), ('dstSmall', 64), ('dstMedium', 65), ('dstLarge', 66)))).setLabel('storageMediaLocation-MediaTypesSupported').setMaxAccess('readonly')
if mibBuilder.loadTexts:
storageMediaLocation_MediaTypesSupported.setStatus('mandatory')
if mibBuilder.loadTexts:
storageMediaLocation_MediaTypesSupported.setDescription("Certain StorageMediaLocations may only be able to accept a limited set of PhysicalMedia MediaTypes. This property defines an array containing the types of Media that are acceptable for placement in the Location. Additional information and description of the contained MediaTypes can be provided using the TypesDescription array. Also, size data (for example, DVD disc diameter) can be specified using the MediaSizesSupported array. \\n \\n Values defined here correspond to those in the CIM_Physical Media.MediaType property. This allows quick comparisons using value equivalence calculations. It is understood that there is no external physical difference between (for example) DVD- Video and DVD-RAM. But, equivalent values in both the Physical Media and StorageMediaLocation enumerations allows for one for one comparisons with no additional processing logic (i.e., the following is not required ... if \\'DVD-Video\\' then value=\\'DVD\\').")
storage_media_location__media_capacity = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 3, 1, 6), uint32()).setLabel('storageMediaLocation-MediaCapacity').setMaxAccess('readonly')
if mibBuilder.loadTexts:
storageMediaLocation_MediaCapacity.setStatus('mandatory')
if mibBuilder.loadTexts:
storageMediaLocation_MediaCapacity.setDescription('A StorageMediaLocation may hold more than one PhysicalMedia - for example, a Magazine. This property indicates the Physical Media capacity of the Location.')
storage_media_location__association__changer_device_index = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 3, 1, 7), uint32()).setLabel('storageMediaLocation-Association-ChangerDeviceIndex').setMaxAccess('readonly')
if mibBuilder.loadTexts:
storageMediaLocation_Association_ChangerDeviceIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
storageMediaLocation_Association_ChangerDeviceIndex.setDescription('Experimental: The current index value for the ChangerDeviceIndex that this storageMediaLocation is associated with. If no association exists an index of 0 may be returned. This association allows a representation of the experimental ')
storage_media_location__physical_media_present = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 3, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('true', 1), ('false', 2)))).setLabel('storageMediaLocation-PhysicalMediaPresent').setMaxAccess('readonly')
if mibBuilder.loadTexts:
storageMediaLocation_PhysicalMediaPresent.setStatus('mandatory')
if mibBuilder.loadTexts:
storageMediaLocation_PhysicalMediaPresent.setDescription("'true' when Physical Media is present in this storage location. When this is 'false' -physicalMedia- entries are undefined")
storage_media_location__physical_media__removable = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 3, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('unknown', 0), ('true', 1), ('false', 2)))).setLabel('storageMediaLocation-PhysicalMedia-Removable').setMaxAccess('readonly')
if mibBuilder.loadTexts:
storageMediaLocation_PhysicalMedia_Removable.setStatus('mandatory')
if mibBuilder.loadTexts:
storageMediaLocation_PhysicalMedia_Removable.setDescription("A PhysicalComponent is Removable if it is designed to be taken in and out of the physical container in which it is normally found, without impairing the function of the overall packaging. A Component can still be Removable if power must be 'off' in order to perform the removal. If power can be 'on' and the Component removed, then the Element is both Removable and HotSwappable. For example, an upgradeable Processor chip is Removable.")
storage_media_location__physical_media__replaceable = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 3, 1, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('unknown', 0), ('true', 1), ('false', 2)))).setLabel('storageMediaLocation-PhysicalMedia-Replaceable').setMaxAccess('readonly')
if mibBuilder.loadTexts:
storageMediaLocation_PhysicalMedia_Replaceable.setStatus('mandatory')
if mibBuilder.loadTexts:
storageMediaLocation_PhysicalMedia_Replaceable.setDescription('A PhysicalComponent is Replaceable if it is possible to replace (FRU or upgrade) the Element with a physically different one. For example, some ComputerSystems allow the main Processor chip to be upgraded to one of a higher clock rating. In this case, the Processor is said to be Replaceable. All Removable Components are inherently Replaceable.')
storage_media_location__physical_media__hot_swappable = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 3, 1, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('unknown', 0), ('true', 1), ('false', 2)))).setLabel('storageMediaLocation-PhysicalMedia-HotSwappable').setMaxAccess('readonly')
if mibBuilder.loadTexts:
storageMediaLocation_PhysicalMedia_HotSwappable.setStatus('mandatory')
if mibBuilder.loadTexts:
storageMediaLocation_PhysicalMedia_HotSwappable.setDescription("A PhysicalComponent is HotSwappable if it is possible to replace the Element with a physically different but equivalent one while the containing Package has power applied to it (ie, is 'on'). For example, a fan Component may be designed to be HotSwappable. All HotSwappable Components are inherently Removable and Replaceable.")
storage_media_location__physical_media__capacity = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 3, 1, 14), uint64()).setLabel('storageMediaLocation-PhysicalMedia-Capacity').setMaxAccess('readonly')
if mibBuilder.loadTexts:
storageMediaLocation_PhysicalMedia_Capacity.setStatus('mandatory')
if mibBuilder.loadTexts:
storageMediaLocation_PhysicalMedia_Capacity.setDescription("The number of bytes that can be read from or written to a Media. This property is not applicable to 'Hard Copy' (documentation) or cleaner Media. Data compression should not be assumed, as it would increase the value in this property. For tapes, it should be assumed that no filemarks or blank space areas are recorded on the Media.")
storage_media_location__physical_media__media_type = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 3, 1, 15), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 61, 62, 63, 64, 65, 66))).clone(namedValues=named_values(('unknown', 0), ('other', 1), ('tape', 2), ('qic', 3), ('ait', 4), ('dtf', 5), ('dat', 6), ('eightmmTape', 7), ('nineteenmmTape', 8), ('dlt', 9), ('halfInchMO', 10), ('catridgeDisk', 11), ('jazDisk', 12), ('zipDisk', 13), ('syQuestDisk', 14), ('winchesterDisk', 15), ('cdRom', 16), ('cdRomXA', 17), ('cdI', 18), ('cdRecordable', 19), ('wORM', 20), ('magneto-Optical', 21), ('dvd', 22), ('dvdRWPlus', 23), ('dvdRAM', 24), ('dvdROM', 25), ('dvdVideo', 26), ('divx', 27), ('floppyDiskette', 28), ('hardDisk', 29), ('memoryCard', 30), ('hardCopy', 31), ('clikDisk', 32), ('cdRW', 33), ('cdDA', 34), ('cdPlus', 35), ('dvdRecordable', 36), ('dvdRW', 37), ('dvdAudio', 38), ('dvd5', 39), ('dvd9', 40), ('dvd10', 41), ('dvd18', 42), ('moRewriteable', 43), ('moWriteOnce', 44), ('moLIMDOW', 45), ('phaseChangeWO', 46), ('phaseChangeRewriteable', 47), ('phaseChangeDualRewriteable', 48), ('ablativeWriteOnce', 49), ('nearField', 50), ('miniQic', 51), ('travan', 52), ('eightmmMetal', 53), ('eightmmAdvanced', 54), ('nctp', 55), ('ltoUltrium', 56), ('ltoAccelis', 57), ('tape9Track', 58), ('tape18Track', 59), ('tape36Track', 60), ('magstar3590', 61), ('magstarMP', 62), ('d2Tape', 63), ('dstSmall', 64), ('dstMedium', 65), ('dstLarge', 66)))).setLabel('storageMediaLocation-PhysicalMedia-MediaType').setMaxAccess('readonly')
if mibBuilder.loadTexts:
storageMediaLocation_PhysicalMedia_MediaType.setStatus('mandatory')
if mibBuilder.loadTexts:
storageMediaLocation_PhysicalMedia_MediaType.setDescription('Specifies the type of the PhysicalMedia, as an enumerated integer. The MediaDescription property is used to provide more explicit definition of the Media type, whether it is pre-formatted, compatability features, etc.')
storage_media_location__physical_media__media_description = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 3, 1, 16), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('storageMediaLocation-PhysicalMedia-MediaDescription').setMaxAccess('readonly')
if mibBuilder.loadTexts:
storageMediaLocation_PhysicalMedia_MediaDescription.setStatus('mandatory')
if mibBuilder.loadTexts:
storageMediaLocation_PhysicalMedia_MediaDescription.setDescription("Additional detail related to the MediaType enumeration. For example, if value 3 ('QIC Cartridge') is specified, this property could indicate whether the tape is wide or 1/4 inch, whether it is pre-formatted, whether it is Travan compatible, etc.")
storage_media_location__physical_media__cleaner_media = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 3, 1, 17), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('unknown', 0), ('true', 1), ('false', 2)))).setLabel('storageMediaLocation-PhysicalMedia-CleanerMedia').setMaxAccess('readonly')
if mibBuilder.loadTexts:
storageMediaLocation_PhysicalMedia_CleanerMedia.setStatus('mandatory')
if mibBuilder.loadTexts:
storageMediaLocation_PhysicalMedia_CleanerMedia.setDescription('Boolean indicating that the PhysicalMedia is used for cleaning purposes and not data storage.')
storage_media_location__physical_media__dual_sided = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 3, 1, 18), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('unknown', 0), ('true', 1), ('false', 2)))).setLabel('storageMediaLocation-PhysicalMedia-DualSided').setMaxAccess('readonly')
if mibBuilder.loadTexts:
storageMediaLocation_PhysicalMedia_DualSided.setStatus('mandatory')
if mibBuilder.loadTexts:
storageMediaLocation_PhysicalMedia_DualSided.setDescription('Boolean indicating that the Media has two recording sides (TRUE) or only a single side (FALSE). Examples of dual sided Media include DVD-ROM and some optical disks. Examples of single sided Media are tapes and CD-ROM.')
storage_media_location__physical_media__physical_label = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 3, 1, 19), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('storageMediaLocation-PhysicalMedia-PhysicalLabel').setMaxAccess('readonly')
if mibBuilder.loadTexts:
storageMediaLocation_PhysicalMedia_PhysicalLabel.setStatus('mandatory')
if mibBuilder.loadTexts:
storageMediaLocation_PhysicalMedia_PhysicalLabel.setDescription("One or more strings on 'labels' on the PhysicalMedia. The format of the labels and their state (readable, unreadable, upside-down) are indicated in the LabelFormats and LabelStates array properties.")
storage_media_location__physical_media__tag = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 13, 3, 1, 20), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('storageMediaLocation-PhysicalMedia-Tag').setMaxAccess('readonly')
if mibBuilder.loadTexts:
storageMediaLocation_PhysicalMedia_Tag.setStatus('mandatory')
if mibBuilder.loadTexts:
storageMediaLocation_PhysicalMedia_Tag.setDescription("An arbitrary string that uniquely identifies the Physical Element and serves as the Element's key. The Tag property can contain information such as asset tag or serial data. The key for PhysicalElement is placed very high in number the object hierarchy in order to independently identify the hardware/entity, regardless of physical placement in or on Cabinets, Adapters, etc. For example, a hotswappable or removeable component may be taken from its containing (scoping) Package and be temporarily unused. The object still continues to exist - and may even be inserted into a different scoping container. Therefore, the key for Physical Element is an arbitrary string and is defined independently of any placement or location-oriented hierarchy.")
limited_access_port_group = mib_identifier((1, 3, 6, 1, 4, 1, 14851, 3, 1, 14))
number_oflimited_access_ports = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 14, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
numberOflimitedAccessPorts.setStatus('mandatory')
if mibBuilder.loadTexts:
numberOflimitedAccessPorts.setDescription('This value specifies the number of limitedAccessPorts that are present.')
limited_access_port_table = mib_table((1, 3, 6, 1, 4, 1, 14851, 3, 1, 14, 2))
if mibBuilder.loadTexts:
limitedAccessPortTable.setStatus('mandatory')
if mibBuilder.loadTexts:
limitedAccessPortTable.setDescription('The limitedAccessPort class represents limitedAccessPorts in the library')
limited_access_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 14851, 3, 1, 14, 2, 1)).setIndexNames((0, 'SNIA-SML-MIB', 'limitedAccessPortIndex'))
if mibBuilder.loadTexts:
limitedAccessPortEntry.setStatus('mandatory')
if mibBuilder.loadTexts:
limitedAccessPortEntry.setDescription('Each entry in the table contains information about a limitedAccessPort that is present in the library.')
limited_access_port_index = mib_table_column((1, 3, 6, 1, 4, 1, 14851, 3, 1, 14, 2, 1, 1), uint32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
limitedAccessPortIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
limitedAccessPortIndex.setDescription('The current index value for the limitedAccessPort.')
limited_access_port__device_id = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 14, 2, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setLabel('limitedAccessPort-DeviceID').setMaxAccess('readonly')
if mibBuilder.loadTexts:
limitedAccessPort_DeviceID.setStatus('mandatory')
if mibBuilder.loadTexts:
limitedAccessPort_DeviceID.setDescription('An address or other identifying information to uniquely name the LogicalDevice.')
limited_access_port__extended = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 14, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('true', 1), ('false', 2)))).setLabel('limitedAccessPort-Extended').setMaxAccess('readonly')
if mibBuilder.loadTexts:
limitedAccessPort_Extended.setStatus('mandatory')
if mibBuilder.loadTexts:
limitedAccessPort_Extended.setDescription("When a Port is 'Extended' or 'open' (value=TRUE), its Storage MediaLocations are accessible to a human operator. If not extended (value=FALSE), the Locations are accessible to a PickerElement.")
limited_access_port__element_name = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 14, 2, 1, 4), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('limitedAccessPort-ElementName').setMaxAccess('readonly')
if mibBuilder.loadTexts:
limitedAccessPort_ElementName.setStatus('mandatory')
if mibBuilder.loadTexts:
limitedAccessPort_ElementName.setDescription("A user-friendly name for the object. This property allows each instance to define a user-friendly name IN ADDITION TO its key properties/identity data, and description information. Note that ManagedSystemElement's Name property is also defined as a user-friendly name. But, it is often subclassed to be a Key. It is not reasonable that the same property can convey both identity and a user friendly name, without inconsistencies. Where Name exists and is not a Key (such as for instances of LogicalDevice), the same information MAY be present in both the Name and ElementName properties.")
limited_access_port__caption = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 14, 2, 1, 5), display_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setLabel('limitedAccessPort-Caption').setMaxAccess('readonly')
if mibBuilder.loadTexts:
limitedAccessPort_Caption.setStatus('mandatory')
if mibBuilder.loadTexts:
limitedAccessPort_Caption.setDescription('The Caption property is a short textual description (one- line string) of the object.')
limited_access_port__description = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 14, 2, 1, 6), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('limitedAccessPort-Description').setMaxAccess('readonly')
if mibBuilder.loadTexts:
limitedAccessPort_Description.setStatus('mandatory')
if mibBuilder.loadTexts:
limitedAccessPort_Description.setDescription('The Description property provides a textual description of the object.')
limited_access_port__realizes__storage_location_index = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 14, 2, 1, 7), uint32()).setLabel('limitedAccessPort-Realizes-StorageLocationIndex').setMaxAccess('readonly')
if mibBuilder.loadTexts:
limitedAccessPort_Realizes_StorageLocationIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
limitedAccessPort_Realizes_StorageLocationIndex.setDescription('The current index value for the storageMediaLocationIndex that this limitedAccessPort is associated with. If no association exists an index of 0 may be returned.')
f_c_port_group = mib_identifier((1, 3, 6, 1, 4, 1, 14851, 3, 1, 15))
number_off_c_ports = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 15, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
numberOffCPorts.setStatus('mandatory')
if mibBuilder.loadTexts:
numberOffCPorts.setDescription('This value specifies the number of fcPorts that are present.')
f_c_port_table = mib_table((1, 3, 6, 1, 4, 1, 14851, 3, 1, 15, 2))
if mibBuilder.loadTexts:
fCPortTable.setStatus('mandatory')
if mibBuilder.loadTexts:
fCPortTable.setDescription('The fcPort class represents Fibre Channel Ports in the library')
f_c_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 14851, 3, 1, 15, 2, 1)).setIndexNames((0, 'SNIA-SML-MIB', 'fCPortIndex'))
if mibBuilder.loadTexts:
fCPortEntry.setStatus('mandatory')
if mibBuilder.loadTexts:
fCPortEntry.setDescription('Each entry in the table contains information about an fcPort that is present in the library.')
f_c_port_index = mib_table_column((1, 3, 6, 1, 4, 1, 14851, 3, 1, 15, 2, 1, 1), uint32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fCPortIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
fCPortIndex.setDescription('The current index value for the fCPort.')
f_c_port__device_id = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 15, 2, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setLabel('fCPort-DeviceID').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fCPort_DeviceID.setStatus('mandatory')
if mibBuilder.loadTexts:
fCPort_DeviceID.setDescription('An address or other identifying information to uniquely name the LogicalDevice.')
f_c_port__element_name = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 15, 2, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('fCPort-ElementName').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fCPort_ElementName.setStatus('mandatory')
if mibBuilder.loadTexts:
fCPort_ElementName.setDescription("A user-friendly name for the object. This property allows each instance to define a user-friendly name IN ADDITION TO its key properties/identity data, and description information. Note that ManagedSystemElement's Name property is also defined as a user-friendly name. But, it is often subclassed to be a Key. It is not reasonable that the same property can convey both identity and a user friendly name, without inconsistencies. Where Name exists and is not a Key (such as for instances of LogicalDevice), the same information MAY be present in both the Name and ElementName properties.")
f_c_port__caption = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 15, 2, 1, 4), display_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setLabel('fCPort-Caption').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fCPort_Caption.setStatus('mandatory')
if mibBuilder.loadTexts:
fCPort_Caption.setDescription('The Caption property is a short textual description (one- line string) of the object.')
f_c_port__description = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 15, 2, 1, 5), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('fCPort-Description').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fCPort_Description.setStatus('mandatory')
if mibBuilder.loadTexts:
fCPort_Description.setDescription('The Description property provides a textual description of the object.')
f_c_port_controller__operational_status = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 15, 2, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 32768))).clone(namedValues=named_values(('unknown', 0), ('other', 1), ('ok', 2), ('degraded', 3), ('stressed', 4), ('predictiveFailure', 5), ('error', 6), ('non-RecoverableError', 7), ('starting', 8), ('stopping', 9), ('stopped', 10), ('inService', 11), ('noContact', 12), ('lostCommunication', 13), ('aborted', 14), ('dormant', 15), ('supportingEntityInError', 16), ('completed', 17), ('powerMode', 18), ('dMTFReserved', 19), ('vendorReserved', 32768)))).setLabel('fCPortController-OperationalStatus').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fCPortController_OperationalStatus.setStatus('mandatory')
if mibBuilder.loadTexts:
fCPortController_OperationalStatus.setDescription("Indicates the current status(es) of the element. Various health and operational statuses are defined. Many of the enumeration's values are self- explanatory. However, a few are not and are described in more detail. \\n 'Stressed' indicates that the element is functioning, but needs attention. Examples of 'Stressed' states are overload, overheated, etc. \\n 'Predictive Failure' indicates that an element is functioning nominally but predicting a failure in the near future. \\n 'In Service' describes an element being configured, maintained, cleaned, or otherwise administered. \\n 'No Contact' indicates that the monitoring system has knowledge of this element, but has never been able to establish communications with it. \\n 'Lost Communication' indicates that the ManagedSystem Element is known to exist and has been contacted successfully in the past, but is currently unreachable. \\n 'Stopped' and 'Aborted' are similar, although the former implies a clean and orderly stop, while the latter implies an abrupt stop where the element's state and configuration may need to be updated. \\n 'Dormant' indicates that the element is inactive or quiesced. \\n 'Supporting Entity in Error' describes that this element may be 'OK' but that another element, on which it is dependent, is in error. An example is a network service or endpoint that cannot function due to lower layer networking problems. \\n 'Completed' indicates the element has completed its operation. This value should be combined with either OK, Error, or Degraded so that a client can till if the complete operation passed (Completed with OK), and failure (Completed with Error). Completed with Degraded would imply the operation finished, but did not complete OK or report an error. \\n 'Power Mode' indicates the element has additional power model information contained in the Associated PowerManagementService association. \\n OperationalStatus replaces the Status property on ManagedSystemElement to provide a consistent approach to enumerations, to address implementation needs for an array property, and to provide a migration path from today's environment to the future. This change was not made earlier since it required the DEPRECATED qualifier. Due to the widespread use of the existing Status property in management applications, it is strongly RECOMMENDED that providers/instrumentation provide BOTH the Status and OperationalStatus properties. Further, the first value of OperationalStatus SHOULD contain the primary status for the element. When instrumented, Status (since it is single-valued) SHOULD also provide the primary status of the element. SMI-S 1.1 Section 8.1.2.2.3 additional description for FC Ports OK - Port is online Error - Port has a failure Stopped - Port is disabled InService - Port is in Self Test Unknown")
f_c_port__permanent_address = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 15, 2, 1, 7), display_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setLabel('fCPort-PermanentAddress').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fCPort_PermanentAddress.setStatus('mandatory')
if mibBuilder.loadTexts:
fCPort_PermanentAddress.setDescription("PermanentAddress defines the network address hardcoded into a port. This 'hardcoded' address may be changed via firmware upgrade or software configuration. If so, this field should be updated when the change is made. PermanentAddress should be left blank if no 'hardcoded' address exists for the NetworkAdapter. In SMI-S 1.1 table 1304 FCPorts are defined to use the port WWN as described in table 7.2.4.5.2 World Wide Name (i.e. FC Name_Identifier) FCPort Permanent Address property; no corresponding format property 16 un-separated upper case hex digits (e.g. '21000020372D3C73')")
f_c_port__realizes_scsi_protocol_controller_index = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 15, 2, 1, 8), uint32()).setLabel('fCPort-Realizes-scsiProtocolControllerIndex').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fCPort_Realizes_scsiProtocolControllerIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
fCPort_Realizes_scsiProtocolControllerIndex.setDescription('The current index value for the scsiProtocolControllerIndex that this fCPort is associated with. If no association exists an index of 0 may be returned.')
trap_group = mib_identifier((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16))
traps_enabled = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
trapsEnabled.setStatus('mandatory')
if mibBuilder.loadTexts:
trapsEnabled.setDescription('Set to enable sending traps')
trap_drive_alert_summary = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60))).clone(namedValues=named_values(('readWarning', 1), ('writeWarning', 2), ('hardError', 3), ('media', 4), ('readFailure', 5), ('writeFailure', 6), ('mediaLife', 7), ('notDataGrade', 8), ('writeProtect', 9), ('noRemoval', 10), ('cleaningMedia', 11), ('unsupportedFormat', 12), ('recoverableSnappedTape', 13), ('unrecoverableSnappedTape', 14), ('memoryChipInCartridgeFailure', 15), ('forcedEject', 16), ('readOnlyFormat', 17), ('directoryCorruptedOnLoad', 18), ('nearingMediaLife', 19), ('cleanNow', 20), ('cleanPeriodic', 21), ('expiredCleaningMedia', 22), ('invalidCleaningMedia', 23), ('retentionRequested', 24), ('dualPortInterfaceError', 25), ('coolingFanError', 26), ('powerSupplyFailure', 27), ('powerConsumption', 28), ('driveMaintenance', 29), ('hardwareA', 30), ('hardwareB', 31), ('interface', 32), ('ejectMedia', 33), ('downloadFailure', 34), ('driveHumidity', 35), ('driveTemperature', 36), ('driveVoltage', 37), ('predictiveFailure', 38), ('diagnosticsRequired', 39), ('lostStatistics', 50), ('mediaDirectoryInvalidAtUnload', 51), ('mediaSystemAreaWriteFailure', 52), ('mediaSystemAreaReadFailure', 53), ('noStartOfData', 54), ('loadingFailure', 55), ('unrecoverableUnloadFailure', 56), ('automationInterfaceFailure', 57), ('firmwareFailure', 58), ('wormMediumIntegrityCheckFailed', 59), ('wormMediumOverwriteAttempted', 60)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
trapDriveAlertSummary.setStatus('mandatory')
if mibBuilder.loadTexts:
trapDriveAlertSummary.setDescription("Short summary of a media (tape, optical, etc.) driveAlert trap. Corresponds to the Number/Flag property of drive/autoloader alerts in the T10 TapeAlert Specification v3 (w/SSC-3 Enhancements) as modified by the EventSummary property in the SMI-S 1.1 section 8.1.8.25 LibraryAlert Events/Indications for Library Devices. In particular, all occurances of 'tape' have been replaced with 'media'. (This summary property has a 1 to 1 relationship to the CIM_AlertIndication.OtherAlertType property, and might be stored in the CIM_AlertIndication.Message property.)")
trap__association__media_access_device_index = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16, 3), uint32()).setLabel('trap-Association-MediaAccessDeviceIndex').setMaxAccess('readonly')
if mibBuilder.loadTexts:
trap_Association_MediaAccessDeviceIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
trap_Association_MediaAccessDeviceIndex.setDescription('The current index value for the MediaAccessDeviceIndex that this changerAlert trap is associated with. If no association exists an index of 0 may be returned. ')
trap_changer_alert_summary = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32))).clone(namedValues=named_values(('libraryHardwareA', 1), ('libraryHardwareB', 2), ('libraryHardwareC', 3), ('libraryHardwareD', 4), ('libraryDiagnosticsRequired', 5), ('libraryInterface', 6), ('failurePrediction', 7), ('libraryMaintenance', 8), ('libraryHumidityLimits', 9), ('libraryTemperatureLimits', 10), ('libraryVoltageLimits', 11), ('libraryStrayMedia', 12), ('libraryPickRetry', 13), ('libraryPlaceRetry', 14), ('libraryLoadRetry', 15), ('libraryDoor', 16), ('libraryMailslot', 17), ('libraryMagazine', 18), ('librarySecurity', 19), ('librarySecurityMode', 20), ('libraryOffline', 21), ('libraryDriveOffline', 22), ('libraryScanRetry', 23), ('libraryInventory', 24), ('libraryIllegalOperation', 25), ('dualPortInterfaceError', 26), ('coolingFanFailure', 27), ('powerSupply', 28), ('powerConsumption', 29), ('passThroughMechanismFailure', 30), ('cartridgeInPassThroughMechanism', 31), ('unreadableBarCodeLabels', 32)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
trapChangerAlertSummary.setStatus('mandatory')
if mibBuilder.loadTexts:
trapChangerAlertSummary.setDescription("Short summary of a changer (eg. robot) changerAlert trap. Corresponds to the Number/Flag property of stand-alone changer alerts in the T10 TapeAlert Specification v3 (w/SSC-3 Enhancements) as modified by the EventSummary property in the SMI-S 1.1 section 8.1.8.25 LibraryAlert Events/Indications for Library Devices. In particular, all occurances of 'tape' have been replaced with 'media'. (This summary property has a 1 to 1 relationship to the CIM_AlertIndication.OtherAlertType property, and might be stored in the CIM_AlertIndication.Message property.)")
trap__association__changer_device_index = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16, 5), uint32()).setLabel('trap-Association-ChangerDeviceIndex').setMaxAccess('readonly')
if mibBuilder.loadTexts:
trap_Association_ChangerDeviceIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
trap_Association_ChangerDeviceIndex.setDescription('The current index value for the ChangerDeviceIndex that this changerAlert trap is associated with. If no association exists an index of 0 may be returned. ')
trap_perceived_severity = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7))).clone(namedValues=named_values(('unknown', 0), ('other', 1), ('information', 2), ('degradedWarning', 3), ('minor', 4), ('major', 5), ('critical', 6), ('fatalNonRecoverable', 7)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
trapPerceivedSeverity.setStatus('mandatory')
if mibBuilder.loadTexts:
trapPerceivedSeverity.setDescription("An enumerated value that describes the severity of the Alert Indication from the notifier's point of view: 1 - Other, by CIM convention, is used to indicate that the Severity's value can be found in the OtherSeverity property. 3 - Degraded/Warning should be used when its appropriate to let the user decide if action is needed. 4 - Minor should be used to indicate action is needed, but the situation is not serious at this time. 5 - Major should be used to indicate action is needed NOW. 6 - Critical should be used to indicate action is needed NOW and the scope is broad (perhaps an imminent outage to a critical resource will result). 7 - Fatal/NonRecoverable should be used to indicate an error occurred, but it's too late to take remedial action. 2 and 0 - Information and Unknown (respectively) follow common usage. Literally, the AlertIndication is purely informational or its severity is simply unknown. This would have values described in SMI-S 1.1 section 8.1.8.25 LibraryAlert Events/Indications for Library Devices, the PerceivedSeverity column. These values are a superset of the Info/Warning/Critical values in the T10 TapeAlert Specification v3 (w/SSC-3 Enhancements) , and an SNMP agent may choose to only specify those if that's all that's available. (This corresponds to the CIM_AlertIndication.PerceivedSeverity property.)")
trap_destination_table = mib_table((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16, 7))
if mibBuilder.loadTexts:
trapDestinationTable.setStatus('mandatory')
if mibBuilder.loadTexts:
trapDestinationTable.setDescription('Table of client/manager desitinations which will receive traps')
trap_destination_entry = mib_table_row((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16, 7, 1)).setIndexNames((0, 'SNIA-SML-MIB', 'numberOfTrapDestinations'))
if mibBuilder.loadTexts:
trapDestinationEntry.setStatus('mandatory')
if mibBuilder.loadTexts:
trapDestinationEntry.setDescription('Entry containing information needed to send traps to an SNMP client/manager')
number_of_trap_destinations = mib_table_column((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16, 7, 1, 1), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
numberOfTrapDestinations.setStatus('mandatory')
if mibBuilder.loadTexts:
numberOfTrapDestinations.setDescription('This value specifies the number of trap destination SNMP clients/managers.')
trap_destination_host_type = mib_table_column((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16, 7, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('iPv4', 1), ('iPv6', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
trapDestinationHostType.setStatus('mandatory')
if mibBuilder.loadTexts:
trapDestinationHostType.setDescription('The type of addressing model to represent the network address (IPv4/IPv6)')
trap_destination_host_addr = mib_table_column((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16, 7, 1, 3), display_string()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
trapDestinationHostAddr.setStatus('mandatory')
if mibBuilder.loadTexts:
trapDestinationHostAddr.setDescription('The network address of this client/manager, to which the trap should be sent')
trap_destination_port = mib_table_column((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16, 7, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
trapDestinationPort.setStatus('mandatory')
if mibBuilder.loadTexts:
trapDestinationPort.setDescription('The port number where this client/manager is listening for traps.')
drive_alert = notification_type((1, 3, 6, 1, 4, 1, 14851, 3, 1) + (0, 0)).setObjects(('SNIA-SML-MIB', 'trapDriveAlertSummary'), ('SNIA-SML-MIB', 'trap_Association_MediaAccessDeviceIndex'), ('SNIA-SML-MIB', 'trapPerceivedSeverity'))
if mibBuilder.loadTexts:
driveAlert.setDescription('A Drive/Autoloader Alert trap, based on the T10 TapeAlert Specification v3 (w/SSC-3 Enhancements) and SMI-S 1.1 section 8.1.8.25 LibraryAlert Events/Indications.')
changer_alert = notification_type((1, 3, 6, 1, 4, 1, 14851, 3, 1) + (0, 1)).setObjects(('SNIA-SML-MIB', 'trapChangerAlertSummary'), ('SNIA-SML-MIB', 'trap_Association_ChangerDeviceIndex'), ('SNIA-SML-MIB', 'trapPerceivedSeverity'))
if mibBuilder.loadTexts:
changerAlert.setDescription('A Changer Device (eg. robot) Alert trap, based on the T10 TapeAlert Specification v3 (w/SSC-3 Enhancements) and SMI-S 1.1 section 8.1.8.25 LibraryAlert Events/Indications.')
trap_objects = mib_identifier((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16, 8))
current_operational_status = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16, 8, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 32768))).clone(namedValues=named_values(('unknown', 0), ('other', 1), ('ok', 2), ('degraded', 3), ('stressed', 4), ('predictiveFailure', 5), ('error', 6), ('non-RecoverableError', 7), ('starting', 8), ('stopping', 9), ('stopped', 10), ('inService', 11), ('noContact', 12), ('lostCommunication', 13), ('aborted', 14), ('dormant', 15), ('supportingEntityInError', 16), ('completed', 17), ('powerMode', 18), ('dMTFReserved', 19), ('vendorReserved', 32768)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
currentOperationalStatus.setStatus('mandatory')
if mibBuilder.loadTexts:
currentOperationalStatus.setDescription("Indicates the previous status(es) of the element. Various health and operational statuses are defined. Many of the enumeration's values are self- explanatory. However, a few are not and are described in more detail. \\n 'Stressed' indicates that the element is functioning, but needs attention. Examples of 'Stressed' states are overload, overheated, etc. \\n 'Predictive Failure' indicates that an element is functioning nominally but predicting a failure in the near future. \\n 'In Service' describes an element being configured, maintained, cleaned, or otherwise administered. \\n 'No Contact' indicates that the monitoring system has knowledge of this element, but has never been able to establish communications with it. \\n 'Lost Communication' indicates that the ManagedSystem Element is known to exist and has been contacted successfully in the past, but is currently unreachable. \\n 'Stopped' and 'Aborted' are similar, although the former implies a clean and orderly stop, while the latter implies an abrupt stop where the element's state and configuration may need to be updated. \\n 'Dormant' indicates that the element is inactive or quiesced. \\n 'Supporting Entity in Error' describes that this element may be 'OK' but that another element, on which it is dependent, is in error. An example is a network service or endpoint that cannot function due to lower layer networking problems. \\n 'Completed' indicates the element has completed its operation. This value should be combined with either OK, Error, or Degraded so that a client can till if the complete operation passed (Completed with OK), and failure (Completed with Error). Completed with Degraded would imply the operation finished, but did not complete OK or report an error. \\n 'Power Mode' indicates the element has additional power model information contained in the Associated PowerManagementService association. \\n OperationalStatus replaces the Status property on ManagedSystemElement to provide a consistent approach to enumerations, to address implementation needs for an array property, and to provide a migration path from today's environment to the future. This change was not made earlier since it required the DEPRECATED qualifier. Due to the widespread use of the existing Status property in management applications, it is strongly RECOMMENDED that providers/instrumentation provide BOTH the Status and OperationalStatus properties. Further, the first value of OperationalStatus SHOULD contain the primary status for the element. When instrumented, Status (since it is single-valued) SHOULD also provide the primary status of the element.")
old_operational_status = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16, 8, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 32768))).clone(namedValues=named_values(('unknown', 0), ('other', 1), ('ok', 2), ('degraded', 3), ('stressed', 4), ('predictiveFailure', 5), ('error', 6), ('non-RecoverableError', 7), ('starting', 8), ('stopping', 9), ('stopped', 10), ('inService', 11), ('noContact', 12), ('lostCommunication', 13), ('aborted', 14), ('dormant', 15), ('supportingEntityInError', 16), ('completed', 17), ('powerMode', 18), ('dMTFReserved', 19), ('vendorReserved', 32768)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
oldOperationalStatus.setStatus('mandatory')
if mibBuilder.loadTexts:
oldOperationalStatus.setDescription("Indicates the previous status(es) of the element. Various health and operational statuses are defined. Many of the enumeration's values are self- explanatory. However, a few are not and are described in more detail. \\n 'Stressed' indicates that the element is functioning, but needs attention. Examples of 'Stressed' states are overload, overheated, etc. \\n 'Predictive Failure' indicates that an element is functioning nominally but predicting a failure in the near future. \\n 'In Service' describes an element being configured, maintained, cleaned, or otherwise administered. \\n 'No Contact' indicates that the monitoring system has knowledge of this element, but has never been able to establish communications with it. \\n 'Lost Communication' indicates that the ManagedSystem Element is known to exist and has been contacted successfully in the past, but is currently unreachable. \\n 'Stopped' and 'Aborted' are similar, although the former implies a clean and orderly stop, while the latter implies an abrupt stop where the element's state and configuration may need to be updated. \\n 'Dormant' indicates that the element is inactive or quiesced. \\n 'Supporting Entity in Error' describes that this element may be 'OK' but that another element, on which it is dependent, is in error. An example is a network service or endpoint that cannot function due to lower layer networking problems. \\n 'Completed' indicates the element has completed its operation. This value should be combined with either OK, Error, or Degraded so that a client can till if the complete operation passed (Completed with OK), and failure (Completed with Error). Completed with Degraded would imply the operation finished, but did not complete OK or report an error. \\n 'Power Mode' indicates the element has additional power model information contained in the Associated PowerManagementService association. \\n OperationalStatus replaces the Status property on ManagedSystemElement to provide a consistent approach to enumerations, to address implementation needs for an array property, and to provide a migration path from today's environment to the future. This change was not made earlier since it required the DEPRECATED qualifier. Due to the widespread use of the existing Status property in management applications, it is strongly RECOMMENDED that providers/instrumentation provide BOTH the Status and OperationalStatus properties. Further, the first value of OperationalStatus SHOULD contain the primary status for the element. When instrumented, Status (since it is single-valued) SHOULD also provide the primary status of the element.")
library_added_trap = notification_type((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16) + (0, 3)).setObjects(('SNIA-SML-MIB', 'storageLibrary_Name'))
if mibBuilder.loadTexts:
libraryAddedTrap.setDescription('A library is added to the SMI-S agent. This trap is to support the SMI-S 1.1 section 8.1.8.23 InstCreation indication.')
library_deleted_trap = notification_type((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16) + (0, 4)).setObjects(('SNIA-SML-MIB', 'storageLibrary_Name'))
if mibBuilder.loadTexts:
libraryDeletedTrap.setDescription('A library is deleted in the SMI-S agent. This trap is to support the SMI-S 1.1 section 8.1.8.23 InstDeletion indication.')
library_op_status_changed_trap = notification_type((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16) + (0, 5)).setObjects(('SNIA-SML-MIB', 'storageLibrary_Name'), ('SNIA-SML-MIB', 'currentOperationalStatus'), ('SNIA-SML-MIB', 'oldOperationalStatus'))
if mibBuilder.loadTexts:
libraryOpStatusChangedTrap.setDescription('A library OperationalStatus has changed in the SMI-S agent. This trap is to support the SMI-S 1.1 section 8.1.8.23 InstModification indication.')
drive_added_trap = notification_type((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16) + (0, 6)).setObjects(('SNIA-SML-MIB', 'storageLibrary_Name'), ('SNIA-SML-MIB', 'mediaAccessDevice_DeviceID'))
if mibBuilder.loadTexts:
driveAddedTrap.setDescription('A media access device (trap drive) is added to the library. This trap is to support the SMI-S 1.1 section 8.1.8.25 InstCreation indication.')
drive_deleted_trap = notification_type((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16) + (0, 7)).setObjects(('SNIA-SML-MIB', 'storageLibrary_Name'), ('SNIA-SML-MIB', 'mediaAccessDevice_DeviceID'))
if mibBuilder.loadTexts:
driveDeletedTrap.setDescription('A media access device (trap drive) is deleted from the library. This trap is to support the SMI-S 1.1 section 8.1.8.25 InstDeletion indication.')
drive_op_status_changed_trap = notification_type((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16) + (0, 8)).setObjects(('SNIA-SML-MIB', 'storageLibrary_Name'), ('SNIA-SML-MIB', 'mediaAccessDevice_DeviceID'), ('SNIA-SML-MIB', 'currentOperationalStatus'), ('SNIA-SML-MIB', 'oldOperationalStatus'))
if mibBuilder.loadTexts:
driveOpStatusChangedTrap.setDescription('A drive OperationalStatus has changed in the SMI-S agent. This trap is to support the SMI-S 1.1 section 8.1.8.23 InstModification indication.')
changer_added_trap = notification_type((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16) + (0, 9)).setObjects(('SNIA-SML-MIB', 'storageLibrary_Name'), ('SNIA-SML-MIB', 'changerDevice_DeviceID'))
if mibBuilder.loadTexts:
changerAddedTrap.setDescription('A changer device is added to the library. This trap is to support the SMI-S 1.1 section 8.1.8.25 InstCreation indication.')
changer_deleted_trap = notification_type((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16) + (0, 10)).setObjects(('SNIA-SML-MIB', 'storageLibrary_Name'), ('SNIA-SML-MIB', 'changerDevice_DeviceID'))
if mibBuilder.loadTexts:
changerDeletedTrap.setDescription('A changer device is deleted from the library. This trap is to support the SMI-S 1.1 section 8.1.8.25 InstDeletion indication.')
changer_op_status_changed_trap = notification_type((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16) + (0, 11)).setObjects(('SNIA-SML-MIB', 'storageLibrary_Name'), ('SNIA-SML-MIB', 'changerDevice_DeviceID'), ('SNIA-SML-MIB', 'currentOperationalStatus'), ('SNIA-SML-MIB', 'oldOperationalStatus'))
if mibBuilder.loadTexts:
changerOpStatusChangedTrap.setDescription('A changer OperationalStatus has changed in the SMI-S agent. This trap is to support the SMI-S 1.1 section 8.1.8.23 InstModification indication.')
physical_media_added_trap = notification_type((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16) + (0, 12)).setObjects(('SNIA-SML-MIB', 'storageMediaLocation_PhysicalMedia_Tag'))
if mibBuilder.loadTexts:
physicalMediaAddedTrap.setDescription('A physical media is added to the library. This trap is to support the SMI-S 1.1 section 8.1.8.25 InstCreation indication.')
physical_media_deleted_trap = notification_type((1, 3, 6, 1, 4, 1, 14851, 3, 1, 16) + (0, 13)).setObjects(('SNIA-SML-MIB', 'storageMediaLocation_PhysicalMedia_Tag'))
if mibBuilder.loadTexts:
physicalMediaDeletedTrap.setDescription('A physical media is deleted from the library. This trap is to support the SMI-S 1.1 section 8.1.8.25 InstDeletion indication.')
end_of_sml_mib = mib_scalar((1, 3, 6, 1, 4, 1, 14851, 3, 1, 17), object_identifier())
if mibBuilder.loadTexts:
endOfSmlMib.setStatus('mandatory')
if mibBuilder.loadTexts:
endOfSmlMib.setDescription('Description here')
mibBuilder.exportSymbols('SNIA-SML-MIB', mediaAccessDeviceObjectType=mediaAccessDeviceObjectType, softwareElementIndex=softwareElementIndex, subChassis_SecurityBreach=subChassis_SecurityBreach, storageLibrary_Caption=storageLibrary_Caption, fCPort_ElementName=fCPort_ElementName, scsiProtocolController_OperationalStatus=scsiProtocolController_OperationalStatus, product_IdentifyingNumber=product_IdentifyingNumber, mediaAccessDeviceIndex=mediaAccessDeviceIndex, storageMediaLocation_PhysicalMedia_Tag=storageMediaLocation_PhysicalMedia_Tag, trapChangerAlertSummary=trapChangerAlertSummary, scsiProtocolController_Realizes_ChangerDeviceIndex=scsiProtocolController_Realizes_ChangerDeviceIndex, trapDestinationTable=trapDestinationTable, trapDestinationHostType=trapDestinationHostType, mediaAccessDevice_Realizes_StorageLocationIndex=mediaAccessDevice_Realizes_StorageLocationIndex, mediaAccessDevice_Name=mediaAccessDevice_Name, softwareElement_SerialNumber=softwareElement_SerialNumber, changerDevice_DeviceID=changerDevice_DeviceID, scsiProtocolController_DeviceID=scsiProtocolController_DeviceID, scsiProtocolController_Description=scsiProtocolController_Description, fCPortGroup=fCPortGroup, mediaAccessDeviceGroup=mediaAccessDeviceGroup, scsiProtocolController_ElementName=scsiProtocolController_ElementName, chassisGroup=chassisGroup, scsiProtocolController_Availability=scsiProtocolController_Availability, limitedAccessPort_ElementName=limitedAccessPort_ElementName, scsiProtocolControllerTable=scsiProtocolControllerTable, limitedAccessPort_Realizes_StorageLocationIndex=limitedAccessPort_Realizes_StorageLocationIndex, storageLibrary_Status=storageLibrary_Status, subChassis_IsLocked=subChassis_IsLocked, limitedAccessPort_Caption=limitedAccessPort_Caption, chassis_SecurityBreach=chassis_SecurityBreach, fCPortIndex=fCPortIndex, scsiProtocolControllerIndex=scsiProtocolControllerIndex, numberOfSCSIProtocolControllers=numberOfSCSIProtocolControllers, storageMediaLocation_Tag=storageMediaLocation_Tag, softwareElement_SoftwareElementID=softwareElement_SoftwareElementID, chassis_LockPresent=chassis_LockPresent, softwareElement_Manufacturer=softwareElement_Manufacturer, UINT16=UINT16, snia=snia, numberOfPhysicalPackages=numberOfPhysicalPackages, subChassis_OperationalStatus=subChassis_OperationalStatus, storageMediaLocation_LocationCoordinates=storageMediaLocation_LocationCoordinates, UINT32=UINT32, storageMediaLocationIndex=storageMediaLocationIndex, numberOfMediaAccessDevices=numberOfMediaAccessDevices, storageMediaLocation_MediaCapacity=storageMediaLocation_MediaCapacity, storageMediaLocation_PhysicalMedia_DualSided=storageMediaLocation_PhysicalMedia_DualSided, storageLibrary_InstallDate=storageLibrary_InstallDate, computerSystem_Description=computerSystem_Description, softwareElement_CodeSet=softwareElement_CodeSet, computerSystem_Dedicated=computerSystem_Dedicated, subChassisIndex=subChassisIndex, changerDevice_ElementName=changerDevice_ElementName, numberOfsubChassis=numberOfsubChassis, changerDeviceIndex=changerDeviceIndex, storageMediaLocation_PhysicalMedia_Replaceable=storageMediaLocation_PhysicalMedia_Replaceable, fCPortTable=fCPortTable, common=common, storageMediaLocationTable=storageMediaLocationTable, chassis_IsLocked=chassis_IsLocked, subChassis_Tag=subChassis_Tag, mediaAccessDevice_Realizes_softwareElementIndex=mediaAccessDevice_Realizes_softwareElementIndex, subChassis_ElementName=subChassis_ElementName, chassis_Manufacturer=chassis_Manufacturer, computerSystem_NameFormat=computerSystem_NameFormat, mediaAccessDevice_NeedsCleaning=mediaAccessDevice_NeedsCleaning, limitedAccessPortIndex=limitedAccessPortIndex, limitedAccessPort_DeviceID=limitedAccessPort_DeviceID, subChassis_SerialNumber=subChassis_SerialNumber, fCPort_DeviceID=fCPort_DeviceID, driveAddedTrap=driveAddedTrap, physicalPackage_Tag=physicalPackage_Tag, physicalPackage_Realizes_MediaAccessDeviceIndex=physicalPackage_Realizes_MediaAccessDeviceIndex, computerSystem_Name=computerSystem_Name, computerSystemGroup=computerSystemGroup, storageMediaLocation_MediaTypesSupported=storageMediaLocation_MediaTypesSupported, storageMediaLocation_PhysicalMedia_CleanerMedia=storageMediaLocation_PhysicalMedia_CleanerMedia, driveOpStatusChangedTrap=driveOpStatusChangedTrap, UINT64=UINT64, softwareElement_IdentificationCode=softwareElement_IdentificationCode, trap_Association_ChangerDeviceIndex=trap_Association_ChangerDeviceIndex, subChassis_Manufacturer=subChassis_Manufacturer, trapDestinationPort=trapDestinationPort, smlRoot=smlRoot, storageMediaLocation_PhysicalMedia_Capacity=storageMediaLocation_PhysicalMedia_Capacity, mediaAccessDevice_Availability=mediaAccessDevice_Availability, fCPort_Realizes_scsiProtocolControllerIndex=fCPort_Realizes_scsiProtocolControllerIndex, storageMediaLocation_PhysicalMediaPresent=storageMediaLocation_PhysicalMediaPresent, changerOpStatusChangedTrap=changerOpStatusChangedTrap, physicalPackageTable=physicalPackageTable, fCPortController_OperationalStatus=fCPortController_OperationalStatus, chassis_ElementName=chassis_ElementName, trapDriveAlertSummary=trapDriveAlertSummary, trap_Association_MediaAccessDeviceIndex=trap_Association_MediaAccessDeviceIndex, softwareElementGroup=softwareElementGroup, changerDevice_Caption=changerDevice_Caption, fCPort_PermanentAddress=fCPort_PermanentAddress, endOfSmlMib=endOfSmlMib, trapDestinationHostAddr=trapDestinationHostAddr, changerAlert=changerAlert, softwareElement_BuildNumber=softwareElement_BuildNumber, softwareElement_LanguageEdition=softwareElement_LanguageEdition, fCPort_Description=fCPort_Description, product_ElementName=product_ElementName, changerDeviceGroup=changerDeviceGroup, libraryAddedTrap=libraryAddedTrap, softwareElementEntry=softwareElementEntry, physicalPackage_SerialNumber=physicalPackage_SerialNumber, storageMediaLocation_LocationType=storageMediaLocation_LocationType, softwareElement_Name=softwareElement_Name, numberOfChangerDevices=numberOfChangerDevices, fCPortEntry=fCPortEntry, computerSystem_PrimaryOwnerContact=computerSystem_PrimaryOwnerContact, mediaAccessDeviceEntry=mediaAccessDeviceEntry, product_Version=product_Version, storageMediaLocation_Association_ChangerDeviceIndex=storageMediaLocation_Association_ChangerDeviceIndex, mediaAccessDevice_DeviceID=mediaAccessDevice_DeviceID, chassis_Tag=chassis_Tag, physicalPackageEntry=physicalPackageEntry, limitedAccessPort_Extended=limitedAccessPort_Extended, product_Vendor=product_Vendor, changerDeviceEntry=changerDeviceEntry, changerDevice_MediaFlipSupported=changerDevice_MediaFlipSupported, changerDevice_Description=changerDevice_Description, driveAlert=driveAlert, physicalMediaAddedTrap=physicalMediaAddedTrap, physicalPackage_Manufacturer=physicalPackage_Manufacturer, computerSystem_ElementName=computerSystem_ElementName, softwareElement_InstanceID=softwareElement_InstanceID, mediaAccessDeviceTable=mediaAccessDeviceTable, physicalMediaDeletedTrap=physicalMediaDeletedTrap, limitedAccessPort_Description=limitedAccessPort_Description, subChassis_LockPresent=subChassis_LockPresent, storageMediaLocation_PhysicalMedia_Removable=storageMediaLocation_PhysicalMedia_Removable, storageMediaLocationEntry=storageMediaLocationEntry, limitedAccessPortGroup=limitedAccessPortGroup, experimental=experimental, mediaAccessDevice_Status=mediaAccessDevice_Status, currentOperationalStatus=currentOperationalStatus, storageLibrary_Description=storageLibrary_Description, computerSystem_Realizes_softwareElementIndex=computerSystem_Realizes_softwareElementIndex, subChassis_Model=subChassis_Model, fCPort_Caption=fCPort_Caption, computerSystem_PrimaryOwnerName=computerSystem_PrimaryOwnerName, libraries=libraries, computerSystem_OperationalStatus=computerSystem_OperationalStatus, product_Name=product_Name, chassis_SerialNumber=chassis_SerialNumber, changerDevice_OperationalStatus=changerDevice_OperationalStatus, trapsEnabled=trapsEnabled, CimDateTime=CimDateTime, softwareElement_Version=softwareElement_Version, trapDestinationEntry=trapDestinationEntry, numberOfPhysicalMedias=numberOfPhysicalMedias, mediaAccessDevice_PowerOnHours=mediaAccessDevice_PowerOnHours, numberOfSoftwareElements=numberOfSoftwareElements, scsiProtocolController_Realizes_MediaAccessDeviceIndex=scsiProtocolController_Realizes_MediaAccessDeviceIndex, mediaAccessDevice_TotalPowerOnHours=mediaAccessDevice_TotalPowerOnHours, storageMediaLocationGroup=storageMediaLocationGroup, changerDeletedTrap=changerDeletedTrap, libraryDeletedTrap=libraryDeletedTrap, changerAddedTrap=changerAddedTrap, scsiProtocolControllerEntry=scsiProtocolControllerEntry, smlCimVersion=smlCimVersion, physicalPackageGroup=physicalPackageGroup, trapGroup=trapGroup, numberOflimitedAccessPorts=numberOflimitedAccessPorts, numberOfTrapDestinations=numberOfTrapDestinations, numberOffCPorts=numberOffCPorts, libraryOpStatusChangedTrap=libraryOpStatusChangedTrap, subChassisTable=subChassisTable, subChassisEntry=subChassisEntry, storageMediaLocation_PhysicalMedia_HotSwappable=storageMediaLocation_PhysicalMedia_HotSwappable, changerDeviceTable=changerDeviceTable, storageMediaLocation_PhysicalMedia_MediaType=storageMediaLocation_PhysicalMedia_MediaType, softwareElementTable=softwareElementTable, storageMediaLocation_PhysicalMedia_PhysicalLabel=storageMediaLocation_PhysicalMedia_PhysicalLabel, trapObjects=trapObjects, subChassis_PackageType=subChassis_PackageType, computerSystem_Caption=computerSystem_Caption, trapPerceivedSeverity=trapPerceivedSeverity, mediaAccessDevice_MountCount=mediaAccessDevice_MountCount, scsiProtocolControllerGroup=scsiProtocolControllerGroup, smlMibVersion=smlMibVersion, physicalPackageIndex=physicalPackageIndex, changerDevice_Availability=changerDevice_Availability, storageLibraryGroup=storageLibraryGroup, numberOfStorageMediaLocations=numberOfStorageMediaLocations, oldOperationalStatus=oldOperationalStatus, mediaAccessDevice_OperationalStatus=mediaAccessDevice_OperationalStatus, limitedAccessPortEntry=limitedAccessPortEntry, UShortReal=UShortReal, productGroup=productGroup, limitedAccessPortTable=limitedAccessPortTable, physicalPackage_Model=physicalPackage_Model, storageLibrary_Name=storageLibrary_Name, storageMediaLocation_PhysicalMedia_MediaDescription=storageMediaLocation_PhysicalMedia_MediaDescription, changerDevice_Realizes_StorageLocationIndex=changerDevice_Realizes_StorageLocationIndex, driveDeletedTrap=driveDeletedTrap, chassis_Model=chassis_Model)
|
class Human(object):
def __init__(self, first_name, last_name, age, gender):
self.first_name = first_name
self.last_name = last_name
self.age = age
self.gender = gender
def as_dict(self):
return {
'first_name': self.first_name,
'last_name': self.last_name,
'age': self.age,
'gender': self.gender
}
|
class Human(object):
def __init__(self, first_name, last_name, age, gender):
self.first_name = first_name
self.last_name = last_name
self.age = age
self.gender = gender
def as_dict(self):
return {'first_name': self.first_name, 'last_name': self.last_name, 'age': self.age, 'gender': self.gender}
|
class Solution:
def countConsistentStrings(self, allowed: str, words: List[str]) -> int:
consistent_strings = 0
for word in words:
consistent = True
for c in word:
if c not in allowed:
consistent = False
break
if consistent:
consistent_strings += 1
return consistent_strings
|
class Solution:
def count_consistent_strings(self, allowed: str, words: List[str]) -> int:
consistent_strings = 0
for word in words:
consistent = True
for c in word:
if c not in allowed:
consistent = False
break
if consistent:
consistent_strings += 1
return consistent_strings
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.